From 157e118cbaf99f32c4044214dd8e72a6164d2cfe Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Thu, 11 Jan 2018 10:47:40 +0100 Subject: [PATCH 01/18] Fix: broken feature --- htdocs/contact/class/contact.class.php | 3 ++- htdocs/societe/class/societe.class.php | 2 +- 2 files changed, 3 insertions(+), 2 deletions(-) diff --git a/htdocs/contact/class/contact.class.php b/htdocs/contact/class/contact.class.php index ca4880d68b86f..31a95f8cd7856 100644 --- a/htdocs/contact/class/contact.class.php +++ b/htdocs/contact/class/contact.class.php @@ -176,6 +176,7 @@ function create($user) if (empty($this->socid)) $this->socid = 0; 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); $sql = "INSERT INTO ".MAIN_DB_PREFIX."socpeople ("; $sql.= " datec"; @@ -199,7 +200,7 @@ function create($user) $sql.= " ".$this->priv.","; $sql.= " ".$this->statut.","; $sql.= " ".(! empty($this->canvas)?"'".$this->db->escape($this->canvas)."'":"null").","; - $sql.= " ".$this->entity.","; + $sql.= " ".$entity.","; $sql.= "'".$this->db->escape($this->ref_ext)."',"; $sql.= " ".(! empty($this->import_key)?"'".$this->db->escape($this->import_key)."'":"null"); $sql.= ")"; diff --git a/htdocs/societe/class/societe.class.php b/htdocs/societe/class/societe.class.php index af15ce7c700ac..865924c72746a 100644 --- a/htdocs/societe/class/societe.class.php +++ b/htdocs/societe/class/societe.class.php @@ -471,7 +471,7 @@ function create(User $user) if ($result >= 0) { - $entity = isset($this->entity)?$this->entity:$conf->entity; + $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)."'"; From 8d710020e9d9cf3470daa1a18fb414e3fe1eb3df Mon Sep 17 00:00:00 2001 From: Neil Orley Date: Thu, 11 Jan 2018 12:58:41 +0100 Subject: [PATCH 02/18] FIX use DB PREFIX instead of llx_ --- htdocs/societe/class/api_thirdparties.class.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/societe/class/api_thirdparties.class.php b/htdocs/societe/class/api_thirdparties.class.php index 9ada3510a4a35..658dc6a50e2cf 100644 --- a/htdocs/societe/class/api_thirdparties.class.php +++ b/htdocs/societe/class/api_thirdparties.class.php @@ -379,7 +379,7 @@ function getFixedAmountDiscounts($id, $filter="none", $sortfield = "f.type", $so $sql = "SELECT f.facnumber, f.type as factype, re.fk_facture_source, re.rowid, re.amount_ht, re.amount_tva, re.amount_ttc, re.description, re.fk_facture, re.fk_facture_line"; - $sql .= " FROM llx_societe_remise_except as re, llx_facture as f"; + $sql .= " FROM ".MAIN_DB_PREFIX."societe_remise_except as re, ".MAIN_DB_PREFIX."facture as f"; $sql .= " WHERE f.rowid = re.fk_facture_source AND re.fk_soc = ".$id; if ($filter == "available") $sql .= " AND re.fk_facture IS NULL AND re.fk_facture_line IS NULL"; if ($filter == "used") $sql .= " AND (re.fk_facture IS NOT NULL OR re.fk_facture_line IS NOT NULL)"; From 415d7574ebf5c39fc4a434e07face6ebede58781 Mon Sep 17 00:00:00 2001 From: dev2a Date: Thu, 11 Jan 2018 15:35:34 +0100 Subject: [PATCH 03/18] Fix PHP notices adding empty($page) --- htdocs/accountancy/bookkeeping/balance.php | 1 + htdocs/accountancy/bookkeeping/listbyaccount.php | 2 +- htdocs/accountancy/bookkeeping/listbyyear.php | 1 + htdocs/accountancy/expensereport/list.php | 2 +- htdocs/accountancy/supplier/list.php | 2 +- 5 files changed, 5 insertions(+), 3 deletions(-) diff --git a/htdocs/accountancy/bookkeeping/balance.php b/htdocs/accountancy/bookkeeping/balance.php index 1cdef9af6a9cc..cdc7d77941834 100644 --- a/htdocs/accountancy/bookkeeping/balance.php +++ b/htdocs/accountancy/bookkeeping/balance.php @@ -57,6 +57,7 @@ $limit = GETPOST('limit','int')?GETPOST('limit', 'int'):$conf->liste_limit; +if (empty($page) || $page < 0) { $page = 0; } $offset = $limit * $page; diff --git a/htdocs/accountancy/bookkeeping/listbyaccount.php b/htdocs/accountancy/bookkeeping/listbyaccount.php index f73b57b42f337..e1fa349bccc4c 100644 --- a/htdocs/accountancy/bookkeeping/listbyaccount.php +++ b/htdocs/accountancy/bookkeeping/listbyaccount.php @@ -77,7 +77,7 @@ $sortfield = GETPOST('sortfield', 'alpha'); $sortorder = GETPOST('sortorder', 'alpha'); $page = GETPOST('page','int'); -if ($page < 0) { $page = 0; } +if (empty($page) || $page < 0) { $page = 0; } $offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; diff --git a/htdocs/accountancy/bookkeeping/listbyyear.php b/htdocs/accountancy/bookkeeping/listbyyear.php index bf7578bb7520d..6891e1d89478c 100644 --- a/htdocs/accountancy/bookkeeping/listbyyear.php +++ b/htdocs/accountancy/bookkeeping/listbyyear.php @@ -79,6 +79,7 @@ if ($sortfield == "") $sortfield = "t.rowid"; + if (empty($page) || $page < 0) { $page = 0; } $offset = $limit * $page; diff --git a/htdocs/accountancy/expensereport/list.php b/htdocs/accountancy/expensereport/list.php index 0e4b9b05ac9d9..eed1479ab0a41 100644 --- a/htdocs/accountancy/expensereport/list.php +++ b/htdocs/accountancy/expensereport/list.php @@ -71,7 +71,7 @@ $sortfield = GETPOST('sortfield', 'alpha'); $sortorder = GETPOST('sortorder', 'alpha'); $page = GETPOST('page','int'); -if ($page < 0) { $page = 0; } +if (empty($page) || $page < 0) { $page = 0; } $offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; diff --git a/htdocs/accountancy/supplier/list.php b/htdocs/accountancy/supplier/list.php index 5d9871eecfba5..49d81d5d11d8b 100644 --- a/htdocs/accountancy/supplier/list.php +++ b/htdocs/accountancy/supplier/list.php @@ -73,7 +73,7 @@ $sortfield = GETPOST('sortfield', 'alpha'); $sortorder = GETPOST('sortorder', 'alpha'); $page = GETPOST('page','int'); -if ($page < 0) { $page = 0; } +if (empty($page) || $page < 0) { $page = 0; } $offset = $limit * $page; $pageprev = $page - 1; $pagenext = $page + 1; From 60c508b1c439900d022804f96bb69616da9dda33 Mon Sep 17 00:00:00 2001 From: dev2a Date: Thu, 11 Jan 2018 15:52:45 +0100 Subject: [PATCH 04/18] Get start date from fiscal year if start date is empty, get date from current accounting fiscal year, else from company fiscal month setting --- htdocs/accountancy/bookkeeping/balance.php | 29 +++++++----- htdocs/accountancy/bookkeeping/list.php | 29 +++++++----- .../accountancy/bookkeeping/listbyaccount.php | 44 +++++++++++-------- htdocs/accountancy/bookkeeping/listbyyear.php | 22 +++++++++- 4 files changed, 84 insertions(+), 40 deletions(-) diff --git a/htdocs/accountancy/bookkeeping/balance.php b/htdocs/accountancy/bookkeeping/balance.php index cdc7d77941834..e6697557775c8 100644 --- a/htdocs/accountancy/bookkeeping/balance.php +++ b/htdocs/accountancy/bookkeeping/balance.php @@ -69,17 +69,26 @@ if (empty($search_date_start) && ! GETPOSTISSET('formfilteraction')) { - $month_start= ($conf->global->SOCIETE_FISCAL_MONTH_START?($conf->global->SOCIETE_FISCAL_MONTH_START):1); - $year_start = dol_print_date(dol_now(), '%Y'); - $year_end = $year_start + 1; - $month_end = $month_start - 1; - if ($month_end < 1) - { - $month_end = 12; - $year_end--; + $sql = "SELECT date_start, date_end from ".MAIN_DB_PREFIX."accounting_fiscalyear "; + $sql .= " where date_start < now() and date_end > now() limit 1"; + $res = $db->query($sql); + if ($res->num_rows > 0) { + $fiscalYear = $db->fetch_object($res); + $search_date_start = strtotime($fiscalYear->date_start); + $search_date_end = strtotime($fiscalYear->date_end); + } else { + $month_start= ($conf->global->SOCIETE_FISCAL_MONTH_START?($conf->global->SOCIETE_FISCAL_MONTH_START):1); + $year_start = dol_print_date(dol_now(), '%Y'); + $year_end = $year_start + 1; + $month_end = $month_start - 1; + if ($month_end < 1) + { + $month_end = 12; + $year_end--; + } + $search_date_start = dol_mktime(0, 0, 0, $month_start, 1, $year_start); + $search_date_end = dol_get_last_day($year_end, $month_end); } - $search_date_start = dol_mktime(0, 0, 0, $month_start, 1, $year_start); - $search_date_end = dol_get_last_day($year_end, $month_end); } if ($sortorder == "") $sortorder = "ASC"; diff --git a/htdocs/accountancy/bookkeeping/list.php b/htdocs/accountancy/bookkeeping/list.php index 0310906ab6bc9..29dfbeeec5935 100644 --- a/htdocs/accountancy/bookkeeping/list.php +++ b/htdocs/accountancy/bookkeeping/list.php @@ -101,17 +101,26 @@ if (! in_array($action, array('export_file', 'delmouv', 'delmouvconfirm')) && ! isset($_POST['begin']) && ! isset($_GET['begin']) && ! isset($_POST['formfilteraction']) && empty($page) && ! GETPOST('noreset','int')) { - $month_start= ($conf->global->SOCIETE_FISCAL_MONTH_START?($conf->global->SOCIETE_FISCAL_MONTH_START):1); - $year_start = dol_print_date(dol_now(), '%Y'); - $year_end = $year_start + 1; - $month_end = $month_start - 1; - if ($month_end < 1) - { - $month_end = 12; - $year_end--; + $query = "SELECT date_start, date_end from ".MAIN_DB_PREFIX."accounting_fiscalyear "; + $query .= " where date_start < now() and date_end > now() limit 1"; + $res = $db->query($query); + if ($res->num_rows > 0) { + $fiscalYear = $db->fetch_object($res); + $search_date_start = strtotime($fiscalYear->date_start); + $search_date_end = strtotime($fiscalYear->date_end); + } else { + $month_start= ($conf->global->SOCIETE_FISCAL_MONTH_START?($conf->global->SOCIETE_FISCAL_MONTH_START):1); + $year_start = dol_print_date(dol_now(), '%Y'); + $year_end = $year_start + 1; + $month_end = $month_start - 1; + if ($month_end < 1) + { + $month_end = 12; + $year_end--; + } + $search_date_start = dol_mktime(0, 0, 0, $month_start, 1, $year_start); + $search_date_end = dol_get_last_day($year_end, $month_end); } - $search_date_start = dol_mktime(0, 0, 0, $month_start, 1, $year_start); - $search_date_end = dol_get_last_day($year_end, $month_end); } diff --git a/htdocs/accountancy/bookkeeping/listbyaccount.php b/htdocs/accountancy/bookkeeping/listbyaccount.php index e1fa349bccc4c..c4be9d99181e1 100644 --- a/htdocs/accountancy/bookkeeping/listbyaccount.php +++ b/htdocs/accountancy/bookkeeping/listbyaccount.php @@ -40,22 +40,8 @@ $sortorder = GETPOST("sortorder"); $sortfield = GETPOST("sortfield"); $action = GETPOST('action', 'alpha'); - -if (empty($search_date_start)) -{ - $month_start= ($conf->global->SOCIETE_FISCAL_MONTH_START?($conf->global->SOCIETE_FISCAL_MONTH_START):1); - $year_start = dol_print_date(dol_now(), '%Y'); - $year_end = $year_start + 1; - $month_end = $month_start - 1; - if ($month_end < 1) - { - $month_end = 12; - $year_end--; - } - $search_date_start = dol_mktime(0, 0, 0, $month_start, 1, $year_start); - $search_date_end = dol_get_last_day($year_end, $month_end); -} - +$search_date_start = dol_mktime(0, 0, 0, GETPOST('date_startmonth', 'int'), GETPOST('date_startday', 'int'), GETPOST('date_startyear', 'int')); +$search_date_end = dol_mktime(0, 0, 0, GETPOST('date_endmonth', 'int'), GETPOST('date_endday', 'int'), GETPOST('date_endyear', 'int')); $search_doc_date = dol_mktime(0, 0, 0, GETPOST('doc_datemonth', 'int'), GETPOST('doc_dateday', 'int'), GETPOST('doc_dateyear', 'int')); @@ -84,8 +70,30 @@ if ($sortorder == "") $sortorder = "ASC"; if ($sortfield == "") $sortfield = "t.rowid"; -if (empty($search_date_start)) $search_date_start = dol_mktime(0, 0, 0, 1, 1, dol_print_date(dol_now(), '%Y')); -if (empty($search_date_end)) $search_date_end = dol_mktime(0, 0, 0, 12, 31, dol_print_date(dol_now(), '%Y')); +if (empty($search_date_start)) { + $sql = "SELECT date_start, date_end from ".MAIN_DB_PREFIX."accounting_fiscalyear "; + $sql .= " where date_start < now() and date_end > now() limit 1"; + $res = $db->query($sql); + if ($res->num_rows > 0) { + $fiscalYear = $db->fetch_object($res); + $search_date_start = strtotime($fiscalYear->date_start); + $search_date_end = strtotime($fiscalYear->date_end); + } else { + $month_start= ($conf->global->SOCIETE_FISCAL_MONTH_START?($conf->global->SOCIETE_FISCAL_MONTH_START):1); + $year_start = dol_print_date(dol_now(), '%Y'); + $year_end = $year_start + 1; + $month_end = $month_start - 1; + if ($month_end < 1) + { + $month_end = 12; + $year_end--; + } + $search_date_start = dol_mktime(0, 0, 0, $month_start, 1, $year_start); + $search_date_end = dol_get_last_day($year_end, $month_end); + $search_date_start = dol_mktime(0, 0, 0, 1, 1, dol_print_date(dol_now(), '%Y')); + $search_date_end = dol_mktime(0, 0, 0, 12, 31, dol_print_date(dol_now(), '%Y')); + } +} $object = new BookKeeping($db); diff --git a/htdocs/accountancy/bookkeeping/listbyyear.php b/htdocs/accountancy/bookkeeping/listbyyear.php index 6891e1d89478c..dc46b28677ab7 100644 --- a/htdocs/accountancy/bookkeeping/listbyyear.php +++ b/htdocs/accountancy/bookkeeping/listbyyear.php @@ -71,8 +71,26 @@ // Filter if (empty($search_date_start)) { - $search_date_start = dol_mktime(0, 0, 0, 1, 1, dol_print_date(dol_now(), '%Y')); - $search_date_end = dol_mktime(0, 0, 0, 12, 31, dol_print_date(dol_now(), '%Y')); + $sql = "SELECT date_start, date_end from ".MAIN_DB_PREFIX."accounting_fiscalyear "; + $sql .= " where date_start < now() and date_end > now() limit 1"; + $res = $db->query($sql); + if ($res->num_rows > 0) { + $fiscalYear = $db->fetch_object($res); + $search_date_start = strtotime($fiscalYear->date_start); + $search_date_end = strtotime($fiscalYear->date_end); + } else { + $month_start= ($conf->global->SOCIETE_FISCAL_MONTH_START?($conf->global->SOCIETE_FISCAL_MONTH_START):1); + $year_start = dol_print_date(dol_now(), '%Y'); + $year_end = $year_start + 1; + $month_end = $month_start - 1; + if ($month_end < 1) + { + $month_end = 12; + $year_end--; + } + $search_date_start = dol_mktime(0, 0, 0, $month_start, 1, $year_start); + $search_date_end = dol_get_last_day($year_end, $month_end); + } } if ($sortorder == "") $sortorder = "ASC"; From 20ad3b0e80c785ec5e894308ab4a2c079736ca8a Mon Sep 17 00:00:00 2001 From: Regis Houssin Date: Fri, 12 Jan 2018 10:39:15 +0100 Subject: [PATCH 05/18] Fix: if $entity is empty '' the isset return true !! --- htdocs/contact/class/contact.class.php | 3 +-- 1 file changed, 1 insertion(+), 2 deletions(-) diff --git a/htdocs/contact/class/contact.class.php b/htdocs/contact/class/contact.class.php index db2152a00ae77..1bfc9ee8c19ba 100644 --- a/htdocs/contact/class/contact.class.php +++ b/htdocs/contact/class/contact.class.php @@ -176,9 +176,8 @@ function create($user) if (empty($this->socid)) $this->socid = 0; 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); - $entity = isset($this->entity)?$this->entity:$conf->entity; + $entity = (isset($this->entity) && is_numeric($this->entity)?$this->entity:$conf->entity); $sql = "INSERT INTO ".MAIN_DB_PREFIX."socpeople ("; $sql.= " datec"; From 36afa87fb50476a05c142fda9031dd6d0b6b4788 Mon Sep 17 00:00:00 2001 From: Maxime Kohlhaas Date: Sun, 14 Jan 2018 11:56:45 +0100 Subject: [PATCH 06/18] Fix blockedlog triggers fatal error in migration script --- htdocs/blockedlog/class/blockedlog.class.php | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/htdocs/blockedlog/class/blockedlog.class.php b/htdocs/blockedlog/class/blockedlog.class.php index a4dab57305c60..639d9df909d26 100644 --- a/htdocs/blockedlog/class/blockedlog.class.php +++ b/htdocs/blockedlog/class/blockedlog.class.php @@ -349,8 +349,11 @@ public function setObjectData(&$object, $action, $amounts) } // Add user info - $this->fk_user = $user->id; - $this->user_fullname = $user->getFullName($langs); + if (! empty($user)) + { + $this->fk_user = $user->id; + $this->user_fullname = $user->getFullName($langs); + } // Field specific to object From 133e87fcc3549bfdb84fed1b5d7e76fe751b859e Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Sun, 14 Jan 2018 12:45:26 +0100 Subject: [PATCH 07/18] Sync transifex --- htdocs/langs/ar_EG/admin.lang | 2 + htdocs/langs/ar_SA/accountancy.lang | 14 +- htdocs/langs/ar_SA/admin.lang | 6 +- htdocs/langs/ar_SA/banks.lang | 1 + htdocs/langs/ar_SA/bills.lang | 3 + htdocs/langs/ar_SA/compta.lang | 1 + htdocs/langs/ar_SA/donations.lang | 1 + htdocs/langs/ar_SA/errors.lang | 1 + htdocs/langs/ar_SA/help.lang | 4 +- htdocs/langs/ar_SA/install.lang | 2 + htdocs/langs/ar_SA/languages.lang | 1 + htdocs/langs/ar_SA/main.lang | 16 +- htdocs/langs/ar_SA/other.lang | 2 + htdocs/langs/ar_SA/products.lang | 1 + htdocs/langs/ar_SA/projects.lang | 3 + htdocs/langs/ar_SA/website.lang | 13 +- htdocs/langs/bg_BG/accountancy.lang | 6 +- htdocs/langs/bg_BG/admin.lang | 6 +- htdocs/langs/bg_BG/banks.lang | 1 + htdocs/langs/bg_BG/bills.lang | 3 + htdocs/langs/bg_BG/compta.lang | 1 + htdocs/langs/bg_BG/donations.lang | 1 + htdocs/langs/bg_BG/errors.lang | 1 + htdocs/langs/bg_BG/install.lang | 2 + htdocs/langs/bg_BG/languages.lang | 1 + htdocs/langs/bg_BG/main.lang | 16 +- htdocs/langs/bg_BG/other.lang | 2 + htdocs/langs/bg_BG/products.lang | 1 + htdocs/langs/bg_BG/projects.lang | 3 + htdocs/langs/bg_BG/website.lang | 13 +- htdocs/langs/bn_BD/accountancy.lang | 6 +- htdocs/langs/bn_BD/admin.lang | 6 +- htdocs/langs/bn_BD/banks.lang | 1 + htdocs/langs/bn_BD/bills.lang | 3 + htdocs/langs/bn_BD/compta.lang | 1 + htdocs/langs/bn_BD/donations.lang | 1 + htdocs/langs/bn_BD/errors.lang | 1 + htdocs/langs/bn_BD/install.lang | 2 + htdocs/langs/bn_BD/languages.lang | 1 + htdocs/langs/bn_BD/main.lang | 16 +- htdocs/langs/bn_BD/other.lang | 2 + htdocs/langs/bn_BD/products.lang | 1 + htdocs/langs/bn_BD/projects.lang | 3 + htdocs/langs/bn_BD/website.lang | 13 +- htdocs/langs/bs_BA/accountancy.lang | 6 +- htdocs/langs/bs_BA/admin.lang | 6 +- htdocs/langs/bs_BA/banks.lang | 1 + htdocs/langs/bs_BA/bills.lang | 3 + htdocs/langs/bs_BA/compta.lang | 1 + htdocs/langs/bs_BA/donations.lang | 1 + htdocs/langs/bs_BA/errors.lang | 1 + htdocs/langs/bs_BA/install.lang | 2 + htdocs/langs/bs_BA/languages.lang | 1 + htdocs/langs/bs_BA/main.lang | 16 +- htdocs/langs/bs_BA/other.lang | 2 + htdocs/langs/bs_BA/products.lang | 1 + htdocs/langs/bs_BA/projects.lang | 3 + htdocs/langs/bs_BA/website.lang | 13 +- htdocs/langs/ca_ES/accountancy.lang | 56 +- htdocs/langs/ca_ES/admin.lang | 196 ++--- htdocs/langs/ca_ES/agenda.lang | 18 +- htdocs/langs/ca_ES/banks.lang | 9 +- htdocs/langs/ca_ES/bills.lang | 33 +- htdocs/langs/ca_ES/commercial.lang | 12 +- htdocs/langs/ca_ES/companies.lang | 6 +- htdocs/langs/ca_ES/compta.lang | 71 +- htdocs/langs/ca_ES/contracts.lang | 10 +- htdocs/langs/ca_ES/cron.lang | 22 +- htdocs/langs/ca_ES/dict.lang | 34 +- htdocs/langs/ca_ES/donations.lang | 1 + htdocs/langs/ca_ES/ecm.lang | 16 +- htdocs/langs/ca_ES/errors.lang | 23 +- htdocs/langs/ca_ES/holiday.lang | 4 +- htdocs/langs/ca_ES/install.lang | 8 +- htdocs/langs/ca_ES/interventions.lang | 6 +- htdocs/langs/ca_ES/languages.lang | 3 +- htdocs/langs/ca_ES/ldap.lang | 4 +- htdocs/langs/ca_ES/mails.lang | 18 +- htdocs/langs/ca_ES/main.lang | 110 +-- htdocs/langs/ca_ES/members.lang | 22 +- htdocs/langs/ca_ES/modulebuilder.lang | 84 +- htdocs/langs/ca_ES/multicurrency.lang | 6 +- htdocs/langs/ca_ES/opensurvey.lang | 2 +- htdocs/langs/ca_ES/orders.lang | 4 +- htdocs/langs/ca_ES/other.lang | 50 +- htdocs/langs/ca_ES/paybox.lang | 2 +- htdocs/langs/ca_ES/paypal.lang | 6 +- htdocs/langs/ca_ES/printing.lang | 4 +- htdocs/langs/ca_ES/productbatch.lang | 2 +- htdocs/langs/ca_ES/products.lang | 23 +- htdocs/langs/ca_ES/projects.lang | 33 +- htdocs/langs/ca_ES/salaries.lang | 4 +- htdocs/langs/ca_ES/sendings.lang | 4 +- htdocs/langs/ca_ES/sms.lang | 2 +- htdocs/langs/ca_ES/stocks.lang | 20 +- htdocs/langs/ca_ES/stripe.lang | 4 +- htdocs/langs/ca_ES/suppliers.lang | 2 +- htdocs/langs/ca_ES/trips.lang | 116 +-- htdocs/langs/ca_ES/users.lang | 6 +- htdocs/langs/ca_ES/website.lang | 61 +- htdocs/langs/ca_ES/withdrawals.lang | 14 +- htdocs/langs/ca_ES/workflow.lang | 6 +- htdocs/langs/cs_CZ/accountancy.lang | 6 +- htdocs/langs/cs_CZ/admin.lang | 12 +- htdocs/langs/cs_CZ/banks.lang | 1 + htdocs/langs/cs_CZ/bills.lang | 3 + htdocs/langs/cs_CZ/compta.lang | 1 + htdocs/langs/cs_CZ/donations.lang | 1 + htdocs/langs/cs_CZ/errors.lang | 1 + htdocs/langs/cs_CZ/help.lang | 2 +- htdocs/langs/cs_CZ/install.lang | 2 + htdocs/langs/cs_CZ/languages.lang | 1 + htdocs/langs/cs_CZ/main.lang | 16 +- htdocs/langs/cs_CZ/other.lang | 2 + htdocs/langs/cs_CZ/products.lang | 1 + htdocs/langs/cs_CZ/projects.lang | 3 + htdocs/langs/cs_CZ/users.lang | 6 +- htdocs/langs/cs_CZ/website.lang | 13 +- htdocs/langs/da_DK/accountancy.lang | 6 +- htdocs/langs/da_DK/admin.lang | 6 +- htdocs/langs/da_DK/banks.lang | 1 + htdocs/langs/da_DK/bills.lang | 3 + htdocs/langs/da_DK/compta.lang | 1 + htdocs/langs/da_DK/donations.lang | 1 + htdocs/langs/da_DK/errors.lang | 1 + htdocs/langs/da_DK/install.lang | 2 + htdocs/langs/da_DK/languages.lang | 1 + htdocs/langs/da_DK/main.lang | 16 +- htdocs/langs/da_DK/other.lang | 2 + htdocs/langs/da_DK/products.lang | 1 + htdocs/langs/da_DK/projects.lang | 3 + htdocs/langs/da_DK/website.lang | 13 +- htdocs/langs/de_CH/admin.lang | 44 +- htdocs/langs/de_CH/main.lang | 1 + htdocs/langs/de_DE/accountancy.lang | 90 +-- htdocs/langs/de_DE/admin.lang | 84 +- htdocs/langs/de_DE/agenda.lang | 18 +- htdocs/langs/de_DE/banks.lang | 3 +- htdocs/langs/de_DE/bills.lang | 19 +- htdocs/langs/de_DE/commercial.lang | 14 +- htdocs/langs/de_DE/compta.lang | 69 +- htdocs/langs/de_DE/contracts.lang | 10 +- htdocs/langs/de_DE/cron.lang | 22 +- htdocs/langs/de_DE/dict.lang | 30 +- htdocs/langs/de_DE/donations.lang | 1 + htdocs/langs/de_DE/ecm.lang | 16 +- htdocs/langs/de_DE/errors.lang | 29 +- htdocs/langs/de_DE/holiday.lang | 4 +- htdocs/langs/de_DE/install.lang | 8 +- htdocs/langs/de_DE/interventions.lang | 6 +- htdocs/langs/de_DE/languages.lang | 1 + htdocs/langs/de_DE/ldap.lang | 4 +- htdocs/langs/de_DE/mails.lang | 12 +- htdocs/langs/de_DE/main.lang | 72 +- htdocs/langs/de_DE/members.lang | 20 +- htdocs/langs/de_DE/multicurrency.lang | 10 +- htdocs/langs/de_DE/opensurvey.lang | 2 +- htdocs/langs/de_DE/orders.lang | 4 +- htdocs/langs/de_DE/other.lang | 48 +- htdocs/langs/de_DE/productbatch.lang | 2 +- htdocs/langs/de_DE/products.lang | 9 +- htdocs/langs/de_DE/projects.lang | 13 +- htdocs/langs/de_DE/salaries.lang | 8 +- htdocs/langs/de_DE/sendings.lang | 4 +- htdocs/langs/de_DE/sms.lang | 2 +- htdocs/langs/de_DE/stocks.lang | 6 +- htdocs/langs/de_DE/stripe.lang | 4 +- htdocs/langs/de_DE/suppliers.lang | 2 +- htdocs/langs/de_DE/trips.lang | 18 +- htdocs/langs/de_DE/website.lang | 91 ++- htdocs/langs/de_DE/withdrawals.lang | 2 +- htdocs/langs/el_GR/accountancy.lang | 6 +- htdocs/langs/el_GR/admin.lang | 6 +- htdocs/langs/el_GR/banks.lang | 1 + htdocs/langs/el_GR/bills.lang | 3 + htdocs/langs/el_GR/compta.lang | 1 + htdocs/langs/el_GR/donations.lang | 1 + htdocs/langs/el_GR/errors.lang | 1 + htdocs/langs/el_GR/install.lang | 2 + htdocs/langs/el_GR/languages.lang | 1 + htdocs/langs/el_GR/main.lang | 16 +- htdocs/langs/el_GR/other.lang | 2 + htdocs/langs/el_GR/products.lang | 1 + htdocs/langs/el_GR/projects.lang | 3 + htdocs/langs/el_GR/website.lang | 13 +- htdocs/langs/en_GB/accountancy.lang | 1 - htdocs/langs/en_GB/admin.lang | 2 + htdocs/langs/en_GB/main.lang | 1 - htdocs/langs/es_CL/accountancy.lang | 26 +- htdocs/langs/es_CL/admin.lang | 229 +++--- htdocs/langs/es_CL/agenda.lang | 2 +- htdocs/langs/es_CL/banks.lang | 12 +- htdocs/langs/es_CL/bills.lang | 55 +- htdocs/langs/es_CL/boxes.lang | 27 +- htdocs/langs/es_CL/commercial.lang | 9 +- htdocs/langs/es_CL/companies.lang | 26 +- htdocs/langs/es_CL/compta.lang | 26 +- htdocs/langs/es_CL/ecm.lang | 3 +- htdocs/langs/es_CL/install.lang | 3 +- htdocs/langs/es_CL/interventions.lang | 2 +- htdocs/langs/es_CL/main.lang | 81 +- htdocs/langs/es_CL/members.lang | 2 +- htdocs/langs/es_CL/orders.lang | 41 +- htdocs/langs/es_CL/other.lang | 9 +- htdocs/langs/es_CL/products.lang | 12 +- htdocs/langs/es_CL/projects.lang | 44 +- htdocs/langs/es_CL/workflow.lang | 2 +- htdocs/langs/es_CO/admin.lang | 71 +- htdocs/langs/es_EC/admin.lang | 8 +- htdocs/langs/es_EC/main.lang | 1 - htdocs/langs/es_ES/accountancy.lang | 16 +- htdocs/langs/es_ES/admin.lang | 30 +- htdocs/langs/es_ES/banks.lang | 1 + htdocs/langs/es_ES/bills.lang | 13 +- htdocs/langs/es_ES/compta.lang | 1 + htdocs/langs/es_ES/donations.lang | 1 + htdocs/langs/es_ES/ecm.lang | 6 +- htdocs/langs/es_ES/errors.lang | 9 +- htdocs/langs/es_ES/install.lang | 8 +- htdocs/langs/es_ES/languages.lang | 3 +- htdocs/langs/es_ES/main.lang | 18 +- htdocs/langs/es_ES/modulebuilder.lang | 18 +- htdocs/langs/es_ES/opensurvey.lang | 2 +- htdocs/langs/es_ES/orders.lang | 4 +- htdocs/langs/es_ES/other.lang | 2 + htdocs/langs/es_ES/printing.lang | 4 +- htdocs/langs/es_ES/productbatch.lang | 2 +- htdocs/langs/es_ES/products.lang | 9 +- htdocs/langs/es_ES/projects.lang | 15 +- htdocs/langs/es_ES/stripe.lang | 2 +- htdocs/langs/es_ES/website.lang | 17 +- htdocs/langs/es_ES/workflow.lang | 6 +- htdocs/langs/es_MX/accountancy.lang | 1 - htdocs/langs/es_PE/accountancy.lang | 1 - htdocs/langs/et_EE/accountancy.lang | 6 +- htdocs/langs/et_EE/admin.lang | 6 +- htdocs/langs/et_EE/banks.lang | 1 + htdocs/langs/et_EE/bills.lang | 3 + htdocs/langs/et_EE/compta.lang | 1 + htdocs/langs/et_EE/donations.lang | 1 + htdocs/langs/et_EE/errors.lang | 1 + htdocs/langs/et_EE/install.lang | 2 + htdocs/langs/et_EE/languages.lang | 1 + htdocs/langs/et_EE/main.lang | 16 +- htdocs/langs/et_EE/other.lang | 2 + htdocs/langs/et_EE/products.lang | 1 + htdocs/langs/et_EE/projects.lang | 3 + htdocs/langs/et_EE/website.lang | 13 +- htdocs/langs/eu_ES/accountancy.lang | 6 +- htdocs/langs/eu_ES/admin.lang | 6 +- htdocs/langs/eu_ES/banks.lang | 1 + htdocs/langs/eu_ES/bills.lang | 3 + htdocs/langs/eu_ES/compta.lang | 1 + htdocs/langs/eu_ES/donations.lang | 1 + htdocs/langs/eu_ES/errors.lang | 1 + htdocs/langs/eu_ES/install.lang | 2 + htdocs/langs/eu_ES/languages.lang | 1 + htdocs/langs/eu_ES/main.lang | 16 +- htdocs/langs/eu_ES/other.lang | 2 + htdocs/langs/eu_ES/products.lang | 1 + htdocs/langs/eu_ES/projects.lang | 3 + htdocs/langs/eu_ES/website.lang | 13 +- htdocs/langs/fa_IR/accountancy.lang | 6 +- htdocs/langs/fa_IR/admin.lang | 6 +- htdocs/langs/fa_IR/banks.lang | 1 + htdocs/langs/fa_IR/bills.lang | 3 + htdocs/langs/fa_IR/compta.lang | 1 + htdocs/langs/fa_IR/donations.lang | 1 + htdocs/langs/fa_IR/errors.lang | 1 + htdocs/langs/fa_IR/install.lang | 2 + htdocs/langs/fa_IR/languages.lang | 1 + htdocs/langs/fa_IR/main.lang | 16 +- htdocs/langs/fa_IR/other.lang | 2 + htdocs/langs/fa_IR/products.lang | 1 + htdocs/langs/fa_IR/projects.lang | 3 + htdocs/langs/fa_IR/website.lang | 13 +- htdocs/langs/fi_FI/accountancy.lang | 6 +- htdocs/langs/fi_FI/admin.lang | 6 +- htdocs/langs/fi_FI/banks.lang | 1 + htdocs/langs/fi_FI/bills.lang | 3 + htdocs/langs/fi_FI/compta.lang | 1 + htdocs/langs/fi_FI/donations.lang | 1 + htdocs/langs/fi_FI/errors.lang | 1 + htdocs/langs/fi_FI/install.lang | 2 + htdocs/langs/fi_FI/languages.lang | 1 + htdocs/langs/fi_FI/main.lang | 16 +- htdocs/langs/fi_FI/other.lang | 2 + htdocs/langs/fi_FI/products.lang | 1 + htdocs/langs/fi_FI/projects.lang | 3 + htdocs/langs/fi_FI/website.lang | 13 +- htdocs/langs/fr_CA/accountancy.lang | 1 - htdocs/langs/fr_CA/admin.lang | 1 + htdocs/langs/fr_CA/main.lang | 5 + htdocs/langs/fr_FR/accountancy.lang | 3 +- htdocs/langs/fr_FR/admin.lang | 20 +- htdocs/langs/fr_FR/banks.lang | 1 + htdocs/langs/fr_FR/bills.lang | 1 + htdocs/langs/fr_FR/compta.lang | 13 +- htdocs/langs/fr_FR/cron.lang | 2 +- htdocs/langs/fr_FR/donations.lang | 1 + htdocs/langs/fr_FR/install.lang | 6 +- htdocs/langs/fr_FR/languages.lang | 1 + htdocs/langs/fr_FR/ldap.lang | 2 +- htdocs/langs/fr_FR/main.lang | 10 +- htdocs/langs/fr_FR/modulebuilder.lang | 10 +- htdocs/langs/fr_FR/paypal.lang | 4 +- htdocs/langs/fr_FR/products.lang | 3 +- htdocs/langs/fr_FR/trips.lang | 4 +- htdocs/langs/fr_FR/website.lang | 18 +- htdocs/langs/he_IL/accountancy.lang | 6 +- htdocs/langs/he_IL/admin.lang | 6 +- htdocs/langs/he_IL/banks.lang | 1 + htdocs/langs/he_IL/bills.lang | 3 + htdocs/langs/he_IL/compta.lang | 1 + htdocs/langs/he_IL/donations.lang | 1 + htdocs/langs/he_IL/errors.lang | 1 + htdocs/langs/he_IL/install.lang | 2 + htdocs/langs/he_IL/languages.lang | 1 + htdocs/langs/he_IL/main.lang | 16 +- htdocs/langs/he_IL/other.lang | 2 + htdocs/langs/he_IL/products.lang | 1 + htdocs/langs/he_IL/projects.lang | 3 + htdocs/langs/he_IL/website.lang | 13 +- htdocs/langs/hr_HR/accountancy.lang | 6 +- htdocs/langs/hr_HR/admin.lang | 6 +- htdocs/langs/hr_HR/banks.lang | 1 + htdocs/langs/hr_HR/bills.lang | 3 + htdocs/langs/hr_HR/compta.lang | 1 + htdocs/langs/hr_HR/donations.lang | 1 + htdocs/langs/hr_HR/errors.lang | 1 + htdocs/langs/hr_HR/install.lang | 2 + htdocs/langs/hr_HR/languages.lang | 1 + htdocs/langs/hr_HR/main.lang | 16 +- htdocs/langs/hr_HR/other.lang | 2 + htdocs/langs/hr_HR/products.lang | 1 + htdocs/langs/hr_HR/projects.lang | 3 + htdocs/langs/hr_HR/website.lang | 13 +- htdocs/langs/hu_HU/accountancy.lang | 6 +- htdocs/langs/hu_HU/admin.lang | 6 +- htdocs/langs/hu_HU/banks.lang | 1 + htdocs/langs/hu_HU/bills.lang | 3 + htdocs/langs/hu_HU/compta.lang | 1 + htdocs/langs/hu_HU/donations.lang | 1 + htdocs/langs/hu_HU/errors.lang | 1 + htdocs/langs/hu_HU/install.lang | 2 + htdocs/langs/hu_HU/languages.lang | 1 + htdocs/langs/hu_HU/main.lang | 16 +- htdocs/langs/hu_HU/other.lang | 2 + htdocs/langs/hu_HU/products.lang | 1 + htdocs/langs/hu_HU/projects.lang | 3 + htdocs/langs/hu_HU/website.lang | 13 +- htdocs/langs/id_ID/accountancy.lang | 6 +- htdocs/langs/id_ID/admin.lang | 6 +- htdocs/langs/id_ID/banks.lang | 1 + htdocs/langs/id_ID/bills.lang | 3 + htdocs/langs/id_ID/compta.lang | 1 + htdocs/langs/id_ID/donations.lang | 1 + htdocs/langs/id_ID/errors.lang | 1 + htdocs/langs/id_ID/install.lang | 2 + htdocs/langs/id_ID/languages.lang | 1 + htdocs/langs/id_ID/main.lang | 16 +- htdocs/langs/id_ID/other.lang | 2 + htdocs/langs/id_ID/products.lang | 1 + htdocs/langs/id_ID/projects.lang | 3 + htdocs/langs/id_ID/website.lang | 13 +- htdocs/langs/is_IS/accountancy.lang | 6 +- htdocs/langs/is_IS/admin.lang | 6 +- htdocs/langs/is_IS/banks.lang | 1 + htdocs/langs/is_IS/bills.lang | 3 + htdocs/langs/is_IS/compta.lang | 1 + htdocs/langs/is_IS/donations.lang | 1 + htdocs/langs/is_IS/errors.lang | 1 + htdocs/langs/is_IS/install.lang | 2 + htdocs/langs/is_IS/languages.lang | 1 + htdocs/langs/is_IS/main.lang | 16 +- htdocs/langs/is_IS/other.lang | 2 + htdocs/langs/is_IS/products.lang | 1 + htdocs/langs/is_IS/projects.lang | 3 + htdocs/langs/is_IS/website.lang | 13 +- htdocs/langs/it_IT/accountancy.lang | 6 +- htdocs/langs/it_IT/admin.lang | 30 +- htdocs/langs/it_IT/banks.lang | 1 + htdocs/langs/it_IT/bills.lang | 3 + htdocs/langs/it_IT/cashdesk.lang | 4 +- htdocs/langs/it_IT/companies.lang | 4 +- htdocs/langs/it_IT/compta.lang | 1 + htdocs/langs/it_IT/donations.lang | 1 + htdocs/langs/it_IT/ecm.lang | 6 +- htdocs/langs/it_IT/errors.lang | 1 + htdocs/langs/it_IT/hrm.lang | 4 +- htdocs/langs/it_IT/install.lang | 2 + htdocs/langs/it_IT/languages.lang | 3 +- htdocs/langs/it_IT/main.lang | 114 +-- htdocs/langs/it_IT/opensurvey.lang | 2 +- htdocs/langs/it_IT/other.lang | 2 + htdocs/langs/it_IT/paybox.lang | 8 +- htdocs/langs/it_IT/paypal.lang | 12 +- htdocs/langs/it_IT/productbatch.lang | 2 +- htdocs/langs/it_IT/products.lang | 1 + htdocs/langs/it_IT/projects.lang | 3 + htdocs/langs/it_IT/resource.lang | 6 +- htdocs/langs/it_IT/users.lang | 4 +- htdocs/langs/it_IT/website.lang | 13 +- htdocs/langs/ja_JP/accountancy.lang | 6 +- htdocs/langs/ja_JP/admin.lang | 6 +- htdocs/langs/ja_JP/banks.lang | 1 + htdocs/langs/ja_JP/bills.lang | 3 + htdocs/langs/ja_JP/compta.lang | 1 + htdocs/langs/ja_JP/donations.lang | 1 + htdocs/langs/ja_JP/errors.lang | 1 + htdocs/langs/ja_JP/install.lang | 2 + htdocs/langs/ja_JP/languages.lang | 1 + htdocs/langs/ja_JP/main.lang | 16 +- htdocs/langs/ja_JP/other.lang | 2 + htdocs/langs/ja_JP/products.lang | 1 + htdocs/langs/ja_JP/projects.lang | 3 + htdocs/langs/ja_JP/website.lang | 13 +- htdocs/langs/ka_GE/accountancy.lang | 6 +- htdocs/langs/ka_GE/admin.lang | 6 +- htdocs/langs/ka_GE/banks.lang | 1 + htdocs/langs/ka_GE/bills.lang | 3 + htdocs/langs/ka_GE/compta.lang | 1 + htdocs/langs/ka_GE/donations.lang | 1 + htdocs/langs/ka_GE/errors.lang | 1 + htdocs/langs/ka_GE/install.lang | 2 + htdocs/langs/ka_GE/languages.lang | 1 + htdocs/langs/ka_GE/main.lang | 16 +- htdocs/langs/ka_GE/other.lang | 2 + htdocs/langs/ka_GE/products.lang | 1 + htdocs/langs/ka_GE/projects.lang | 3 + htdocs/langs/ka_GE/website.lang | 13 +- htdocs/langs/km_KH/main.lang | 891 ++++++++++++++++++++++ htdocs/langs/kn_IN/accountancy.lang | 6 +- htdocs/langs/kn_IN/admin.lang | 6 +- htdocs/langs/kn_IN/banks.lang | 1 + htdocs/langs/kn_IN/bills.lang | 3 + htdocs/langs/kn_IN/compta.lang | 1 + htdocs/langs/kn_IN/donations.lang | 1 + htdocs/langs/kn_IN/errors.lang | 1 + htdocs/langs/kn_IN/install.lang | 2 + htdocs/langs/kn_IN/languages.lang | 1 + htdocs/langs/kn_IN/main.lang | 16 +- htdocs/langs/kn_IN/other.lang | 2 + htdocs/langs/kn_IN/products.lang | 1 + htdocs/langs/kn_IN/projects.lang | 3 + htdocs/langs/kn_IN/website.lang | 13 +- htdocs/langs/ko_KR/accountancy.lang | 36 +- htdocs/langs/ko_KR/admin.lang | 124 +-- htdocs/langs/ko_KR/banks.lang | 3 +- htdocs/langs/ko_KR/bills.lang | 3 + htdocs/langs/ko_KR/categories.lang | 8 +- htdocs/langs/ko_KR/compta.lang | 1 + htdocs/langs/ko_KR/donations.lang | 1 + htdocs/langs/ko_KR/errors.lang | 1 + htdocs/langs/ko_KR/install.lang | 2 + htdocs/langs/ko_KR/languages.lang | 1 + htdocs/langs/ko_KR/main.lang | 16 +- htdocs/langs/ko_KR/orders.lang | 4 +- htdocs/langs/ko_KR/other.lang | 2 + htdocs/langs/ko_KR/productbatch.lang | 42 +- htdocs/langs/ko_KR/products.lang | 3 +- htdocs/langs/ko_KR/projects.lang | 3 + htdocs/langs/ko_KR/suppliers.lang | 74 +- htdocs/langs/ko_KR/website.lang | 13 +- htdocs/langs/lo_LA/accountancy.lang | 6 +- htdocs/langs/lo_LA/admin.lang | 6 +- htdocs/langs/lo_LA/banks.lang | 1 + htdocs/langs/lo_LA/bills.lang | 3 + htdocs/langs/lo_LA/compta.lang | 1 + htdocs/langs/lo_LA/donations.lang | 1 + htdocs/langs/lo_LA/errors.lang | 1 + htdocs/langs/lo_LA/install.lang | 2 + htdocs/langs/lo_LA/languages.lang | 1 + htdocs/langs/lo_LA/main.lang | 16 +- htdocs/langs/lo_LA/other.lang | 2 + htdocs/langs/lo_LA/products.lang | 1 + htdocs/langs/lo_LA/projects.lang | 3 + htdocs/langs/lo_LA/website.lang | 13 +- htdocs/langs/lt_LT/accountancy.lang | 30 +- htdocs/langs/lt_LT/admin.lang | 10 +- htdocs/langs/lt_LT/banks.lang | 1 + htdocs/langs/lt_LT/bills.lang | 3 + htdocs/langs/lt_LT/compta.lang | 1 + htdocs/langs/lt_LT/donations.lang | 1 + htdocs/langs/lt_LT/errors.lang | 1 + htdocs/langs/lt_LT/install.lang | 2 + htdocs/langs/lt_LT/languages.lang | 1 + htdocs/langs/lt_LT/mailmanspip.lang | 8 +- htdocs/langs/lt_LT/main.lang | 16 +- htdocs/langs/lt_LT/opensurvey.lang | 4 +- htdocs/langs/lt_LT/other.lang | 2 + htdocs/langs/lt_LT/products.lang | 1 + htdocs/langs/lt_LT/projects.lang | 3 + htdocs/langs/lt_LT/website.lang | 13 +- htdocs/langs/lv_LV/accountancy.lang | 18 +- htdocs/langs/lv_LV/admin.lang | 74 +- htdocs/langs/lv_LV/agenda.lang | 2 +- htdocs/langs/lv_LV/banks.lang | 3 +- htdocs/langs/lv_LV/bills.lang | 17 +- htdocs/langs/lv_LV/boxes.lang | 8 +- htdocs/langs/lv_LV/categories.lang | 2 +- htdocs/langs/lv_LV/companies.lang | 2 +- htdocs/langs/lv_LV/compta.lang | 13 +- htdocs/langs/lv_LV/dict.lang | 2 +- htdocs/langs/lv_LV/donations.lang | 1 + htdocs/langs/lv_LV/ecm.lang | 2 +- htdocs/langs/lv_LV/errors.lang | 5 +- htdocs/langs/lv_LV/exports.lang | 2 +- htdocs/langs/lv_LV/install.lang | 2 + htdocs/langs/lv_LV/languages.lang | 1 + htdocs/langs/lv_LV/loan.lang | 4 +- htdocs/langs/lv_LV/mails.lang | 6 +- htdocs/langs/lv_LV/main.lang | 60 +- htdocs/langs/lv_LV/modulebuilder.lang | 16 +- htdocs/langs/lv_LV/multicurrency.lang | 2 +- htdocs/langs/lv_LV/oauth.lang | 2 +- htdocs/langs/lv_LV/orders.lang | 2 +- htdocs/langs/lv_LV/other.lang | 4 +- htdocs/langs/lv_LV/products.lang | 29 +- htdocs/langs/lv_LV/projects.lang | 3 + htdocs/langs/lv_LV/sendings.lang | 2 +- htdocs/langs/lv_LV/stocks.lang | 10 +- htdocs/langs/lv_LV/supplier_proposal.lang | 2 +- htdocs/langs/lv_LV/trips.lang | 14 +- htdocs/langs/lv_LV/website.lang | 43 +- htdocs/langs/lv_LV/withdrawals.lang | 4 +- htdocs/langs/lv_LV/workflow.lang | 2 +- htdocs/langs/mk_MK/accountancy.lang | 6 +- htdocs/langs/mk_MK/admin.lang | 6 +- htdocs/langs/mk_MK/banks.lang | 1 + htdocs/langs/mk_MK/bills.lang | 3 + htdocs/langs/mk_MK/compta.lang | 1 + htdocs/langs/mk_MK/donations.lang | 1 + htdocs/langs/mk_MK/errors.lang | 1 + htdocs/langs/mk_MK/install.lang | 2 + htdocs/langs/mk_MK/languages.lang | 1 + htdocs/langs/mk_MK/main.lang | 16 +- htdocs/langs/mk_MK/other.lang | 2 + htdocs/langs/mk_MK/products.lang | 1 + htdocs/langs/mk_MK/projects.lang | 3 + htdocs/langs/mk_MK/website.lang | 13 +- htdocs/langs/mn_MN/accountancy.lang | 6 +- htdocs/langs/mn_MN/admin.lang | 6 +- htdocs/langs/mn_MN/banks.lang | 1 + htdocs/langs/mn_MN/bills.lang | 3 + htdocs/langs/mn_MN/compta.lang | 1 + htdocs/langs/mn_MN/donations.lang | 1 + htdocs/langs/mn_MN/errors.lang | 1 + htdocs/langs/mn_MN/install.lang | 2 + htdocs/langs/mn_MN/languages.lang | 1 + htdocs/langs/mn_MN/main.lang | 16 +- htdocs/langs/mn_MN/other.lang | 2 + htdocs/langs/mn_MN/products.lang | 1 + htdocs/langs/mn_MN/projects.lang | 3 + htdocs/langs/mn_MN/website.lang | 13 +- htdocs/langs/nb_NO/accountancy.lang | 6 +- htdocs/langs/nb_NO/admin.lang | 10 +- htdocs/langs/nb_NO/banks.lang | 1 + htdocs/langs/nb_NO/bills.lang | 3 + htdocs/langs/nb_NO/compta.lang | 1 + htdocs/langs/nb_NO/donations.lang | 1 + htdocs/langs/nb_NO/errors.lang | 3 +- htdocs/langs/nb_NO/install.lang | 2 + htdocs/langs/nb_NO/languages.lang | 1 + htdocs/langs/nb_NO/main.lang | 16 +- htdocs/langs/nb_NO/other.lang | 2 + htdocs/langs/nb_NO/products.lang | 1 + htdocs/langs/nb_NO/projects.lang | 3 + htdocs/langs/nb_NO/website.lang | 13 +- htdocs/langs/nl_BE/accountancy.lang | 1 - htdocs/langs/nl_BE/admin.lang | 16 +- htdocs/langs/nl_BE/install.lang | 20 + htdocs/langs/nl_NL/accountancy.lang | 6 +- htdocs/langs/nl_NL/admin.lang | 124 +-- htdocs/langs/nl_NL/banks.lang | 1 + htdocs/langs/nl_NL/bills.lang | 3 + htdocs/langs/nl_NL/compta.lang | 1 + htdocs/langs/nl_NL/donations.lang | 1 + htdocs/langs/nl_NL/errors.lang | 1 + htdocs/langs/nl_NL/install.lang | 66 +- htdocs/langs/nl_NL/languages.lang | 1 + htdocs/langs/nl_NL/main.lang | 16 +- htdocs/langs/nl_NL/other.lang | 2 + htdocs/langs/nl_NL/products.lang | 1 + htdocs/langs/nl_NL/projects.lang | 3 + htdocs/langs/nl_NL/website.lang | 13 +- htdocs/langs/pl_PL/accountancy.lang | 6 +- htdocs/langs/pl_PL/admin.lang | 6 +- htdocs/langs/pl_PL/banks.lang | 1 + htdocs/langs/pl_PL/bills.lang | 3 + htdocs/langs/pl_PL/boxes.lang | 2 +- htdocs/langs/pl_PL/companies.lang | 6 +- htdocs/langs/pl_PL/compta.lang | 1 + htdocs/langs/pl_PL/donations.lang | 1 + htdocs/langs/pl_PL/errors.lang | 1 + htdocs/langs/pl_PL/holiday.lang | 4 +- htdocs/langs/pl_PL/install.lang | 8 +- htdocs/langs/pl_PL/languages.lang | 3 +- htdocs/langs/pl_PL/main.lang | 16 +- htdocs/langs/pl_PL/opensurvey.lang | 2 +- htdocs/langs/pl_PL/other.lang | 2 + htdocs/langs/pl_PL/products.lang | 1 + htdocs/langs/pl_PL/projects.lang | 3 + htdocs/langs/pl_PL/propal.lang | 2 +- htdocs/langs/pl_PL/sms.lang | 2 +- htdocs/langs/pl_PL/website.lang | 13 +- htdocs/langs/pt_BR/accountancy.lang | 1 - htdocs/langs/pt_BR/admin.lang | 1 - htdocs/langs/pt_BR/banks.lang | 1 + htdocs/langs/pt_PT/accountancy.lang | 6 +- htdocs/langs/pt_PT/admin.lang | 134 ++-- htdocs/langs/pt_PT/banks.lang | 1 + htdocs/langs/pt_PT/bills.lang | 3 + htdocs/langs/pt_PT/compta.lang | 1 + htdocs/langs/pt_PT/donations.lang | 1 + htdocs/langs/pt_PT/errors.lang | 1 + htdocs/langs/pt_PT/install.lang | 2 + htdocs/langs/pt_PT/languages.lang | 1 + htdocs/langs/pt_PT/main.lang | 16 +- htdocs/langs/pt_PT/other.lang | 2 + htdocs/langs/pt_PT/products.lang | 1 + htdocs/langs/pt_PT/projects.lang | 3 + htdocs/langs/pt_PT/website.lang | 13 +- htdocs/langs/ro_RO/accountancy.lang | 6 +- htdocs/langs/ro_RO/admin.lang | 6 +- htdocs/langs/ro_RO/banks.lang | 1 + htdocs/langs/ro_RO/bills.lang | 3 + htdocs/langs/ro_RO/compta.lang | 1 + htdocs/langs/ro_RO/donations.lang | 1 + htdocs/langs/ro_RO/errors.lang | 1 + htdocs/langs/ro_RO/install.lang | 2 + htdocs/langs/ro_RO/languages.lang | 1 + htdocs/langs/ro_RO/main.lang | 16 +- htdocs/langs/ro_RO/other.lang | 2 + htdocs/langs/ro_RO/products.lang | 1 + htdocs/langs/ro_RO/projects.lang | 3 + htdocs/langs/ro_RO/website.lang | 13 +- htdocs/langs/ru_RU/accountancy.lang | 6 +- htdocs/langs/ru_RU/admin.lang | 22 +- htdocs/langs/ru_RU/agenda.lang | 2 +- htdocs/langs/ru_RU/banks.lang | 1 + htdocs/langs/ru_RU/bills.lang | 5 +- htdocs/langs/ru_RU/companies.lang | 4 +- htdocs/langs/ru_RU/compta.lang | 1 + htdocs/langs/ru_RU/donations.lang | 1 + htdocs/langs/ru_RU/errors.lang | 1 + htdocs/langs/ru_RU/install.lang | 2 + htdocs/langs/ru_RU/languages.lang | 1 + htdocs/langs/ru_RU/main.lang | 16 +- htdocs/langs/ru_RU/orders.lang | 2 +- htdocs/langs/ru_RU/other.lang | 2 + htdocs/langs/ru_RU/products.lang | 7 +- htdocs/langs/ru_RU/projects.lang | 3 + htdocs/langs/ru_RU/sendings.lang | 2 +- htdocs/langs/ru_RU/supplier_proposal.lang | 8 +- htdocs/langs/ru_RU/website.lang | 13 +- htdocs/langs/sk_SK/accountancy.lang | 6 +- htdocs/langs/sk_SK/admin.lang | 6 +- htdocs/langs/sk_SK/banks.lang | 1 + htdocs/langs/sk_SK/bills.lang | 3 + htdocs/langs/sk_SK/compta.lang | 1 + htdocs/langs/sk_SK/donations.lang | 1 + htdocs/langs/sk_SK/errors.lang | 1 + htdocs/langs/sk_SK/install.lang | 2 + htdocs/langs/sk_SK/languages.lang | 1 + htdocs/langs/sk_SK/main.lang | 16 +- htdocs/langs/sk_SK/other.lang | 2 + htdocs/langs/sk_SK/products.lang | 1 + htdocs/langs/sk_SK/projects.lang | 3 + htdocs/langs/sk_SK/website.lang | 13 +- htdocs/langs/sl_SI/accountancy.lang | 6 +- htdocs/langs/sl_SI/admin.lang | 6 +- htdocs/langs/sl_SI/banks.lang | 1 + htdocs/langs/sl_SI/bills.lang | 3 + htdocs/langs/sl_SI/compta.lang | 1 + htdocs/langs/sl_SI/donations.lang | 1 + htdocs/langs/sl_SI/errors.lang | 1 + htdocs/langs/sl_SI/install.lang | 2 + htdocs/langs/sl_SI/languages.lang | 1 + htdocs/langs/sl_SI/main.lang | 16 +- htdocs/langs/sl_SI/other.lang | 2 + htdocs/langs/sl_SI/products.lang | 1 + htdocs/langs/sl_SI/projects.lang | 3 + htdocs/langs/sl_SI/website.lang | 13 +- htdocs/langs/sq_AL/accountancy.lang | 6 +- htdocs/langs/sq_AL/admin.lang | 40 +- htdocs/langs/sq_AL/banks.lang | 1 + htdocs/langs/sq_AL/bills.lang | 3 + htdocs/langs/sq_AL/compta.lang | 1 + htdocs/langs/sq_AL/deliveries.lang | 6 +- htdocs/langs/sq_AL/donations.lang | 1 + htdocs/langs/sq_AL/ecm.lang | 2 +- htdocs/langs/sq_AL/errors.lang | 1 + htdocs/langs/sq_AL/install.lang | 2 + htdocs/langs/sq_AL/languages.lang | 1 + htdocs/langs/sq_AL/mails.lang | 2 +- htdocs/langs/sq_AL/main.lang | 16 +- htdocs/langs/sq_AL/oauth.lang | 8 +- htdocs/langs/sq_AL/other.lang | 2 + htdocs/langs/sq_AL/products.lang | 1 + htdocs/langs/sq_AL/projects.lang | 3 + htdocs/langs/sq_AL/salaries.lang | 12 +- htdocs/langs/sq_AL/sms.lang | 2 +- htdocs/langs/sq_AL/website.lang | 13 +- htdocs/langs/sr_RS/accountancy.lang | 6 +- htdocs/langs/sr_RS/admin.lang | 6 +- htdocs/langs/sr_RS/banks.lang | 1 + htdocs/langs/sr_RS/bills.lang | 3 + htdocs/langs/sr_RS/compta.lang | 1 + htdocs/langs/sr_RS/donations.lang | 1 + htdocs/langs/sr_RS/errors.lang | 1 + htdocs/langs/sr_RS/install.lang | 2 + htdocs/langs/sr_RS/languages.lang | 1 + htdocs/langs/sr_RS/main.lang | 16 +- htdocs/langs/sr_RS/other.lang | 2 + htdocs/langs/sr_RS/products.lang | 1 + htdocs/langs/sr_RS/projects.lang | 3 + htdocs/langs/sv_SE/accountancy.lang | 6 +- htdocs/langs/sv_SE/admin.lang | 6 +- htdocs/langs/sv_SE/banks.lang | 1 + htdocs/langs/sv_SE/bills.lang | 3 + htdocs/langs/sv_SE/compta.lang | 1 + htdocs/langs/sv_SE/donations.lang | 1 + htdocs/langs/sv_SE/errors.lang | 1 + htdocs/langs/sv_SE/install.lang | 2 + htdocs/langs/sv_SE/languages.lang | 1 + htdocs/langs/sv_SE/main.lang | 16 +- htdocs/langs/sv_SE/other.lang | 2 + htdocs/langs/sv_SE/products.lang | 1 + htdocs/langs/sv_SE/projects.lang | 3 + htdocs/langs/sv_SE/website.lang | 13 +- htdocs/langs/sw_SW/accountancy.lang | 6 +- htdocs/langs/sw_SW/admin.lang | 6 +- htdocs/langs/sw_SW/banks.lang | 1 + htdocs/langs/sw_SW/bills.lang | 3 + htdocs/langs/sw_SW/compta.lang | 1 + htdocs/langs/sw_SW/donations.lang | 1 + htdocs/langs/sw_SW/errors.lang | 1 + htdocs/langs/sw_SW/install.lang | 2 + htdocs/langs/sw_SW/languages.lang | 1 + htdocs/langs/sw_SW/main.lang | 16 +- htdocs/langs/sw_SW/other.lang | 2 + htdocs/langs/sw_SW/products.lang | 1 + htdocs/langs/sw_SW/projects.lang | 3 + htdocs/langs/th_TH/accountancy.lang | 6 +- htdocs/langs/th_TH/admin.lang | 6 +- htdocs/langs/th_TH/banks.lang | 1 + htdocs/langs/th_TH/bills.lang | 3 + htdocs/langs/th_TH/compta.lang | 1 + htdocs/langs/th_TH/donations.lang | 1 + htdocs/langs/th_TH/errors.lang | 1 + htdocs/langs/th_TH/install.lang | 2 + htdocs/langs/th_TH/languages.lang | 1 + htdocs/langs/th_TH/main.lang | 16 +- htdocs/langs/th_TH/members.lang | 2 +- htdocs/langs/th_TH/other.lang | 2 + htdocs/langs/th_TH/productbatch.lang | 4 +- htdocs/langs/th_TH/products.lang | 1 + htdocs/langs/th_TH/projects.lang | 3 + htdocs/langs/th_TH/website.lang | 13 +- htdocs/langs/tr_TR/accountancy.lang | 6 +- htdocs/langs/tr_TR/admin.lang | 6 +- htdocs/langs/tr_TR/banks.lang | 1 + htdocs/langs/tr_TR/bills.lang | 3 + htdocs/langs/tr_TR/compta.lang | 1 + htdocs/langs/tr_TR/donations.lang | 1 + htdocs/langs/tr_TR/errors.lang | 1 + htdocs/langs/tr_TR/install.lang | 2 + htdocs/langs/tr_TR/languages.lang | 3 +- htdocs/langs/tr_TR/main.lang | 16 +- htdocs/langs/tr_TR/other.lang | 2 + htdocs/langs/tr_TR/products.lang | 1 + htdocs/langs/tr_TR/projects.lang | 3 + htdocs/langs/tr_TR/website.lang | 13 +- htdocs/langs/uk_UA/accountancy.lang | 6 +- htdocs/langs/uk_UA/admin.lang | 6 +- htdocs/langs/uk_UA/banks.lang | 1 + htdocs/langs/uk_UA/bills.lang | 3 + htdocs/langs/uk_UA/compta.lang | 1 + htdocs/langs/uk_UA/donations.lang | 1 + htdocs/langs/uk_UA/errors.lang | 1 + htdocs/langs/uk_UA/install.lang | 2 + htdocs/langs/uk_UA/languages.lang | 1 + htdocs/langs/uk_UA/main.lang | 16 +- htdocs/langs/uk_UA/other.lang | 2 + htdocs/langs/uk_UA/products.lang | 1 + htdocs/langs/uk_UA/projects.lang | 3 + htdocs/langs/uk_UA/website.lang | 13 +- htdocs/langs/uz_UZ/accountancy.lang | 6 +- htdocs/langs/uz_UZ/admin.lang | 6 +- htdocs/langs/uz_UZ/banks.lang | 1 + htdocs/langs/uz_UZ/bills.lang | 3 + htdocs/langs/uz_UZ/compta.lang | 1 + htdocs/langs/uz_UZ/donations.lang | 1 + htdocs/langs/uz_UZ/errors.lang | 1 + htdocs/langs/uz_UZ/install.lang | 2 + htdocs/langs/uz_UZ/languages.lang | 1 + htdocs/langs/uz_UZ/main.lang | 16 +- htdocs/langs/uz_UZ/other.lang | 2 + htdocs/langs/uz_UZ/products.lang | 1 + htdocs/langs/uz_UZ/projects.lang | 3 + htdocs/langs/vi_VN/accountancy.lang | 6 +- htdocs/langs/vi_VN/admin.lang | 6 +- htdocs/langs/vi_VN/banks.lang | 1 + htdocs/langs/vi_VN/bills.lang | 3 + htdocs/langs/vi_VN/compta.lang | 1 + htdocs/langs/vi_VN/donations.lang | 1 + htdocs/langs/vi_VN/errors.lang | 1 + htdocs/langs/vi_VN/install.lang | 2 + htdocs/langs/vi_VN/languages.lang | 1 + htdocs/langs/vi_VN/main.lang | 16 +- htdocs/langs/vi_VN/other.lang | 2 + htdocs/langs/vi_VN/products.lang | 1 + htdocs/langs/vi_VN/projects.lang | 3 + htdocs/langs/vi_VN/website.lang | 13 +- htdocs/langs/zh_CN/accountancy.lang | 6 +- htdocs/langs/zh_CN/admin.lang | 24 +- htdocs/langs/zh_CN/banks.lang | 1 + htdocs/langs/zh_CN/bills.lang | 3 + htdocs/langs/zh_CN/compta.lang | 1 + htdocs/langs/zh_CN/donations.lang | 1 + htdocs/langs/zh_CN/errors.lang | 1 + htdocs/langs/zh_CN/install.lang | 2 + htdocs/langs/zh_CN/languages.lang | 1 + htdocs/langs/zh_CN/main.lang | 16 +- htdocs/langs/zh_CN/other.lang | 2 + htdocs/langs/zh_CN/products.lang | 1 + htdocs/langs/zh_CN/projects.lang | 3 + htdocs/langs/zh_CN/suppliers.lang | 32 +- htdocs/langs/zh_CN/website.lang | 13 +- htdocs/langs/zh_CN/workflow.lang | 28 +- htdocs/langs/zh_TW/accountancy.lang | 6 +- htdocs/langs/zh_TW/admin.lang | 6 +- htdocs/langs/zh_TW/banks.lang | 1 + htdocs/langs/zh_TW/bills.lang | 3 + htdocs/langs/zh_TW/compta.lang | 1 + htdocs/langs/zh_TW/donations.lang | 1 + htdocs/langs/zh_TW/errors.lang | 1 + htdocs/langs/zh_TW/install.lang | 2 + htdocs/langs/zh_TW/languages.lang | 1 + htdocs/langs/zh_TW/main.lang | 16 +- htdocs/langs/zh_TW/other.lang | 2 + htdocs/langs/zh_TW/products.lang | 1 + htdocs/langs/zh_TW/projects.lang | 3 + htdocs/langs/zh_TW/website.lang | 13 +- 845 files changed, 5268 insertions(+), 2480 deletions(-) diff --git a/htdocs/langs/ar_EG/admin.lang b/htdocs/langs/ar_EG/admin.lang index 8bf0f108658a2..b24eb9216d5dd 100644 --- a/htdocs/langs/ar_EG/admin.lang +++ b/htdocs/langs/ar_EG/admin.lang @@ -30,4 +30,6 @@ AntiVirusParamExample=Example for ClamWin: --database="C:\\Program Files (x86)\\ ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir Module25Name=أمر شراء Module25Desc=إدارة أوامر الشراء +Module700Name=تبرعات +Module1780Name=الأوسمة/التصنيفات Permission81=قراءة أوامر الشراء diff --git a/htdocs/langs/ar_SA/accountancy.lang b/htdocs/langs/ar_SA/accountancy.lang index 97442672b5248..0acd030c5dbf2 100644 --- a/htdocs/langs/ar_SA/accountancy.lang +++ b/htdocs/langs/ar_SA/accountancy.lang @@ -5,7 +5,7 @@ ACCOUNTING_EXPORT_PIECE=تصدير عدد القطعة ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=تصدير مع الحساب العام ACCOUNTING_EXPORT_LABEL=تصدير التسمية ACCOUNTING_EXPORT_AMOUNT=تصدير الكمية -ACCOUNTING_EXPORT_DEVISE=Export currency +ACCOUNTING_EXPORT_DEVISE=تصدير العملة Selectformat=حدد تنسيق للملف ACCOUNTING_EXPORT_FORMAT=حدد تنسيق للملف ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type @@ -110,7 +110,7 @@ IntoAccount=Bind line with the accounting account Ventilate=Bind LineId=Id line Processing=معالجة -EndProcessing=Process terminated. +EndProcessing=انتهت العملية SelectedLines=الخطوط المحددة Lineofinvoice=خط الفاتورة LineOfExpenseReport=Line of expense report @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=قائمة الحسابات المحاسبية 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=نموذج التصدير -OptionsDeactivatedForThisExportModel=تم الغاء الخيارات لنموذج التصدير هذا Selectmodelcsv=تحديد نموذج للتصدير Modelcsv_normal=تصدير كلاسيكي Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id @@ -262,7 +262,7 @@ ChartofaccountsId=Chart of accounts Id 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. -Options=Options +Options=الخيارات OptionModeProductSell=Mode sales OptionModeProductBuy=Mode purchases OptionModeProductSellDesc=Show all products with accounting account for sales. @@ -277,7 +277,7 @@ ValueNotIntoChartOfAccount=This value of accounting account does not exist into ## Dictionary Range=Range of accounting account Calculated=Calculated -Formula=Formula +Formula=معادلة ## Error SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang index 3cf9940dcaa3e..1b7892946ea20 100644 --- a/htdocs/langs/ar_SA/admin.lang +++ b/htdocs/langs/ar_SA/admin.lang @@ -539,7 +539,7 @@ Module320Desc=إضافة تغذية RSS داخل الشاشة صفحة Dolibarr Module330Name=العناوين Module330Desc=إدارة العناوين Module400Name=المشاريع / الفرص / يؤدي -Module400Desc=إدارة المشاريع والفرص أو الخيوط. ثم يمكنك تعيين أي عنصر (الفاتورة، النظام، اقتراح، والتدخل، ...) لمشروع والحصول على عرض مستعرضة من وجهة نظر المشروع. +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=Webcalendar Module410Desc=التكامل Webcalendar Module500Name=المصروفات الخاصة @@ -890,7 +890,7 @@ DictionaryStaff=العاملين DictionaryAvailability=تأخير تسليم DictionaryOrderMethods=طرق ترتيب DictionarySource=أصل مقترحات / أوامر -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=نماذج للتخطيط للحسابات DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=رسائل البريد الإلكتروني قوالب @@ -904,6 +904,7 @@ SetupSaved=الإعداد المحفوظة SetupNotSaved=Setup not saved BackToModuleList=العودة إلى قائمة الوحدات BackToDictionaryList=العودة إلى قائمة القواميس +TypeOfRevenueStamp=Type of revenue 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ù. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/ar_SA/banks.lang b/htdocs/langs/ar_SA/banks.lang index 372b3c8758faa..16dc3a1fd1c7b 100644 --- a/htdocs/langs/ar_SA/banks.lang +++ b/htdocs/langs/ar_SA/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=عدد LineRecord=المعاملات AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=طريق التصالح DateConciliating=التوفيق التاريخ BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/ar_SA/bills.lang b/htdocs/langs/ar_SA/bills.lang index 08fe4dd88ede5..d9f68acc17718 100644 --- a/htdocs/langs/ar_SA/bills.lang +++ b/htdocs/langs/ar_SA/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=في وقت متأخر المدفوعات BillsStatistics=عملاء الفواتير إحصاءات BillsStatisticsSuppliers=فواتير الموردين إحصاءات +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=فاتورة موحدة InvoiceStandardAsk=فاتورة موحدة @@ -176,6 +178,7 @@ 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=تبقى بدون أجر (%s%s) هو الخصم الممنوح لأنه تم السداد قبل الأجل. I تسوية الضريبة على القيمة المضافة مع ملاحظة الائتمان. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=تبقى بدون أجر (%s%s) هو الخصم الممنوح لأنه تم السداد قبل الأجل. أنا أقبل أن تفقد ضريبة القيمة المضافة على هذا الخصم. ConfirmClassifyPaidPartiallyReasonDiscountVat=تبقى بدون أجر (%s%s) هو الخصم الممنوح لأنه تم السداد قبل الأجل. I استرداد ضريبة القيمة المضافة على هذا الخصم دون مذكرة الائتمان. ConfirmClassifyPaidPartiallyReasonBadCustomer=العملاء سيئة diff --git a/htdocs/langs/ar_SA/compta.lang b/htdocs/langs/ar_SA/compta.lang index 664b73a0fc73e..e117108ac5572 100644 --- a/htdocs/langs/ar_SA/compta.lang +++ b/htdocs/langs/ar_SA/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=المدفوعات ليست مرتبطة بأي ال PaymentsNotLinkedToUser=المدفوعات ليست مرتبطة بأي مستخدم Profit=الأرباح AccountingResult=نتيجة المحاسبة +BalanceBefore=Balance (before) Balance=التوازن Debit=الخصم Credit=الائتمان diff --git a/htdocs/langs/ar_SA/donations.lang b/htdocs/langs/ar_SA/donations.lang index 8d6f924ead07d..492a364cd4ea7 100644 --- a/htdocs/langs/ar_SA/donations.lang +++ b/htdocs/langs/ar_SA/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=تبين المادة 200 من CGI إذا كنت تشعر بال DONATION_ART238=تبين المادة 238 من CGI إذا كنت تشعر بالقلق DONATION_ART885=تبين المادة 885 من CGI إذا كنت تشعر بالقلق DonationPayment=دفع التبرع +DonationValidated=Donation %s validated diff --git a/htdocs/langs/ar_SA/errors.lang b/htdocs/langs/ar_SA/errors.lang index 792ee884d9ecc..668395b2676e3 100644 --- a/htdocs/langs/ar_SA/errors.lang +++ b/htdocs/langs/ar_SA/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=التعبير فارغة ErrorPriceExpression21=نتيجة فارغة '٪ ق' ErrorPriceExpression22=نتيجة سلبية '٪ ق' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=خطأ داخلي '٪ ق' ErrorPriceExpressionUnknown=خطأ غير معروف '٪ ق' ErrorSrcAndTargetWarehouseMustDiffers=يجب المصدر والهدف يختلف المستودعات diff --git a/htdocs/langs/ar_SA/help.lang b/htdocs/langs/ar_SA/help.lang index 4d5587531f83d..4510c6ed7d6cf 100644 --- a/htdocs/langs/ar_SA/help.lang +++ b/htdocs/langs/ar_SA/help.lang @@ -13,7 +13,7 @@ TypeSupportCommercial=التجارية TypeOfHelp=نوع NeedHelpCenter=Need help or support? Efficiency=الكفاءة -TypeHelpOnly=يساعد فقط +TypeHelpOnly=فقط مساعدة TypeHelpDev=+ المساعدة على التنمية TypeHelpDevForm=مساعدة التنمية + + تشكيل ToGetHelpGoOnSparkAngels1=ويمكن أن توفر بعض الشركات سريعة (ما الفورية) ، وزيادة كفاءة شبكة الإنترنت عن طريق دعم السيطرة على جهاز الكمبيوتر الخاص بك. مساعدات من هذا القبيل يمكن الاطلاع على الموقع الإلكتروني ل ٪ : @@ -21,6 +21,6 @@ ToGetHelpGoOnSparkAngels3=كما يمكنك الذهاب الى قائمة ال ToGetHelpGoOnSparkAngels2=في بعض الأحيان ، لا يوجد أي شركة المتاحة في الوقت الراهن تقوم بإجراء البحث ، لذلك اعتقد تغيير فلتر للبحث عن "توافر جميع". ستتمكن من ارسال المزيد من الطلبات. BackToHelpCenter=Otherwise, click here to go الى الصفحة الرئيسية لمركز المساعدة. LinkToGoldMember=تستطيع الاتصال به من قبل المدرب مختار مسبقا لغتك Dolibarr (٪) عن طريق النقر فوق القطعة له (والحد الاعلى لسعر يتم تحديثها تلقائيا) : -PossibleLanguages=وأيد لغات +PossibleLanguages=اللغات المدعومة SubscribeToFoundation=مساعدة مشروع Dolibarr، الاشتراك في الجمعية SeeOfficalSupport=للحصول على الدعم Dolibarr الرسمي في لغتك:
٪ الصورة diff --git a/htdocs/langs/ar_SA/install.lang b/htdocs/langs/ar_SA/install.lang index a3fac32679278..1c63a302a58cd 100644 --- a/htdocs/langs/ar_SA/install.lang +++ b/htdocs/langs/ar_SA/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=يمكنك استخدام معالج إعداد Dolibar 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 ######### # upgrade MigrationFixData=إصلاح البيانات الذي لم تتم تسويته @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=إعادة تحديث الوحدات %s +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. diff --git a/htdocs/langs/ar_SA/languages.lang b/htdocs/langs/ar_SA/languages.lang index f91a6ca2b0d2e..7b27cc3501090 100644 --- a/htdocs/langs/ar_SA/languages.lang +++ b/htdocs/langs/ar_SA/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=الإسبانية (بنما) Language_es_PY=الأسبانية (باراغواي) Language_es_PE=الإسبانية (بيرو) Language_es_PR=الأسبانية (بورتو ريكو) +Language_es_UY=Spanish (Uruguay) Language_es_VE=الإسبانية (فنزويلا) Language_et_EE=الإستونية Language_eu_ES=الباسكي diff --git a/htdocs/langs/ar_SA/main.lang b/htdocs/langs/ar_SA/main.lang index 252e4dd74e25f..243be2d77f3a6 100644 --- a/htdocs/langs/ar_SA/main.lang +++ b/htdocs/langs/ar_SA/main.lang @@ -548,6 +548,18 @@ MonthShort09=سبتمبر MonthShort10=أكتوبر MonthShort11=نوفمبر MonthShort12=ديسمبر +MonthVeryShort01=J +MonthVeryShort02=واو +MonthVeryShort03=م +MonthVeryShort04=A +MonthVeryShort05=م +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=دإ +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=الملفات والمستندات المرفقة JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=تحديد الحساب المصرفي AccountCurrency=Account currency ViewPrivateNote=عرض الملاحظات XMoreLines=٪ ق خط (ق) مخبأة -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=URL العام AddBox=إضافة مربع SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=مشاريع مشتركة +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/ar_SA/other.lang b/htdocs/langs/ar_SA/other.lang index 7914fb9e376ba..847b95e991f13 100644 --- a/htdocs/langs/ar_SA/other.lang +++ b/htdocs/langs/ar_SA/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=إذا قدر أعلى من٪ الصورة SourcesRepository=مستودع للمصادر Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=صادرات المنطقة diff --git a/htdocs/langs/ar_SA/products.lang b/htdocs/langs/ar_SA/products.lang index e43e13d775cb1..fabeb3972b453 100644 --- a/htdocs/langs/ar_SA/products.lang +++ b/htdocs/langs/ar_SA/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=السعر الحالي AlwaysUseNewPrice=دائما استخدم السعر الحالي للمنتج / الخدمة AlwaysUseFixedPrice=استخدم السعر الثابت PriceByQuantity=أسعار مختلفة حسب الكمية +DisablePriceByQty=Disable prices by quantity 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 diff --git a/htdocs/langs/ar_SA/projects.lang b/htdocs/langs/ar_SA/projects.lang index bd877d910cf1a..11f389ec67d13 100644 --- a/htdocs/langs/ar_SA/projects.lang +++ b/htdocs/langs/ar_SA/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=بانتظار OppStatusWON=فاز OppStatusLOST=ضائع 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/ar_SA/website.lang b/htdocs/langs/ar_SA/website.lang index e019dc542aa73..649c60e30800d 100644 --- a/htdocs/langs/ar_SA/website.lang +++ b/htdocs/langs/ar_SA/website.lang @@ -3,15 +3,17 @@ Shortname=رمز WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/bg_BG/accountancy.lang b/htdocs/langs/bg_BG/accountancy.lang index 67b0bd2c7733a..a6c9ecd1cfef5 100644 --- a/htdocs/langs/bg_BG/accountancy.lang +++ b/htdocs/langs/bg_BG/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Номер на част TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang index ff752032c3cb4..95780a9da293b 100644 --- a/htdocs/langs/bg_BG/admin.lang +++ b/htdocs/langs/bg_BG/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Добавяне на RSS емисия в страниците н Module330Name=Отметки Module330Desc=Управление на отметките Module400Name=Проекти/Възможности -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar интеграция Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup спаси SetupNotSaved=Setup not saved BackToModuleList=Обратно към списъка с модули BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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, които могат да бъдат използвани за подобни случаи сдружения, лицата ОУ малките фирми. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/bg_BG/banks.lang b/htdocs/langs/bg_BG/banks.lang index 5df06ad1662a6..7bdcc6e9c22b9 100644 --- a/htdocs/langs/bg_BG/banks.lang +++ b/htdocs/langs/bg_BG/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Номер LineRecord=Транзакция AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Съгласуват от DateConciliating=Reconcile дата BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/bg_BG/bills.lang b/htdocs/langs/bg_BG/bills.lang index 9007c189a356b..f79fb429434ca 100644 --- a/htdocs/langs/bg_BG/bills.lang +++ b/htdocs/langs/bg_BG/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Забавени плащания BillsStatistics=Статистика за продажни фактури BillsStatisticsSuppliers=Статистика за доставни фактури +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Стандартна фактура InvoiceStandardAsk=Стандартна фактура @@ -176,6 +178,7 @@ 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=Неплатеният остатък (%s %s) е дадена отстъпка, защото плащането е направено преди срока за плащане. Урегулирам ДДС с кредитно известие. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Неплатеният остатък (%s %s) е дадена отстъпка, защото плащането е направено преди срока за плащане. Приемам да се загуби ДДС по тази отстъпка. ConfirmClassifyPaidPartiallyReasonDiscountVat=Неплатеният остатък (%s %s) е дадена отстъпка, защото плащането е направено преди срока за плащане Възстановявам ДДС по тази отстъпка без кредитно известие. ConfirmClassifyPaidPartiallyReasonBadCustomer=Лош клиент diff --git a/htdocs/langs/bg_BG/compta.lang b/htdocs/langs/bg_BG/compta.lang index c699b82a2c4e4..087313d328cab 100644 --- a/htdocs/langs/bg_BG/compta.lang +++ b/htdocs/langs/bg_BG/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Плащания, които не са свързан PaymentsNotLinkedToUser=Плащанията, които не са свързани с никой потребител Profit=Печалба AccountingResult=Счетоводен резултат +BalanceBefore=Balance (before) Balance=Баланс Debit=Дебит Credit=Кредит diff --git a/htdocs/langs/bg_BG/donations.lang b/htdocs/langs/bg_BG/donations.lang index 8fcb853c017d9..06becf91cfd45 100644 --- a/htdocs/langs/bg_BG/donations.lang +++ b/htdocs/langs/bg_BG/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Показване на артикул 200 от CGI ако ст DONATION_ART238=Показване на артикул 238 от CGI ако сте загрижени DONATION_ART885=Показване на артикул 885 от CGI ако сте загрижени DonationPayment=Плащане на дарение +DonationValidated=Donation %s validated diff --git a/htdocs/langs/bg_BG/errors.lang b/htdocs/langs/bg_BG/errors.lang index fa4d90c11fa79..451c05c6fc51a 100644 --- a/htdocs/langs/bg_BG/errors.lang +++ b/htdocs/langs/bg_BG/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Празен израз ErrorPriceExpression21=Празен резултат '%s' ErrorPriceExpression22=Отрицателен резултат '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Вътрешна грешка '%s' ErrorPriceExpressionUnknown=Незнайна грешка '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/bg_BG/install.lang b/htdocs/langs/bg_BG/install.lang index 22d13b2125c8d..183ae0384f558 100644 --- a/htdocs/langs/bg_BG/install.lang +++ b/htdocs/langs/bg_BG/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Вие използвате помощника за н 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 ######### # upgrade MigrationFixData=Корекция на denormalized данни @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Презареждане на модула %s +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. diff --git a/htdocs/langs/bg_BG/languages.lang b/htdocs/langs/bg_BG/languages.lang index fbf2539146fd5..59958660a2f21 100644 --- a/htdocs/langs/bg_BG/languages.lang +++ b/htdocs/langs/bg_BG/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Испански (Парагвай) Language_es_PE=Испански (Перу) Language_es_PR=Испански (Пуерто Рико) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Естонски Language_eu_ES=Баска diff --git a/htdocs/langs/bg_BG/main.lang b/htdocs/langs/bg_BG/main.lang index 590cc060fdca7..6013501d15e50 100644 --- a/htdocs/langs/bg_BG/main.lang +++ b/htdocs/langs/bg_BG/main.lang @@ -548,6 +548,18 @@ MonthShort09=Сеп MonthShort10=Окт MonthShort11=Ное MonthShort12=Дек +MonthVeryShort01=J +MonthVeryShort02=П +MonthVeryShort03=П +MonthVeryShort04=A +MonthVeryShort05=П +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Н +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Прикачени файлове и документи JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Дефинирай банкова сметка AccountCurrency=Account currency ViewPrivateNote=Биж бележки XMoreLines=%s ред(а) скрити -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Публичен URL AddBox=Добави поле SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Всички +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/bg_BG/other.lang b/htdocs/langs/bg_BG/other.lang index 2c936d6d4e81e..915517301f7da 100644 --- a/htdocs/langs/bg_BG/other.lang +++ b/htdocs/langs/bg_BG/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Ако сумаta e по-висока от %s
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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/bg_BG/website.lang b/htdocs/langs/bg_BG/website.lang index 895ad634e50a7..d4dafa4584042 100644 --- a/htdocs/langs/bg_BG/website.lang +++ b/htdocs/langs/bg_BG/website.lang @@ -3,15 +3,17 @@ Shortname=Код WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. DeleteWebsite=Изтрийте уебсайт ConfirmDeleteWebsite=Сигурни ли сте, че искате да изтриете този уебсайт? Всички негови страници и съдържание ще бъдат премахнати. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Име на страницата -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=Линк към външен CSS файл WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Редактирай CSS или HTML header EditMenu=Редактирай @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/bn_BD/accountancy.lang b/htdocs/langs/bn_BD/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/bn_BD/accountancy.lang +++ b/htdocs/langs/bn_BD/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang index 4f3d25c4eb170..9dce46ab295b8 100644 --- a/htdocs/langs/bn_BD/admin.lang +++ b/htdocs/langs/bn_BD/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/bn_BD/banks.lang b/htdocs/langs/bn_BD/banks.lang index b79571b6864e6..404dbbd0a69ab 100644 --- a/htdocs/langs/bn_BD/banks.lang +++ b/htdocs/langs/bn_BD/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/bn_BD/bills.lang b/htdocs/langs/bn_BD/bills.lang index 53fb235e3e13c..de7c4aec4ccde 100644 --- a/htdocs/langs/bn_BD/bills.lang +++ b/htdocs/langs/bn_BD/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/bn_BD/compta.lang b/htdocs/langs/bn_BD/compta.lang index 4082b9fa9b7f9..df4942cf23473 100644 --- a/htdocs/langs/bn_BD/compta.lang +++ b/htdocs/langs/bn_BD/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/bn_BD/donations.lang b/htdocs/langs/bn_BD/donations.lang index f4578fa9fc398..5edc8d62033c5 100644 --- a/htdocs/langs/bn_BD/donations.lang +++ b/htdocs/langs/bn_BD/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/bn_BD/errors.lang b/htdocs/langs/bn_BD/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/bn_BD/errors.lang +++ b/htdocs/langs/bn_BD/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/bn_BD/install.lang b/htdocs/langs/bn_BD/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/bn_BD/install.lang +++ b/htdocs/langs/bn_BD/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/bn_BD/languages.lang b/htdocs/langs/bn_BD/languages.lang index 05288a888eb11..a062883d667f9 100644 --- a/htdocs/langs/bn_BD/languages.lang +++ b/htdocs/langs/bn_BD/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanish (Paraguay) Language_es_PE=Spanish (Peru) Language_es_PR=Spanish (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/bn_BD/main.lang b/htdocs/langs/bn_BD/main.lang index 893d992f2fdfa..fb23f749779c1 100644 --- a/htdocs/langs/bn_BD/main.lang +++ b/htdocs/langs/bn_BD/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/bn_BD/other.lang b/htdocs/langs/bn_BD/other.lang index 0d9d1cfbd85fe..1a5314a24d9c0 100644 --- a/htdocs/langs/bn_BD/other.lang +++ b/htdocs/langs/bn_BD/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/bn_BD/products.lang b/htdocs/langs/bn_BD/products.lang index 43c74c9b87706..53835bd7f0676 100644 --- a/htdocs/langs/bn_BD/products.lang +++ b/htdocs/langs/bn_BD/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/bn_BD/projects.lang b/htdocs/langs/bn_BD/projects.lang index f33a950acff08..c69302deecb7d 100644 --- a/htdocs/langs/bn_BD/projects.lang +++ b/htdocs/langs/bn_BD/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/bn_BD/website.lang b/htdocs/langs/bn_BD/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/bn_BD/website.lang +++ b/htdocs/langs/bn_BD/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/bs_BA/accountancy.lang b/htdocs/langs/bs_BA/accountancy.lang index a9125e4ce045a..defc8131b1c08 100644 --- a/htdocs/langs/bs_BA/accountancy.lang +++ b/htdocs/langs/bs_BA/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model izvoza -OptionsDeactivatedForThisExportModel=Za ovaj model izvoza, opcije su onemogućene Selectmodelcsv=Odaberi model izvoza Modelcsv_normal=Klasični izvoz Modelcsv_CEGID=Izvoz prema CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang index 8d95d412bff90..02ad97f4544d0 100644 --- a/htdocs/langs/bs_BA/admin.lang +++ b/htdocs/langs/bs_BA/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Upravljanje bookmark-ima Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Osoblje DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Postavke snimljene SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/bs_BA/banks.lang b/htdocs/langs/bs_BA/banks.lang index 30f2b1fdab30b..325ac7bed8999 100644 --- a/htdocs/langs/bs_BA/banks.lang +++ b/htdocs/langs/bs_BA/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Broj LineRecord=Transakcija AddBankRecord=Dodaj unos AddBankRecordLong=Dodaj unos ručno +Conciliated=Izmireno ConciliatedBy=Izmireno od strane DateConciliating=Datum izmirivanja BankLineConciliated=Transakcija izmirena diff --git a/htdocs/langs/bs_BA/bills.lang b/htdocs/langs/bs_BA/bills.lang index 77d49bfeba7b6..70bd829585d9d 100644 --- a/htdocs/langs/bs_BA/bills.lang +++ b/htdocs/langs/bs_BA/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Neplaćene fakture dobavljača za %s BillsLate=Zakašnjela plaćanja BillsStatistics=Statistika faktura kupaca BillsStatisticsSuppliers=Statistika faktura dobavljača +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Onemogućeno jer se ne može brisati InvoiceStandard=Standardna faktura InvoiceStandardAsk=Standardna faktura @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Why do you want to classify this invoice 'abandoned'? ConfirmClassifyPaidPartially=Are you sure you want to change invoice %s to status paid? ConfirmClassifyPaidPartiallyQuestion=Ova faktura nije potpuno plaćena. Koji su razlozi da zatvorite ovu fakturu? 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. 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=Loš kupac diff --git a/htdocs/langs/bs_BA/compta.lang b/htdocs/langs/bs_BA/compta.lang index 3ed072de7b962..88b0e0b5b80c5 100644 --- a/htdocs/langs/bs_BA/compta.lang +++ b/htdocs/langs/bs_BA/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Plaćanja nisu povezana ni sa jednom fakturom, niti s PaymentsNotLinkedToUser=Plaćanja nisu povezana ni sa jednim korisnikom Profit=Dobit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Stanje Debit=Duguje Credit=Potražuje diff --git a/htdocs/langs/bs_BA/donations.lang b/htdocs/langs/bs_BA/donations.lang index ce91a6a7586e1..07437d960917b 100644 --- a/htdocs/langs/bs_BA/donations.lang +++ b/htdocs/langs/bs_BA/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/bs_BA/errors.lang b/htdocs/langs/bs_BA/errors.lang index f1fb2ae61fda5..a86b46e6d7933 100644 --- a/htdocs/langs/bs_BA/errors.lang +++ b/htdocs/langs/bs_BA/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/bs_BA/install.lang b/htdocs/langs/bs_BA/install.lang index 4e3f8942c3738..da5f554255d27 100644 --- a/htdocs/langs/bs_BA/install.lang +++ b/htdocs/langs/bs_BA/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/bs_BA/languages.lang b/htdocs/langs/bs_BA/languages.lang index d50595be3e5f3..4f469ebcc7ce5 100644 --- a/htdocs/langs/bs_BA/languages.lang +++ b/htdocs/langs/bs_BA/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Španjolski (Paragvaj) Language_es_PE=Španjolski (Peru) Language_es_PR=Španjolski (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonski Language_eu_ES=Baskijski diff --git a/htdocs/langs/bs_BA/main.lang b/htdocs/langs/bs_BA/main.lang index f6d64b9f8cba3..0f54dd7280054 100644 --- a/htdocs/langs/bs_BA/main.lang +++ b/htdocs/langs/bs_BA/main.lang @@ -548,6 +548,18 @@ MonthShort09=sep MonthShort10=okt MonthShort11=nov MonthShort12=dec +MonthVeryShort01=J +MonthVeryShort02=P +MonthVeryShort03=P +MonthVeryShort04=A +MonthVeryShort05=P +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Priložene datoteke i dokumenti JoinMainDoc=Join main document DateFormatYYYYMM=MM-YYYY @@ -762,7 +774,7 @@ SetBankAccount=Definiraj bankovni račun AccountCurrency=Account currency ViewPrivateNote=Vidi zabilješke XMoreLines=%s red(ova) skriveno -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Javni URL AddBox=Dodaj kutijicu SelectElementAndClick=Odaberite element i kliknite %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Zajednički projekti +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/bs_BA/other.lang b/htdocs/langs/bs_BA/other.lang index 9018d114021f5..a3f3e92f64e7f 100644 --- a/htdocs/langs/bs_BA/other.lang +++ b/htdocs/langs/bs_BA/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/bs_BA/products.lang b/htdocs/langs/bs_BA/products.lang index c8443e474db67..78c46bed191bb 100644 --- a/htdocs/langs/bs_BA/products.lang +++ b/htdocs/langs/bs_BA/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/bs_BA/projects.lang b/htdocs/langs/bs_BA/projects.lang index a33313d0c9e9e..10e9a9fcb0d47 100644 --- a/htdocs/langs/bs_BA/projects.lang +++ b/htdocs/langs/bs_BA/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Čekanje OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/bs_BA/website.lang b/htdocs/langs/bs_BA/website.lang index 88290fd1225b7..630a62570b08f 100644 --- a/htdocs/langs/bs_BA/website.lang +++ b/htdocs/langs/bs_BA/website.lang @@ -3,15 +3,17 @@ Shortname=Kod WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang index 958289b4dd5b9..81b463e9d6bf3 100644 --- a/htdocs/langs/ca_ES/accountancy.lang +++ b/htdocs/langs/ca_ES/accountancy.lang @@ -8,7 +8,7 @@ ACCOUNTING_EXPORT_AMOUNT=Exporta l'import ACCOUNTING_EXPORT_DEVISE=Exporta la moneda 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=Seleccioneu el tipus de retorn ACCOUNTING_EXPORT_PREFIX_SPEC=Specify the prefix for the file name ThisService=Aquest servei ThisProduct=Aquest producte @@ -33,10 +33,10 @@ ConfirmDeleteCptCategory=Estàs segur que vols eliminar aquest compte comptable JournalizationInLedgerStatus=Estat del diari AlreadyInGeneralLedger=Registrat en el Llibre Major NotYetInGeneralLedger=No s'ha registrat en el Llibre Major -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 +GroupIsEmptyCheckSetup=El grup està buit, comproveu la configuració del grup de comptabilitat personalitzat +DetailByAccount=Mostra detalls per compte +AccountWithNonZeroValues=Comptes amb valors no nuls +ListOfAccounts=Llista de comptes MainAccountForCustomersNotDefined=Compte comptable per a clients no definida en la configuració MainAccountForSuppliersNotDefined=Compte comptable per a proveïdors no definit en la configuració @@ -60,7 +60,7 @@ AccountancyAreaDescContrib=PAS %s: Defineix comptes comptables per defecte per d 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. AccountancyAreaDescLoan=PAS %s: Defineix comptes comptables per defecte per als préstecs. Per això, utilitzeu l'entrada del menú %s. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %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. @@ -69,7 +69,7 @@ AccountancyAreaDescAnalyze=PAS %s: Afegir o editar transaccions existents i gene AccountancyAreaDescClosePeriod=PAS %s: Tancar el període de forma que no pot fer modificacions en un futur. -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup was not complete (accounting code journal not defined for all bank accounts) +TheJournalCodeIsNotDefinedOnSomeBankAccount=No s'ha completat un pas obligatori en la configuració (el codi comptable diari no està definit per a tots els comptes bancaris) Selectchartofaccounts=Seleccionar el pla de comptes actiu ChangeAndLoad=Canviar i carregar Addanaccount=Afegir un compte comptable @@ -151,29 +151,29 @@ Docdate=Data Docref=Referència Code_tiers=Tercer LabelAccount=Etiqueta de compte -LabelOperation=Label operation +LabelOperation=Etiqueta de l'operació Sens=Significat Codejournal=Diari NumPiece=Número de peça TransactionNumShort=Número de transacció -AccountingCategory=Personalized groups +AccountingCategory=Grups personalitzats GroupByAccountAccounting=Agrupar per compte comptable -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. ByAccounts=Per comptes -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups +ByPredefinedAccountGroups=Per grups predefinits +ByPersonalizedAccountGroups=Per grups personalitzats ByYear=Per any NotMatch=No definit 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=This will delete the transaction from the Ledger (all lines related to same transaction will be deleted) +ConfirmDeleteMvtPartial=Això eliminarà la transacció del Ledger (se suprimiran totes les línies relacionades amb la mateixa transacció) DelBookKeeping=Elimina el registre del libre major FinanceJournal=Finance journal ExpenseReportsJournal=Informe-diari de despeses DescFinanceJournal=Finance journal including all the types of payments by bank account -DescJournalOnlyBindedVisible=This is a view of record that are bound to accounting account and can be recorded into the Ledger. +DescJournalOnlyBindedVisible=Es tracta d'una vista dels registres que són vinculats al compte de comptabilitat i es poden registrar a la Ledger. VATAccountNotDefined=Comptes comptables de IVA sense definir ThirdpartyAccountNotDefined=Comptes comptables de tercers (clients o proveïdors) sense definir ProductAccountNotDefined=Comptes comptables per al producte sense definir @@ -191,10 +191,11 @@ DescThirdPartyReport=Consulti aquí la llista de tercers (cliente i proveïdors) ListAccounts=Llistat dels comptes comptables UnknownAccountForThirdparty=Compte comptable de tercer desconeguda, utilitzarem %s UnknownAccountForThirdpartyBlocking=Compte comptable de tercer desconegut. Error de bloqueig +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third party account and waiting account not defined. Blocking error -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. +Pcgtype=Grup de compte +Pcgsubtype=Subgrup de compte +PcgtypeDesc=El grup i el subgrup del compte s'utilitzen com a criteris de "filtre" i "agrupació" predefinits per a alguns informes comptables. Per exemple, "INCOME" o "EXPENSE" s'utilitzen com a grups per als comptes comptables de productes per generar l'informe de despeses/ingressos. TotalVente=Total turnover before tax TotalMarge=Marge total de vendes @@ -220,20 +221,20 @@ MvtNotCorrectlyBalanced=Registre comptabilitzat incorrectament. Deure=%s. Haver= FicheVentilation=Fitxa de comptabilització GeneralLedgerIsWritten=Les transaccions s'han escrit al llibre major GeneralLedgerSomeRecordWasNotRecorded=Algunes de les transaccions no s'han registrat. Si no hi ha cap altre missatge d'error, probablement és perquè ja s'han registrat. -NoNewRecordSaved=No more record to journalize +NoNewRecordSaved=No hi ha més registres pel diari ListOfProductsWithoutAccountingAccount=Llista de productes no comptabilitzats en cap compte comptable ChangeBinding=Canvia la comptabilització ## Admin ApplyMassCategories=Aplica categories massives -AddAccountFromBookKeepingWithNoCategories=Available acccount not yet in a personalized group +AddAccountFromBookKeepingWithNoCategories=El compte disponible encara no està en un grup personalitzat CategoryDeleted=La categoria per al compte contable ha sigut eliminada AccountingJournals=Diari de comptabilitat AccountingJournal=Diari comptable NewAccountingJournal=Nou diari comptable ShowAccoutingJournal=Mostrar diari comptable Nature=Caràcter -AccountingJournalType1=Miscellaneous operation +AccountingJournalType1=Operació miscel·lània AccountingJournalType2=Vendes AccountingJournalType3=Compres AccountingJournalType4=Banc @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Aquest diari ja està en ús ## Export ExportDraftJournal=Exportar esborranys del llibre Modelcsv=Model d'exportació -OptionsDeactivatedForThisExportModel=Per aquest model d'exportació les opcions estan desactivades Selectmodelcsv=Selecciona un model d'exportació Modelcsv_normal=Exportació clàssica Modelcsv_CEGID=Exporta cap a CEGID Expert Comptabilité @@ -254,22 +254,22 @@ Modelcsv_ciel=Exporta cap a Sage Ciel Compta o Compta Evolution Modelcsv_quadratus=Exporta cap a Quadratus QuadraCompta Modelcsv_ebp=Exporta cap a EBP Modelcsv_cogilog=Exporta cap a Cogilog -Modelcsv_agiris=Exportar a Agiris (Test) -Modelcsv_configurable=Export Configurable +Modelcsv_agiris=Exporta a Agiris +Modelcsv_configurable=Exportació configurable ChartofaccountsId=Id pla comptable ## Tools - Init accounting account on product / service InitAccountancy=Inicialitza la comptabilitat -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=Aquesta pàgina es pot utilitzar per inicialitzar un compte de comptabilitat en productes i serveis que no tenen compte comptable definit per a vendes i compres. DefaultBindingDesc=Aquesta pàgina pot ser utilitzat per establir un compte per defecte que s'utilitzarà per enllaçar registre de transaccions sobre els pagament de salaris, donació, impostos i IVA quan no hi ha encara compte comptable específic definit. Options=Opcions OptionModeProductSell=En mode vendes OptionModeProductBuy=En mode compres OptionModeProductSellDesc=Mostra tots els productes amb compte comptable per a les vendes. OptionModeProductBuyDesc=Mostra tots els productes amb compte comptable per a les compres. -CleanFixHistory=Remove accounting code from lines that not exists into charts of account +CleanFixHistory=Eliminar el codi comptable de les línies que no existeixen als gràfics de compte CleanHistory=Reinicia tota la comptabilització per l'any seleccionat -PredefinedGroups=Predefined groups +PredefinedGroups=Grups predefinits WithoutValidAccount=Sense compte dedicada vàlida WithValidAccount=Amb compte dedicada vàlida ValueNotIntoChartOfAccount=Aquest compte comptable no existeix al pla comptable @@ -287,6 +287,6 @@ BookeppingLineAlreayExists=Les línies ja existeixen en la comptabilitat NoJournalDefined=Cap diari definit Binded=Línies comptabilitzades ToBind=Línies a comptabilitzar -UseMenuToSetBindindManualy=Autodection not possible, use menu %s to make the binding manually +UseMenuToSetBindindManualy=No es possible auto-detectar, utilitzeu el menú %s per fer l'enllaç manualment -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=Avís, aquest informe no està basat en el Ledger, de manera que no conté transaccions manuals modificades en el Ledger. Si la vostra publicació diària està actualitzada, la vista de comptes és més precisa. diff --git a/htdocs/langs/ca_ES/admin.lang b/htdocs/langs/ca_ES/admin.lang index 22eb8439710ef..6288e1d0a529a 100644 --- a/htdocs/langs/ca_ES/admin.lang +++ b/htdocs/langs/ca_ES/admin.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - admin Foundation=Entitat Version=Versió -Publisher=Publisher +Publisher=Publicador VersionProgram=Versió programa VersionLastInstall=Versió d'instal·lació inicial VersionLastUpgrade=Versió de l'última actualització @@ -40,8 +40,8 @@ WebUserGroup=Servidor web usuari/grup NoSessionFound=Sembla que el seu PHP no pot llistar les sessions actives. El directori de salvaguardat de sessions (%s) pot estar protegit (per exemple, pels permisos del sistema operatiu o per la directiva open_basedir del seu PHP) DBStoringCharset=Codificació base de dades per emmagatzematge de dades DBSortingCharset=Codificació base de dades per classificar les dades -ClientCharset=Client charset -ClientSortingCharset=Client collation +ClientCharset=Joc de caràcters del client +ClientSortingCharset="Collation" del client WarningModuleNotActive=Mòdul %s no actiu WarningOnlyPermissionOfActivatedModules=Aquí només es mostren els permisos relacionats amb els mòduls activats. Pots activar altres mòduls en la pàgina Inici->Configuració->Mòduls. DolibarrSetup=Instal·lació/Actualització de Dolibarr @@ -131,11 +131,11 @@ HoursOnThisPageAreOnServerTZ=Avís, al contrari d'altres pantalles, les hores d' Box=Panell Boxes=Panells MaxNbOfLinesForBoxes=Màxim número de línies per panell -AllWidgetsWereEnabled=All available widgets are enabled +AllWidgetsWereEnabled=Tots els widgets disponibles estan habilitats PositionByDefault=Posició per defecte Position=Lloc MenusDesc=Els gestors de menú defineixen el contingut de les dos barres de menú (horitzontal i vertical) -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. +MenusEditorDesc=L'editor de menús permet definir entrades a mida. S'ha d'emprar amb cura per evitar introduir entrades que no siguin no portin enlloc.
Alguns mòduls afegeixen entrades de menú (normalment a Tots). Si per error elimineu cap d'aquestes entrades de menú, podeu restablir-les desactivant i tornant a activar el mòdul. MenuForUsers=Menú per als usuaris LangFile=arxiu .lang System=Sistema @@ -196,24 +196,24 @@ OnlyActiveElementsAreShown=Només els elements de mòduls activats ModulesDesc=Els mòduls Dolibarr defineixen quina aplicació/característica està habilitada al programari. Algunes aplicacions/mòduls requereixen permisos que has de concedir als usuaris, després d'activar-los. Fes clic al botó d'activació/desactivació per habilitar un mòdul/aplicació. ModulesMarketPlaceDesc=Pots trobar més mòduls per descarregar en pàgines web externes per internet... ModulesDeployDesc=Si els permisos en el seu sistema d'arxius ho permiteixen, pot utilitzar aquesta ferramente per instal·lar un mòdul extern. El mòdul estarà aleshores visible en la pestanya %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 -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)... +ModulesMarketPlaces=Trobar mòduls/complements externs +ModulesDevelopYourModule=Desenvolupeu els vostres mòduls/aplicacions +ModulesDevelopDesc=Podeu desenvolupar o trobar un soci per desenvolupar per a vostè, el vostre mòdul personalitzat +DOLISTOREdescriptionLong=En lloc d'activar el lloc web www.dolistore.com per trobar un mòdul extern, podeu utilitzar aquesta eina incrustada que farà que la cerca en el lloc de mercat extern per a tu (pot ser lent, necessiteu un accés a internet) ... NewModule=Nou -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 +FreeModule=Gratuït +CompatibleUpTo=Compatible amb la versió %s +NotCompatible=Aquest mòdul no sembla compatible amb el vostre Dolibarr %s (Mín %s - Màx %s). +CompatibleAfterUpdate=Aquest mòdul requereix actualitzar el vostre Dolibarr %s (Mín %s - Màx %s). +SeeInMarkerPlace=Veure a la tenda d'apps +Updated=Actualitzat +Nouveauté=Novetat +AchatTelechargement=Comprar / Descarregar GoModuleSetupArea=Per instal·lar un nou mòdul, vaja al àrea de configuració de mòduls en %s. DoliStoreDesc=DoliStore, el lloc oficial de mòduls complementaris per Dolibarr ERP / CRM DoliPartnersDesc=Llista d'empreses que proporcionen desenvolupament a mida de mòduls o funcionalitats (Nota: qualsevol empresa amb experiència amb programació PHP pot proporcionar desenvolupament a mida per un projecte de codi obert) WebSiteDesc=Llocs web de referència per trobar més mòduls... -DevelopYourModuleDesc=Some solutions to develop your own module... +DevelopYourModuleDesc=Algunes solucions per desenvolupar el vostre propi mòdul... URL=Enllaç BoxesAvailable=Panells disponibles BoxesActivated=Panells activats @@ -260,18 +260,18 @@ FontSize=Tamany de font Content=Contingut NoticePeriod=Preavís NewByMonth=Nou per mes -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. -EmailSenderProfiles=Emails sender profiles +Emails=Correus +EMailsSetup=Configuració de correu +EMailsDesc=Aquesta plana permet reescriure els paràmetres del PHP en quan a l'enviament de correus. A la majoria dels casos de sistemes operatius Unix/Linux, la configuració per defecte del PHP és correcta i no calen aquests paràmetres. +EmailSenderProfiles=Perfils de remitents de correus electrònics MAIN_MAIL_SMTP_PORT=Port del servidor SMTP (Per defecte a php.ini: %s) MAIN_MAIL_SMTP_SERVER=Nom host o ip del servidor SMTP (Per defecte en php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Port del servidor SMTP (No definit en PHP en sistemes de tipus Unix) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Nom servidor o ip del servidor SMTP (No definit en PHP en sistemes de tipus Unix) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (By default in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Sender email used for error returns emails sent +MAIN_MAIL_EMAIL_FROM=Remitent del correu per a correus automàtics (Valor per defecte a php.ini: 1%s) +MAIN_MAIL_ERRORS_TO=Remitent pels correus enviats retornant errors MAIN_MAIL_AUTOCOPY_TO= Envia automàticament una còpia oculta de tots els e-mails enviats a -MAIN_DISABLE_ALL_MAILS=Disable all emails sendings (for test purposes or demos) +MAIN_DISABLE_ALL_MAILS=Deshabilitar l'enviament de tots els correus (per fer proves o en llocs tipus demo) 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 @@ -280,7 +280,7 @@ MAIN_MAIL_EMAIL_STARTTLS= Ús d'encriptació TLS (STARTTLS) MAIN_DISABLE_ALL_SMS=Desactivar globalment tot enviament de SMS (per mode de proves o demo) MAIN_SMS_SENDMODE=Mètode d'enviament de SMS MAIN_MAIL_SMS_FROM=Número de telèfon per defecte per als enviaments SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Sender email by default for manual sendings (User email or Company email) +MAIN_MAIL_DEFAULT_FROMTYPE=Remitent per defecte per a correus enviats manualment (adreça de correu d'usuari o d'empresa) UserEmail=Correu electrònic de l'usuari CompanyEmail=Correu electrònic de l'empresa FeatureNotAvailableOnLinux=Funcionalitat no disponible en sistemes Unix. Proveu el seu sendmail localment. @@ -314,8 +314,8 @@ UnpackPackageInModulesRoot=Per instal·lar un mòdul extern, descomprimir l'arxi SetupIsReadyForUse=La instal·lació del mòdul ha finalitzat. No obstant, ha d'habilitar i configurar el mòdul en la seva aplicació, aneu a la pàgina per configurar els mòduls: %s. NotExistsDirect=No s'ha definit el directori arrel alternatiu a un directori existent.
InfDirAlt=Des de la versió 3, és possible definir un directori arrel alternatiu. Això li permet emmagatzemar, en un directori dedicat, plug-ins i plantilles personalitzades.
Només ha de crear un directori a l'arrel de Dolibarr (per exemple: 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=
Declareu-lo al fitxer conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
Si aquestes línies ja hi són però comentades amb un "#", llavors simplement descomenteu-les treient aquest caràcter. +YouCanSubmitFile=Per a aquest pas, podeu pujar el fitxer .ZIP del mòdul aquí: CurrentVersion=Versió actual de Dolibarr CallUpdatePage=Ves a la pàgina que actualitza l'estructura de base de dades i les dades: %s LastStableVersion=Última versió estable @@ -349,7 +349,7 @@ AddCRIfTooLong=No hi ha línies de tall automàtic, de manera que si el text és ConfirmPurge=Estàs segur de voler realitzar aquesta purga?
Això esborrarà definitivament totes les dades dels seus fitxers (àrea GED, arxius adjunts etc.). MinLength=Longuitud mínima LanguageFilesCachedIntoShmopSharedMemory=arxius .lang en memòria compartida -LanguageFile=Language file +LanguageFile=Fitxer d'idioma ExamplesWithCurrentSetup=Exemples amb la configuració activa actual ListOfDirectories=Llistat de directoris de plantilles OpenDocument ListOfDirectoriesForModelGenODT=Llista de directoris que contenen fitxers de plantilles amb format OpenDocument.

Posa aqui el l'adreça completa dels directoris.
Afegeix un "intro" entre cada directori.
Per afegir un directori del mòdul GED, afegeix aquí DOL_DATA_ROOT/ecm/yourdirectoryname.

Els fitxers d'aquests directoris han de tenir l'extensió .odt o .ods. @@ -373,8 +373,8 @@ PDF=PDF PDFDesc=Defineix les opcions globals relacionades a la generació de PDF PDFAddressForging=Regles de visualització d'adreces HideAnyVATInformationOnPDF=Amaga tota la informació relacionada amb l'IVA en els PDF generats -PDFLocaltax=Rules for %s -HideLocalTaxOnPDF=Hide %s rate into pdf column tax sale +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 HideRefOnPDF=Amagar referència dels productes en la generació dels PDF HideDetailsOnPDF=Oculta els detalls de les línies de producte en els PDFs generats @@ -410,11 +410,11 @@ ExtrafieldCheckBoxFromList=Caselles de verificació des de taula ExtrafieldLink=Enllaç a un objecte ComputedFormula=Camp calculat ComputedFormulaDesc=Podeu introduir aquí una fórmula usant altres propietats d'objecte o qualsevol codi PHP per obtenir un valor calculat dinàmic. Podeu utilitzar qualsevol fórmula compatible amb PHP, inclòs l'operador "?" i els següents objectes globals: $db, $conf, $langs, $mysoc, $user, $object.
AVÍS: Només algunes propietats de $object poden estar disponibles. Si necessiteu una propietat que no s'hagi carregat, tan sols busqueu l'objecte en la formula com en el segon exemple.
L'ús d'un camp calculat significa que no podeu introduir cap valor des de la interfície. A més, si hi ha un error de sintaxi, la fórmula potser no torni res.

Exemple de fórmula:
$object->id <10? round($object->id/2, 2): ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

Exemple de recarrega d'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'

Un altre exemple de fórmula per forçar la càrrega de l'objecte i el seu objecte principal:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetch($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetch($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref : 'Parent project not found' -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 +ExtrafieldParamHelpselect=La llista de valors ha de ser un conjunt de línies amb un par del tipus clau,valor (on la clau no pot ser '0')

per exemple :
clau1,valor1
clau2,valor2
clau3,valor3
...

Per tenir la llista depenent d'una altra llista d'atributs complementaris:
1,valor1|options_codi_llista_pare:clau_pare
2,valor2|options_codi_llista_pare:clau_pare

Per tenir la llista depenent d'una altra llista:
1,valor1|codi_llista_pare:clau_pare
2,valor2|codi_llista_pare:clau_pare +ExtrafieldParamHelpcheckbox=La llista de valor ha de ser un conjunt de línies del tipus clau,valor (a on la clau no pot ser '0')

per exemple :
1,valor1
2,valor2
3,valor3
... +ExtrafieldParamHelpradio=La llista de valor ha de ser un conjunt de línies del tipus clau,valor (a on la clau no pot ser '0')

per exemple :
1,valor1
2,valor2
3,valor3
... +ExtrafieldParamHelpsellist=Llista de valors que provenen d'una taula
Sintaxi: nom_taula:nom_camp:id_camp::filtre
Exemple : c_typent:libelle:id::filter

- idfilter ha de ser necessàriament una "primary int key"
- el filtre pot ser una comprovació senzilla (eg active=1) per mostrar només valors actius
També es pot emprar $ID$ al filtre per representar el ID de l'actual objecte en curs
Per fer un SELECT al filtre empreu $SEL$
Si voleu filtrar per algun camp extra ("extrafields") empreu la sintaxi extra.codicamp=... (a on codicamp és el codi del camp extra)

Per tenir la llista depenent d'una altre llista d'atributs complementaris:
c_typent:libelle:id:options_codi_llista_pare|parent_column:filter

Per tenir la llista depenent d'una altra llista:
c_typent:libelle:id:codi_llista_pare|parent_column:filter +ExtrafieldParamHelpchkbxlst=La llista de valors prové d'una taula
Sintaxi: nom_taula:nom_camp:id_camp::filtre
Exemple: c_typent:libelle:id::filter

filtre pot ser una comprovació simple (p. ex. active=1) per mostrar només el valor actiu
També podeu utilitzar $ID$ en el filtre per representar l'ID actual de l'objecte en curs
Per fer un SELECT en el filtre utilitzeu $SEL$
si voleu filtrar per camps extra utilitzeu sintaxi extra.fieldcode=... (on el codi de camp és el codi del extrafield)

Per tenir la llista depenent d'una altra llista d'atributs complementaris:
c_typent:libelle:id:options_codi_llista_pare|parent_column: filter

Per tenir la llista depenent d'una altra llista: c_typent:libelle:id:codi_llista_pare|parent_column:filter ExtrafieldParamHelplink=Els paràmetres han de ser Nom del Objecte:Url de la Clase
Sintàxi: Nom Object:Url Clase
Exemple: Societe:societe/class/societe.class.php LibraryToBuildPDF=Llibreria utilitzada per generar PDF WarningUsingFPDF=Atenció: El seu arxiu conf.php conté la directiva dolibarr_pdf_force_fpdf=1. Això fa que s'usi la llibreria FPDF per generar els seus arxius PDF. Aquesta llibreria és antiga i no cobreix algunes funcionalitats (Unicode, transparència d'imatges, idiomes ciríl · lics, àrabs o asiàtics, etc.), Pel que pot tenir problemes en la generació dels PDF.
Per resoldre-ho, i disposar d'un suport complet de PDF, pot descarregar la llibreria TCPDF , i a continuació comentar o eliminar la línia $dolibarr_pdf_force_fpdf=1, i afegir al seu lloc $dolibarr_lib_TCPDF_PATH='ruta_a_TCPDF' @@ -443,9 +443,9 @@ DisplayCompanyInfo=Mostra l'adreça de l'empresa DisplayCompanyManagers=Mostra el gestor de noms DisplayCompanyInfoAndManagers=Mostra l'adreça de l'empresa i els noms del gerència EnableAndSetupModuleCron=Si vols tenir aquesta factura recurrent generada automàticament, el mòdul *%s* s'ha d'habilitar i configurar correctament. D'altra banda, la generació de factures s'ha de fer manualment des d'aquesta plantilla amb el bóto "Crea". Tingues en compte que si actives la generació automàtica, pots continuar generant factures manuals. No és possible la generació de duplicitats pel mateix període. -ModuleCompanyCodeAquarium=Return an accounting code built by:
%s followed by third party supplier code for a supplier accounting code,
%s followed by third party customer code for a customer 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. +ModuleCompanyCodeAquarium=Retorna un codi comptable construït per:
%s seguit pel codi d'un tercer proveïdor per a obtenir un codi comptable de proveïdor,
%s seguit pel codi d'un tercer client per a obtenir un codi comptable de client. +ModuleCompanyCodePanicum=Retorna un codi comptable buit. +ModuleCompanyCodeDigitaria=El codi comptable depèn del codi del Tercer. El codi està format pel caràcter "C" a la primera posició seguit dels 5 primers caràcters del codi del Tercer. 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=ADVERTÈNCIA: Alguns proveïdors de correu electrònic (com Yahoo) no li permeten enviar un correu electrònic des d'un altre servidor que no sigui el servidor de Yahoo si l'adreça de correu electrònic utilitzada com a remitent és el seu correu correu electrònic de Yahoo (com myemail@yahoo.com, myemail@yahoo.fr, ...). La seva configuració actual utilitza el servidor de l'aplicació per enviar correu electrònic, de manera que alguns destinataris (compatibles amb el protocol restrictiu DMARC) li preguntaran a Yahoo si poden acceptar el seu e-mail i Yahoo respondrà "no" perquè el servidor no és un servidor Propietat de Yahoo, pel que alguns dels seus e-mails enviats poden no ser acceptats.
Si el proveïdor de correu electrònic (com Yahoo) té aquesta restricció, ha de canviar la configuració de correu electrònic per a triar el mètode "servidor SMTP" i introdudir el servidor SMTP i credencials proporcionades pel seu proveïdor de correu electrònic (pregunti al seu proveïdor de correu electrònic les credencials SMTP per al seu compte). @@ -454,8 +454,8 @@ DependsOn=Aquest mòdul necesita el/s mòdul/s RequiredBy=Aquest mòdul és requerit pel/s mòdul/s TheKeyIsTheNameOfHtmlField=Aquest és el nom del camp HTML. Això necessita tenir coneixements tècnics per llegir el contingut de la pàgina HTML per obtenir el nom clau d'un camp. PageUrlForDefaultValues=Has d'introduir aquí l'URL relatiu de la pàgina. Si inclous paràmetres a l'URL, els valors predeterminats seran efectius si tots els paràmetres s'estableixen en el mateix valor. Exemples: -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 +PageUrlForDefaultValuesCreate=
Per formulari per crear un nou Tercer, és %s,
Si voleu un valor per defecte només si la URL conté algun paràmetre, llavors podeu emprar %s +PageUrlForDefaultValuesList=
Per la plana que enllista els Tercers, és %s,
Si voleu un valor per defecte només si la URL conté algun paràmetre, llavors podeu emprar %s EnableDefaultValues=Permet l'ús de valors predeterminats personalitzats EnableOverwriteTranslation=Habilita l'ús de la traducció sobreescrita GoIntoTranslationMenuToChangeThis=S'ha trobat una traducció per a la clau amb aquest codi, per tant, per canviar aquest valor, heu d'editar-lo des de Inici-Configuració-Traducció. @@ -464,9 +464,9 @@ Field=Camp ProductDocumentTemplates=Plantilles de documents per generar document de producte FreeLegalTextOnExpenseReports=Text legal lliure en informes de despeses WatermarkOnDraftExpenseReports=Marca d'aigua en informes de despeses esborrany -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 +AttachMainDocByDefault=Establiu-lo a 1 si voleu adjuntar el document principal al correu electrònic de manera predeterminada (si escau) +FilesAttachedToEmail=Adjuntar fitxer +SendEmailsReminders=Enviar recordatoris d'agenda per correu electrònic # Modules Module0Name=Usuaris i grups Module0Desc=Gestió d'usuaris / empleats i grups @@ -539,7 +539,7 @@ Module320Desc=Addició de fils d'informació RSS en les pantalles Dolibarr Module330Name=Bookmarks Module330Desc=Gestió de marcadors Module400Name=Projectes/Oportunitats/Leads -Module400Desc=Gestió de projectes, oportunitats o clients potencials. A continuació pots assignar un element (factura, comanda, pressupost, intervenció, ...) a un projecte i obtenir una visió transversal de la vista del projecte. +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=Pagaments especials @@ -548,9 +548,9 @@ Module510Name=Pagament de salaris dels empleats Module510Desc=Registre i seguiment del pagament dels salaris dels empleats Module520Name=Préstec Module520Desc=Gestió de préstecs -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. +Module600Name=Notificacions sobre events de negoci +Module600Desc=Enviar notificacions per correu (arran de cert esdeveniments de negoci) a usuaris (configuració a establir per a cada usuari), a contactes de tercers (configuració a establir per a cada tercer) o a adreces fixes +Module600Long=Tingueu en compte que aquest mòdul està dedicat a enviar correus electrònics en temps real quan es produeix un esdeveniment de negoci dedicat. Si cerqueu una característica per enviar recordatoris per correu electrònic dels esdeveniments de l'agenda, aneu a la configuració del mòdul Agenda. Module700Name=Donacions Module700Desc=Gestió de donacions Module770Name=Informes de despeses @@ -568,7 +568,7 @@ Module2000Desc=Permet editar algunes àrees de text utilitzant un editor avança Module2200Name=Multi-preus Module2200Desc=Activar l'ús d'expressions matemàtiques per als preus Module2300Name=Tasques programades -Module2300Desc=Scheduled jobs management (alias cron or chrono table) +Module2300Desc=Gestió de tasques programades (alias cron o taula chrono) Module2400Name=Esdeveniments/Agenda Module2400Desc=Segueix els esdeveniments realitzats o propers. Permet a l'aplicació registrar esdeveniments automàtics per seguiment o registra manualment els esdeveniments o cites. Module2500Name=Gestió Electrònica de Documents @@ -589,23 +589,23 @@ Module3100Desc=Afegeix un botó d'Skype a les fitxes dels usuaris / tercers / co Module3200Name=Registres no reversibles Module3200Desc=Activa el registre d'alguns esdeveniments de negoci en un registre no reversible. Els esdeveniments s'arxiven en temps real. El registre és una taula d'esdeveniments encadenats que es pot llegir i exportar. Aquest mòdul pot ser obligatori per a alguns països. Module4000Name=RRHH -Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module4000Desc=Gestió de recursos humans (gestionar departaments, empleats, contractes i "feelings") Module5000Name=Multi-empresa Module5000Desc=Permet gestionar diverses empreses Module6000Name=Workflow Module6000Desc=Gestió Workflow Module10000Name=Pàgines 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. +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 Module20000Desc=Gestió dels dies lliures dels empleats Module39000Name=Lots de productes Module39000Desc=Gestió de lots o series, dates de caducitat i venda dels productes 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=Mòdul per oferir una plana de pagament en línia, acceptant pagaments amb targeta de dèbit/crèdit via PayBox. Pot ser emprat per permetre als vostres clients fer pagaments lliures o bé per pagar algun objecte particular del Dolibarr (factura, comanda, etc...) Module50100Name=TPV Module50100Desc=Mòdul Terminal Punt Venda (TPV) 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=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=Gestió comptable (entrades dobles, suport a llibres major i auxiliar) Module54000Name=PrintIPP @@ -884,13 +884,13 @@ DictionaryTypeContact=Tipus de contactes/adreces DictionaryEcotaxe=Barems CEcoParticipación (DEEE) DictionaryPaperFormat=Formats paper DictionaryFormatCards=Formats de fitxes -DictionaryFees=Expense report - Types of expense report lines +DictionaryFees=Informe de despeses - Tipus de línies d'informe de despeses DictionarySendingMethods=Mètodes d'expedició DictionaryStaff=Empleats DictionaryAvailability=Temps de lliurament DictionaryOrderMethods=Mètodes de comanda DictionarySource=Orígens de pressupostos/comandes -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models de plans comptables DictionaryAccountancyJournal=Diari de comptabilitat DictionaryEMailTemplates=Models d'emails @@ -898,12 +898,13 @@ DictionaryUnits=Unitats DictionaryProspectStatus=Estat del client potencial DictionaryHolidayTypes=Tipus de dies lliures DictionaryOpportunityStatus=Estat de l'oportunitat pel projecte/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category +DictionaryExpenseTaxCat=Informe de despeses - Categories de transport +DictionaryExpenseTaxRange=Informe de despeses - Rang per categoria de transport SetupSaved=Configuració desada SetupNotSaved=Configuració no desada BackToModuleList=Retornar llista de mòduls BackToDictionaryList=Tornar a la llista de diccionaris +TypeOfRevenueStamp=Tipus timbre fiscal 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. @@ -949,7 +950,7 @@ Offset=Decàleg AlwaysActive=Sempre actiu Upgrade=Actualització MenuUpgrade=Actualització / Extensió -AddExtensionThemeModuleOrOther=Deploy/install external app/module +AddExtensionThemeModuleOrOther=Instal·lar mòduls/complements externs WebServer=Servidor web DocumentRootServer=Carpeta arrel de les pàgines web DataRootServer=Carpeta arrel dels arxius de dades @@ -1046,7 +1047,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=Edita en aquesta pàgina tota la informació coneguda sobre l'empresa o entitat a administrar (Fes clic al botó "Modificar" o "Desar" a peu de pàgina) DisplayDesc=Selecciona els paràmetres relacionats amb l'aparença de Dolibarr -AvailableModules=Available app/modules +AvailableModules=Mòduls/complements disponibles ToActivateModule=Per activar els mòduls, aneu a l'àrea de Configuració (Inici->Configuració->Mòduls). SessionTimeOut=Timeout de sesions SessionExplanation=Assegura que el període de sessions no expirarà abans d'aquest moment. Tanmateix, la gestió del període de sessions de PHP no garanteix que el període de sessions expirar després d'aquest període: Aquest serà el cas si un sistema de neteja del cau de sessions és actiu.
Nota: Sense mecanisme especial, el mecanisme intern per netejar el període de sessions de PHP tots els accessos %s /%s, però només al voltant de l'accés d'altres períodes de sessions. @@ -1094,11 +1095,11 @@ ShowProfIdInAddress=Mostrar l'identificador professional en les direccions dels ShowVATIntaInAddress=Oculta el NIF intracomunitari en les direccions dels documents TranslationUncomplete=Traducció parcial MAIN_DISABLE_METEO=Deshabilitar la vista meteo -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s +MeteoStdMod=Mode estàndard +MeteoStdModEnabled=Mode estàndard habilitat +MeteoPercentageMod=Mode percentual +MeteoPercentageModEnabled=Mode de percentatge activat +MeteoUseMod=Prèmer per utilitzar %s TestLoginToAPI=Comprovar connexió a l'API ProxyDesc=Algunes de les característiques de Dolibarr requereixen que el servidor tingui accés a Internet. Definiu aquí els paràmetres per a aquest accés. Si el servidor està darrere d'un proxy, aquests paràmetres s'indiquen a Dolibarr com passar-ho. ExternalAccess=Accés extern @@ -1110,7 +1111,7 @@ MAIN_PROXY_PASS=Contrasenya del servidor proxy DefineHereComplementaryAttributes=Defineix tots els atributs complementaris, no disponibles per defecte, que vols gestionar per %s. ExtraFields=Atributs complementaris ExtraFieldsLines=Atributs complementaris (línies) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsLinesRec=Atributs complementaris (línies de plantilles de factures) ExtraFieldsSupplierOrdersLines=Atributs complementaris (línies de comanda) ExtraFieldsSupplierInvoicesLines=Atributs complementaris (línies de factura) ExtraFieldsThirdParties=Atributs complementaris (tercers) @@ -1118,7 +1119,7 @@ ExtraFieldsContacts=Atributs complementaris (contactes/adreçes) ExtraFieldsMember=Atributs complementaris (soci) ExtraFieldsMemberType=Atributs complementaris (tipus de socis) ExtraFieldsCustomerInvoices=Atributs complementaris (factures) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsCustomerInvoicesRec=Atributs complementaris (plantilles de factura) ExtraFieldsSupplierOrders=Atributs complementaris (comandes) ExtraFieldsSupplierInvoices=Atributs complementaris (factures) ExtraFieldsProject=Atributs complementaris (projectes) @@ -1132,7 +1133,7 @@ SendmailOptionMayHurtBuggedMTA=La funcionalitat d'enviar correus electrònics a TranslationSetup=Configuració de traducció TranslationKeySearch=Cerca una clau o cadena de traducció TranslationOverwriteKey=Sobreescriu una cadena de traducció -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). +TranslationDesc=Com configurar l'idioma de visualització de l'aplicació:
* Sistema: menú Inici - Configuració - Entorn
* Per usuari: utilitzeu la pestanya Configuració de l'entorn d'usuari a la pestanya d'usuari (feu clic al nom d'usuari a la part superior de la pantalla). TranslationOverwriteDesc=També pot reemplaçar cadenes omplint la taula següent. Triï el seu idioma a la llista desplegable "%s", inserta la clau de la traducció a "%s" i la seva nova traducció a "%s" TranslationOverwriteDesc2=Podeu utilitzar un altra pestanya per ajudar a saber quina clau de conversió utilitzar TranslationString=Cadena de traducció @@ -1178,7 +1179,7 @@ HRMSetup=Configuració de mòdul de gestió de recursos humans ##### Company setup ##### CompanySetup=Configuració del mòdul empreses CompanyCodeChecker=Mòdul de generació i control dels codis de tercers (clients/proveïdors) -AccountCodeManager=Module for accounting code generation (customer or supplier) +AccountCodeManager=Mòdul per generació de codis comptables (clients o proveïdors) 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 contactes de tercers (clients o proveïdors), un contacte cada vegada @@ -1253,7 +1254,7 @@ MemberMainOptions=Opcions principals AdherentLoginRequired= Gestiona un compte d'usuari per a cada soci AdherentMailRequired=E-Mail obligatori per crear un nou soci MemberSendInformationByMailByDefault=Casella de verificació per enviar un missatge de confirmació als socis (validació o nova subscripció) activada per defecte -VisitorCanChooseItsPaymentMode=Visitor can choose among available payment modes +VisitorCanChooseItsPaymentMode=El visitant pot triar entre els modes de pagament disponibles ##### LDAP setup ##### LDAPSetup=Configuració de LDAP LDAPGlobalParameters=Paràmetres globals @@ -1271,7 +1272,7 @@ LDAPSynchronizeUsers=Organització dels usuaris a LDAP LDAPSynchronizeGroups=Organització dels grups a LDAP LDAPSynchronizeContacts=Organització dels contactes a LDAP LDAPSynchronizeMembers=Organització dels socis de l'entitat en LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPSynchronizeMembersTypes=Organització dels tipus de membres de la fundació a LDAP LDAPPrimaryServer=Servidor primari LDAPSecondaryServer=Servidor secundari LDAPServerPort=Port del servidor @@ -1295,7 +1296,7 @@ LDAPDnContactActive=Sincronització de contactes LDAPDnContactActiveExample=Sincronització activada/desactivada LDAPDnMemberActive=Sincronització de socis LDAPDnMemberActiveExample=Sincronització activada/desactivada -LDAPDnMemberTypeActive=Members types' synchronization +LDAPDnMemberTypeActive=Sincronització de tipus de membres LDAPDnMemberTypeActiveExample=Sincronització activada/desactivada LDAPContactDn=DN dels contactes Dolibarr LDAPContactDnExample=DN complet (ej: ou=contacts,dc=example,dc=com) @@ -1303,8 +1304,8 @@ LDAPMemberDn=DN dels socis de Dolibarr LDAPMemberDnExample=DN complet (ex: ou=members,dc=example,dc=com) LDAPMemberObjectClassList=Llista de objectClass LDAPMemberObjectClassListExample=Llista de ObjectClass que defineixen els atributs d'un registre (ex: top, inetorgperson o top, user for active directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=Tipus de membres de Dolibarr DN +LDAPMemberTypepDnExample=DN complet (ex: ou=memberstypes,dc=example,dc=com) LDAPMemberTypeObjectClassList=Llista de objectClass LDAPMemberTypeObjectClassListExample=Llista de ObjectClass que defineixen els atributs d'un registre (ex: top, groupOfUniqueNames) LDAPUserObjectClassList=Llista de objectClass @@ -1318,7 +1319,7 @@ LDAPTestSynchroContact=Provar la sincronització de contactes LDAPTestSynchroUser=Provar la sincronització d'usuaris LDAPTestSynchroGroup=Provar la sincronització de grups LDAPTestSynchroMember=Prova la sincronització de socis -LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSynchroMemberType=Prova la sincronització del tipus de membre LDAPTestSearch= Provar una recerca LDAP LDAPSynchroOK=Prova de sincronització realitzada correctament LDAPSynchroKO=Prova de sincronització errònia @@ -1384,7 +1385,7 @@ LDAPDescContact=Aquesta pàgina permet definir el nom dels atributs de l'arbre L LDAPDescUsers=Aquesta pàgina permet definir el nom dels atributs de l'arbre LDAP per a cada informació dels usuaris Dolibarr. LDAPDescGroups=Aquesta pàgina permet definir el nom dels atributs de l'arbre LDAP per a cada informació dels grups usuaris Dolibarr. LDAPDescMembers=Aquesta pàgina permet definir el nom dels atributs LDAP de l'arbre per a cada informació trobada en el mòdul de Socis de Dolibarr. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=Aquesta pàgina us permet definir el nom d'atributs LDAP a l'arbre LDAP per a cada dada que es troba als tipus de membres de Dolibarr. LDAPDescValues=Els valors d'exemples s'adapten a OpenLDAP amb els schemas carregats: core.schema, cosine.schema, inetorgperson.schema ). Si vostè utilitza els a valors suggerits i OpenLDAP, modifiqui el seu fitxer de configuració LDAP slapd.conf per a tenir tots aquests schemas actius. ForANonAnonymousAccess=Per un accés autentificat PerfDolibarr=Configuració rendiment/informe d'optimització @@ -1408,7 +1409,7 @@ CompressionOfResources=Compressió de les respostes HTTP CompressionOfResourcesDesc=Per exemple, utilitzant la directiva Apache "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=La detecció automàtica no és possible amb els navegadors actuals DefaultValuesDesc=Pots definir/forçar aquí el valor predeterminat que vols obtenir quan crees un registre nou, i/o filtres predeterminats o ordenació quan el teu llistat es registri. -DefaultCreateForm=Default values (on forms to create) +DefaultCreateForm=Valors per defecte (en formularis a crear) DefaultSearchFilters=Filtres de cerca per defecte DefaultSortOrder=Tipus d'ordenació per defecte DefaultFocus=Camps d'enfocament per defecte @@ -1547,20 +1548,20 @@ Buy=Compra Sell=Venda InvoiceDateUsed=Data utilitzada de factura YourCompanyDoesNotUseVAT=L'empresa s'ha configurat com a no subjecta a IVA (Inici - Configuració - Empresa/Organització), per tant no hi ha opcions per configurar l'IVA. -AccountancyCode=Accounting Code +AccountancyCode=Codi comptable AccountancyCodeSell=Codi comptable vendes AccountancyCodeBuy=Codi comptable compres ##### Agenda ##### AgendaSetup=Mòdul configuració d'accions i agenda PasswordTogetVCalExport=Clau d'autorització vCal export link PastDelayVCalExport=No exportar els esdeveniments de més de -AGENDA_USE_EVENT_TYPE=Use events types (managed into menu Setup -> Dictionaries -> Type of agenda events) +AGENDA_USE_EVENT_TYPE=Utilitzar tipus d'events (gestionables a Configuració -> Diccionaris -> Tipus d'events d'agenda) AGENDA_USE_EVENT_TYPE_DEFAULT=Defineix automàticament aquest valor per defecte pels tipus d'events en el formulari de creació d'events AGENDA_DEFAULT_FILTER_TYPE=Establir per defecte aquest tipus d'esdeveniment en el filtre de cerca en la vista de la agenda AGENDA_DEFAULT_FILTER_STATUS=Establir per defecte aquest estat de esdeveniments en el filtre de cerca en la vista de la agenda AGENDA_DEFAULT_VIEW=Establir la pestanya per defecte al seleccionar el menú 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_EMAIL=Activar el recordatori d'esdeveniments per correu electrònic (es pot definir l'opció retard en cada esdeveniment). Nota: el mòdul %s ha d'estar habilitat i configurat correctament per tenir un recordatori enviat amb la freqüència correcta. +AGENDA_REMINDER_BROWSER=Habilitar un recordatori d'esdeveniment al navegador dels usuaris (quan s'arribi a la data de l'esdeveniment, cada usuari pot rebutjar aquests recordatoris quan li demani confirmació el navegador) AGENDA_REMINDER_BROWSER_SOUND=Habilita les notificacions sonores AGENDA_SHOW_LINKED_OBJECT=Mostra l'objecte vinculat a la vista d'agenda ##### Clicktodial ##### @@ -1628,7 +1629,7 @@ ProjectsSetup=Configuració del mòdul Projectes ProjectsModelModule=Model de document per a informes de projectes TasksNumberingModules=Mòdul numeració de tasques TaskModelModule=Mòdul de documents informes de tasques -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=S'espera a que premeu al menys una tecla per carregar el contingut de la llista desplegable de Projecte (Això incrementa el rendiment en el cas de que hi hagi un nombre llarg de projectes, però és menys convenient) ##### ECM (GED) ##### ##### Fiscal Year ##### AccountingPeriods=Períodes comptables @@ -1653,9 +1654,9 @@ TypePaymentDesc=0:Forma de pagament a client, 1:Forma de pagament a proveïdor, 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 -ExpenseReportsIkSetup=Setup of module Expense Reports - Milles index -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module +ExpenseReportsIkSetup=Configurar mòdul Informe de despeses - Índex milles +ExpenseReportsRulesSetup=Configurar mòdul Informes de despeses - Regles +ExpenseReportNumberingModules=Número del mòdul Informe de despeses NoModueToManageStockIncrease=No esta activat el mòdul per gestionar automàticament l'increment d'estoc. L'increment d'estoc es realitzara només amb l'entrada manual YouMayFindNotificationsFeaturesIntoModuleNotification=Pot trobar opcions per notificacions d'e-mail activant i configurant el mòdul "Notificacions" ListOfNotificationsPerUser=Llista de notificacions per usuari* @@ -1689,14 +1690,14 @@ UnicodeCurrency=Introduïu aquí entre claus, la llista de nombre de bytes que r ColorFormat=El color RGB es troba en format HEX, per exemple: FF0000 PositionIntoComboList=Posició de la línia en llistes combo SellTaxRate=Valor de l'IVA -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. +RecuperableOnly=Sí per l'IVA "No percebut sinó recuperable" dedicat per a algun estat a França. Manteniu el valor "No" en tots els altres casos. UrlTrackingDesc=Si el proveïdor o el servei de transport ofereixen una pàgina o un lloc web per comprovar l'estat del teu enviament , pots entrar aquí. Pots utilitzar la tecla {TrackID} en els paràmetres d'URL perquè el sistema ho reemplaçarà amb el valor del número de seguiment de l'usuari utilitzat en la targeta d'embarcament. OpportunityPercent=Quan crees una oportunitat, es defineix un import estimat de projecte. D'acord a l'estat de l'oportunitat, aquest import es pot multiplicar per aquest taxa per avaluar l'import global eventual per totes les oportunitats que es poden generar. El valor és un percentatge (entre o i 100). TemplateForElement=Aquest registre de plantilla es dedica a quin element TypeOfTemplate=Tipus de plantilla TemplateIsVisibleByOwnerOnly=La plantilla és visible només pel propietari -VisibleEverywhere=Visible everywhere -VisibleNowhere=Visible nowhere +VisibleEverywhere=Visible arreu +VisibleNowhere=Visible enlloc FixTZ=Fixar zona horaria FillFixTZOnlyIfRequired=Exemple: +2 (omple'l només si tens problemes) ExpectedChecksum=Checksum esperat @@ -1712,8 +1713,8 @@ MailToSendSupplierOrder=Enviar comanda de proveïdor MailToSendSupplierInvoice=Enviar factura de proveïdor MailToSendContract=Per a enviar un contracte MailToThirdparty=Per enviar correu electrònic des de la pàgina del tercer -MailToMember=To send email from member page -MailToUser=To send email from user page +MailToMember=Enviar correu electrònic des de la pàgina del membre +MailToUser=Enviar correu electrònic des de la pàgina d'usuari 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) @@ -1724,13 +1725,13 @@ MultiPriceRuleDesc=Quan l'opció "Varis nivells de preus per producte/servei" es ModelModulesProduct=Plantilles per documents de productes ToGenerateCodeDefineAutomaticRuleFirst=Per poder generar codis automàticament, primer has de definir un responsable de autodefinir els números del codi de barres. SeeSubstitutionVars=Veure * nota per llistat de possibles variables de substitució -SeeChangeLog=See ChangeLog file (english only) +SeeChangeLog=Veure el fitxer ChangeLog (només en anglès) AllPublishers=Tots els publicadors UnknownPublishers=Publicadors desconeguts AddRemoveTabs=Afegeix o elimina pestanyes -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data +AddDataTables=Afegir taules d'objecte +AddDictionaries=Afegir taules de diccionari +AddData=Afegir objectes o dades de diccionari AddBoxes=Afegeix panells AddSheduledJobs=Afegeix tasques programades AddHooks=Afegeix hooks @@ -1756,12 +1757,13 @@ BaseCurrency=Moneda de referència de l'empresa (entra a la configuració de l'e WarningNoteModuleInvoiceForFrenchLaw=Aquest mòdul %s compleix les lleis franceses (Loi Finance 2016). WarningNoteModulePOSForFrenchLaw=Aquest mòdul %s compleix les lleis franceses (Loi Finance 2016) perquè el mòdul Non Reversible Logs s'ha activat automàticament. WarningInstallationMayBecomeNotCompliantWithLaw=Intenta instal·lar el mòdul %s que és un mòdul extern. Activar un mòdul extern significa que confia en l'editor del mòdul i està segur que aquest mòdul no alterarà negativament el comportament de la seva aplicació i compleix les lleis del seu país (%s). Si el mòdul ofereix una característica no legal, es fa responsable de l'ús d'un software il·legal. -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 +MAIN_PDF_MARGIN_LEFT=Marge esquerre al PDF +MAIN_PDF_MARGIN_RIGHT=Marge dret al PDF +MAIN_PDF_MARGIN_TOP=Marge superior al PDF +MAIN_PDF_MARGIN_BOTTOM=Marge inferior al PDF ##### Resource #### ResourceSetup=Configuració del mòdul Recurs UseSearchToSelectResource=Utilitza un formulari de cerca per a seleccionar un recurs (millor que una llista desplegable) DisabledResourceLinkUser=Recurs d'enllaç a usuari deshabilitat DisabledResourceLinkContact=Recurs d'enllaç a contacte deshabilitat +ConfirmUnactivation=Confirma el restabliment del mòdul diff --git a/htdocs/langs/ca_ES/agenda.lang b/htdocs/langs/ca_ES/agenda.lang index ec940e6cd5dca..f5ed7d7f921b9 100644 --- a/htdocs/langs/ca_ES/agenda.lang +++ b/htdocs/langs/ca_ES/agenda.lang @@ -12,7 +12,7 @@ Event=Esdeveniment Events=Esdeveniments EventsNb=Nombre d'esdeveniments ListOfActions=Llista d'esdeveniments -EventReports=Event reports +EventReports=Informes d'esdeveniments Location=Localització ToUserOfGroup=A qualsevol usuari del grup EventOnFullDay=Esdeveniment per tot el dia @@ -35,7 +35,7 @@ AgendaAutoActionDesc= Defineix aqui els esdeveniments pels que vols que Dolibarr AgendaSetupOtherDesc= Aquesta pàgina permet configurar algunes opcions que permeten exportar una vista de la seva agenda Dolibar a un calendari extern (thunderbird, google calendar, ...) AgendaExtSitesDesc=Aquesta pàgina permet configurar calendaris externs per a la seva visualització en l'agenda de Dolibarr. ActionsEvents=Esdeveniments per a què Dolibarr crei una acció de forma automàtica -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into Agenda module setup. +EventRemindersByEmailNotEnabled=Els recordatoris d'esdeveniments per correu electrònic no estaven habilitats en la configuració del mòdul d'Agenda. ##### Agenda event labels ##### NewCompanyToDolibarr=Tercer %s creat ContractValidatedInDolibarr=Contracte %s validat @@ -67,7 +67,7 @@ OrderApprovedInDolibarr=Comanda %s aprovada OrderRefusedInDolibarr=Comanda %s rebutjada OrderBackToDraftInDolibarr=Comanda %s tornada a estat esborrany ProposalSentByEMail=Pressupost %s enviat per e-mail -ContractSentByEMail=Contract %s sent by EMail +ContractSentByEMail=Enviat per correu electrònic el contracte %s OrderSentByEMail=Comanda de client %s enviada per e-mail InvoiceSentByEMail=Factura a client %s enviada per e-mail SupplierOrderSentByEMail=Comanda a proveïdor %s enviada per e-mail @@ -81,14 +81,14 @@ InvoiceDeleted=Factura esborrada PRODUCT_CREATEInDolibarr=Producte %s creat PRODUCT_MODIFYInDolibarr=Producte %s modificat PRODUCT_DELETEInDolibarr=Producte %s eliminat -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=Creat l'informe de despeses %s +EXPENSE_REPORT_VALIDATEInDolibarr=S'ha validat l'informe de despeses %s +EXPENSE_REPORT_APPROVEInDolibarr=Aprovat l'informe de despeses %s +EXPENSE_REPORT_DELETEInDolibarr=Esborrat l'informe de despeses %s +EXPENSE_REPORT_REFUSEDInDolibarr=Rebutjat l'informe de despeses %s PROJECT_CREATEInDolibarr=Projecte %s creat PROJECT_MODIFYInDolibarr=Projecte %s modificat -PROJECT_DELETEInDolibarr=Project %s deleted +PROJECT_DELETEInDolibarr=S'ha eliminat el projecte %s ##### End agenda events ##### AgendaModelModule=Plantilles de documents per esdeveniments DateActionStart=Data d'inici diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang index 12366629ccd33..16cff4fdc5640 100644 --- a/htdocs/langs/ca_ES/banks.lang +++ b/htdocs/langs/ca_ES/banks.lang @@ -2,7 +2,7 @@ Bank=Banc MenuBankCash=Bancs/Caixes MenuVariousPayment=Pagaments varis -MenuNewVariousPayment=New Miscellaneous payment +MenuNewVariousPayment=Pagament extra nou BankName=Nom del banc FinancialAccount=Compte BankAccount=Compte bancari @@ -89,6 +89,7 @@ AccountIdShort=Número LineRecord=Registre AddBankRecord=Afegir registre AddBankRecordLong=Afegir registre manualment +Conciliated=Conciliat ConciliatedBy=Conciliat per DateConciliating=Data conciliació BankLineConciliated=Registre conciliat @@ -157,6 +158,6 @@ NewVariousPayment=Nou pagament varis VariousPayment=Pagaments varis VariousPayments=Pagaments varis ShowVariousPayment=Mostra els pagaments varis -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=Afegir pagaments extres +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 e9ace42de251f..09cd4e9702c81 100644 --- a/htdocs/langs/ca_ES/bills.lang +++ b/htdocs/langs/ca_ES/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Retard en el pagament BillsStatistics=Estadístiques factures a clients BillsStatisticsSuppliers=Estadístiques factures de proveïdors +DisabledBecauseDispatchedInBookkeeping=Desactivat perquè la factura s'ha contabilitzat +DisabledBecauseNotLastInvoice=Desactivat perque la factura no es pot eliminar. S'han creat factures després d'aquesta i crearia buits al contador. DisabledBecauseNotErasable=Desactivat perque no es pot eliminar InvoiceStandard=Factura estàndard InvoiceStandardAsk=Factura estàndard @@ -149,19 +151,19 @@ ErrorCantCancelIfReplacementInvoiceNotValidated=Error, no és possible cancel·l BillFrom=Emissor BillTo=Enviar a ActionsOnBill=Eventos sobre la factura -RecurringInvoiceTemplate=Template / Recurring invoice +RecurringInvoiceTemplate=Plantilla / Factura recurrent NoQualifiedRecurringInvoiceTemplateFound=No s'ha qualificat cap plantilla de factura recurrent per generar-se. FoundXQualifiedRecurringInvoiceTemplate=S'ha trobat la plantilla de factura/es recurrent %s qualificada per generar-se. NotARecurringInvoiceTemplate=No és una plantilla de factura recurrent NewBill=Nova factura LastBills=Últimes %s factures -LatestTemplateInvoices=Latest %s template invoices -LatestCustomerTemplateInvoices=Latest %s customer template invoices -LatestSupplierTemplateInvoices=Latest %s supplier template invoices +LatestTemplateInvoices=Últimes %s plantilles de factura +LatestCustomerTemplateInvoices=Últimes %s plantilles de factures de client +LatestSupplierTemplateInvoices=Darreres %s plantilles de factures de proveïdor LastCustomersBills=Últimes %s factures de client LastSuppliersBills=Últimes %s factures de proveïdor AllBills=Totes les factures -AllCustomerTemplateInvoices=All template invoices +AllCustomerTemplateInvoices=Totes les plantilles de factura OtherBills=Altres factures DraftBills=Esborranys de factures CustomersDraftInvoices=Esborranys de factures de client @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Per quina raó vols classificar aquesta factura com 'a ConfirmClassifyPaidPartially=Està segur de voler classificar la factura %s com pagada? ConfirmClassifyPaidPartiallyQuestion=Aquesta factura no ha estat totalment pagada. Per què vol classificar-la com a pagada? ConfirmClassifyPaidPartiallyReasonAvoir=La resta a pagar (%s %s) és un descompte atorgat perquè el pagament es va fer abans de temps. Regularitzo l'IVA d'aquest descompte amb un abonament. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=La resta a pagar (%s %s) és un descompte acordat després de la facturació. Accepto perdre l'IVA d'aquest descompte ConfirmClassifyPaidPartiallyReasonDiscountVat=La resta a pagar (%s %s) és un descompte atorgat perquè el pagament es va fer abans de temps. Recupero l'IVA d'aquest descompte, sense un abonament. ConfirmClassifyPaidPartiallyReasonBadCustomer=Client morós @@ -233,7 +236,7 @@ SendReminderBillByMail=Envia recordatori per e-mail RelatedCommercialProposals=Pressupostos relacionats RelatedRecurringCustomerInvoices=Factures recurrents de client relacionades MenuToValid=A validar -DateMaxPayment=Payment due on +DateMaxPayment=Pagament vençut DateInvoice=Data facturació DatePointOfTax=Punt d'impostos NoInvoice=Cap factura @@ -331,15 +334,15 @@ ListOfNextSituationInvoices=Llista de factures de situació següents FrequencyPer_d=Cada %s dies FrequencyPer_m=Cada %s mesos FrequencyPer_y=Cada %s anys -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=Unitat de freqüència +toolTipFrequency=Exemples:
Set 7, Day: donar una factura nova cada 7 dies
Set 3, Month: donar una factura nova cada 3 mesos NextDateToExecution=Data de la propera generació de factures -NextDateToExecutionShort=Date next gen. +NextDateToExecutionShort=Data següent gen. DateLastGeneration=Data de l'última generació -DateLastGenerationShort=Date latest gen. +DateLastGenerationShort=Data última gen. MaxPeriodNumber=Nº màxim de generació de factures NbOfGenerationDone=Nº de generació de factura ja realitzat -NbOfGenerationDoneShort=Nb of generation done +NbOfGenerationDoneShort=Nb de generació fet MaxGenerationReached=Nº màxim de generacions assollit InvoiceAutoValidate=Valida les factures automàticament GeneratedFromRecurringInvoice=Generat des de la plantilla de factura recurrent %s @@ -347,7 +350,7 @@ DateIsNotEnough=Encara no s'ha arribat a la data InvoiceGeneratedFromTemplate=La factura %s s'ha generat des de la plantilla de factura recurrent %s WarningInvoiceDateInFuture=Alerta, la data de factura és major que la data actual WarningInvoiceDateTooFarInFuture=Alerta, la data de factura és molt antiga respecte la data actual -ViewAvailableGlobalDiscounts=View available discounts +ViewAvailableGlobalDiscounts=Veure descomptes disponibles # PaymentConditions Statut=Estat PaymentConditionShortRECEP=A la recepció @@ -514,6 +517,6 @@ DeleteRepeatableInvoice=Elimina la factura recurrent ConfirmDeleteRepeatableInvoice=Vols eliminar la plantilla de factura? CreateOneBillByThird=Crea una factura per tercer (per la resta, una factura per comanda) BillCreated=%s càrrec(s) creats -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file +StatusOfGeneratedDocuments=Estat de la generació de documents +DoNotGenerateDoc=No generar cap fitxer de document +AutogenerateDoc=Genera automàticament el fitxer del document diff --git a/htdocs/langs/ca_ES/commercial.lang b/htdocs/langs/ca_ES/commercial.lang index a8e740d859fb9..4135dceebceb6 100644 --- a/htdocs/langs/ca_ES/commercial.lang +++ b/htdocs/langs/ca_ES/commercial.lang @@ -71,9 +71,9 @@ Stats=Estadístiques de venda StatusProsp=Estat del pressupost DraftPropals=Pressupostos esborrany NoLimit=Sense límit -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 +ToOfferALinkForOnlineSignature=Enllaç per a la signatura en línia +WelcomeOnOnlineSignaturePage=Benvingut a la pàgina per acceptar propostes comercials de %s +ThisScreenAllowsYouToSignDocFrom=Aquesta pantalla us permet acceptar i signar, o rebutjar, una cotització / proposta comercial +ThisIsInformationOnDocumentToSign=Es tracta d'informació sobre el document per acceptar o rebutjar +SignatureProposalRef=Signatura de pressupost / proposta comercial %s +FeatureOnlineSignDisabled=La funcionalitat de signatura en línia estava desactivada o bé el document va ser generat abans que fos habilitada la funció diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang index 9552e2dcdddcb..17f21e97c2d7a 100644 --- a/htdocs/langs/ca_ES/companies.lang +++ b/htdocs/langs/ca_ES/companies.lang @@ -29,7 +29,7 @@ AliasNameShort=Nom comercial Companies=Empreses CountryIsInEEC=Pais de la Comunitat Econòmica Europea ThirdPartyName=Nom del tercer -ThirdPartyEmail=Third party email +ThirdPartyEmail=Correu electrònic del tercer ThirdParty=Tercer ThirdParties=Tercers ThirdPartyProspects=Clients potencials @@ -51,7 +51,7 @@ Lastname=Cognoms Firstname=Nom PostOrFunction=Càrrec laboral UserTitle=Títol cortesia -NatureOfThirdParty=Nature of Third party +NatureOfThirdParty=Naturalesa del tercer Address=Adreça State=Província StateShort=Estat @@ -267,7 +267,7 @@ CustomerAbsoluteDiscountShort=Descompte fixe CompanyHasRelativeDiscount=Aquest client té un descompte per defecte de %s%% CompanyHasNoRelativeDiscount=Aquest client no té descomptes relatius per defecte CompanyHasAbsoluteDiscount=Aquest client té descomptes disponibles (notes de crèdit o bestretes) per %s %s -CompanyHasDownPaymentOrCommercialDiscount=This customer has discount available (commercial, down payments) for %s %s +CompanyHasDownPaymentOrCommercialDiscount=Aquest client té un descompte disponible (comercial, de pagament) per a %s%s CompanyHasCreditNote=Aquest client encara té abonaments per %s %s CompanyHasNoAbsoluteDiscount=Aquest client no té més descomptes fixos disponibles CustomerAbsoluteDiscountAllUsers=Descomptes fixos en curs (acordat per tots els usuaris) diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang index 3459af3403185..1ba698df8d184 100644 --- a/htdocs/langs/ca_ES/compta.lang +++ b/htdocs/langs/ca_ES/compta.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - compta -MenuFinancial=Billing / Payment +MenuFinancial=Facturació / pagament TaxModuleSetupToModifyRules=Ves a la Configuració mòdul impostos per modificar les regles de càlcul TaxModuleSetupToModifyRulesLT=Ves a la Configuració de l'empresa per modificar les regles de càlcul OptionMode=Opció de gestió comptable @@ -18,12 +18,13 @@ Accountsparent=Comptes pare Income=Ingressos Outcome=Despeses MenuReportInOut=Resultat / Exercici -ReportInOut=Balance of income and expenses +ReportInOut=Saldo d'ingressos i despeses ReportTurnover=Volum de vendes PaymentsNotLinkedToInvoice=Pagaments vinculats a cap factura, per la qual cosa sense tercer PaymentsNotLinkedToUser=Pagaments no vinculats a un usuari Profit=Benefici AccountingResult=Resultat comptable +BalanceBefore=Balance (before) Balance=Saldo Debit=Dèbit Credit=Crèdit @@ -31,34 +32,34 @@ Piece=Doc. Comptabilitat AmountHTVATRealReceived=Total repercutit AmountHTVATRealPaid=Total pagat VATToPay=IVA vendes -VATReceived=Tax received -VATToCollect=Tax purchases -VATSummary=Tax Balance -VATPaid=Tax paid -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary +VATReceived=Impost rebut +VATToCollect=Impost de compres +VATSummary=Saldo tributari +VATPaid=Impost pagat +LT1Summary=Resum d'impostos 2 +LT2Summary=Resum fiscal 3 LT1SummaryES=Balanç del RE LT2SummaryES=Balanç d'IRPF -LT1SummaryIN=CGST Balance -LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid +LT1SummaryIN=Balanç CGST +LT2SummaryIN=Balanç SGST +LT1Paid=Impostos pagats 2 +LT2Paid=Impostos pagats 3 LT1PaidES=RE pagat LT2PaidES=IRPF Pagat -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases +LT1PaidIN=CGST pagat +LT2PaidIN=SGST pagat +LT1Customer=Impostos vendes 2 +LT1Supplier=Impostos compres 2 LT1CustomerES=Vendes RE LT1SupplierES=Compres RE -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases +LT1CustomerIN=CGST vendes +LT1SupplierIN=Compres CGST +LT2Customer=Impostos vendes 3 +LT2Supplier=Impostos compres 3 LT2CustomerES=IRPF Vendes LT2SupplierES=IRPF compres -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases +LT2CustomerIN=Vendes SGST +LT2SupplierIN=Compres SGST VATCollected=IVA recuperat ToPay=A pagar SpecialExpensesArea=Àrea per tots els pagaments especials @@ -107,8 +108,8 @@ 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=Customer accounting code -SupplierAccountancyCode=Supplier accounting code +CustomerAccountancyCode=Codi de comptable del client +SupplierAccountancyCode=Codi comptable del proveïdor CustomerAccountancyCodeShort=Codi compt. cli. SupplierAccountancyCodeShort=Codi compt. prov. AccountNumber=Número de compte @@ -136,7 +137,7 @@ 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=Analysis of data journalized in Bookkeeping Ledger table +CalcModeBookkeeping=Anàlisi de dades publicades a la taula de llibres 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 @@ -145,21 +146,21 @@ CalcModeLT2Debt=Metode %sIRPF a factures a clients%s CalcModeLT2Rec= Metode %sIRPF a factures de proveïdors%s AnnualSummaryDueDebtMode=Saldo d'ingressos i despeses, resum anual AnnualSummaryInputOutputMode=Saldo d'ingressos i despeses, resum 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. +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=See report %sBookeeping%s for a calculation on bookkeeping table analysis +SeeReportInBookkeepingMode=Vegeu l'informe %sLlibre%s per a un càlcul a anàlisi de taula de comptes 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
-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 +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 +SeePageForSetup=Veure el menú %s per configurar-lo DepositsAreNotIncluded=- Les factures de bestreta no estan incloses DepositsAreIncluded=- Les factures de bestreta estan incloses LT2ReportByCustomersInInputOutputModeES=Informe per tercer del IRPF @@ -211,7 +212,7 @@ CalculationRuleDesc=Per calcular la totalitat de l'IVA, hi ha dos mètodes:
M 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=l'Informe Facturació per producte, quan s'utilitza el mode comptabilitat de caixa no és rellevant. Aquest informe només està disponible quan s'utilitza el mode compromís comptable(consulteu la configuració del mòdul de comptabilitat). CalculationMode=Mode de càlcul -AccountancyJournal=Accounting code journal +AccountancyJournal=Diari de codi de comptable ACCOUNTING_VAT_SOLD_ACCOUNT=Compte comptable per defecte per a IVA repercutit - IVA a les vendes (utilitzat si no ha estat definit al diccionari de IVA) ACCOUNTING_VAT_BUY_ACCOUNT=Compte comptable per defecte per a IVA suportat - IVA a les compres (utilitzat si no ha estat definit al diccionari de IVA) ACCOUNTING_VAT_PAY_ACCOUNT=Compte comptable per defecte per IVA pagat @@ -234,4 +235,4 @@ ImportDataset_tax_vat=Pagaments IVA ErrorBankAccountNotFound=Error: no s'ha trobat el compte bancari FiscalPeriod=Període comptable ListSocialContributionAssociatedProject=Llista de contribucions socials associades al projecte -DeleteFromCat=Remove from accounting group +DeleteFromCat=Elimina del grup comptable diff --git a/htdocs/langs/ca_ES/contracts.lang b/htdocs/langs/ca_ES/contracts.lang index d2431981ef8d8..c4dec160abc54 100644 --- a/htdocs/langs/ca_ES/contracts.lang +++ b/htdocs/langs/ca_ES/contracts.lang @@ -31,11 +31,11 @@ NewContract=Nou contracte NewContractSubscription=Nou contracte/subscripció AddContract=Crear contracte DeleteAContract=Eliminar un contracte -ActivateAllOnContract=Activate all services +ActivateAllOnContract=Activar tots els serveis CloseAContract=Tancar un contracte ConfirmDeleteAContract=Vols eliminar aquest contracte i tots els seus serveis? ConfirmValidateContract=Estàs segur que vols validar aquest contracte sota el nom %s? -ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? +ConfirmActivateAllOnContract=Això obrirà tots els serveis (encara no actius). Esteu segur que voleu obrir tots els serveis? ConfirmCloseContract=Això tancarà tots els serveis (actius o no). Estàs segur que vols tancar el contracte? ConfirmCloseService=Vols tancar aquest servei amb data %s? ValidateAContract=Validar un contracte @@ -68,7 +68,7 @@ BoardRunningServices=Serveis actius expirats ServiceStatus=Estat del servei DraftContracts=Contractes esborrany CloseRefusedBecauseOneServiceActive=El contracte no pot ser tancat ja que conté almenys un servei obert. -ActivateAllContracts=Activate all contract lines +ActivateAllContracts=Activar totes les línies de contracte CloseAllContracts=Tancar tots els serveis DeleteContractLine=Eliminar línia de contracte ConfirmDeleteContractLine=Vols eliminar aquesta línia de contracte? @@ -87,8 +87,8 @@ ContactNameAndSignature=Per %s, nom i signatura: OnlyLinesWithTypeServiceAreUsed=Només les línies amb tipus "Servei" seran clonades. CloneContract=Clona el contracte ConfirmCloneContract=Are you sure you want to clone the contract %s? -LowerDateEndPlannedShort=Lower planned end date of active services -SendContractRef=Contract information __REF__ +LowerDateEndPlannedShort=Baixa data de finalització planificada dels serveis actius +SendContractRef=Informació del contracte __REF__ ##### Types de contacts ##### TypeContact_contrat_internal_SALESREPSIGN=Agent comercial signant del contracte TypeContact_contrat_internal_SALESREPFOLL=Agent comercial del seguiment del contracte diff --git a/htdocs/langs/ca_ES/cron.lang b/htdocs/langs/ca_ES/cron.lang index 9da936b25bec1..cc612a96d28d8 100644 --- a/htdocs/langs/ca_ES/cron.lang +++ b/htdocs/langs/ca_ES/cron.lang @@ -10,12 +10,12 @@ CronSetup= Pàgina de configuració del mòdul - Gestió de tasques planificades URLToLaunchCronJobs=URL per comprovar i posar en marxa les tasques automàtiques qualificades OrToLaunchASpecificJob=O per llançar una tasca específica KeyForCronAccess=Codi de seguretat per a la URL de llançament de tasques automàtiques -FileToLaunchCronJobs=Command line to check and launch qualified cron jobs +FileToLaunchCronJobs=Línia de comando per verificar i executar tasques cron qualificades CronExplainHowToRunUnix=A entorns Unix s'ha d'utilitzar la següent entrada crontab per executar la comanda cada 5 minuts CronExplainHowToRunWin=En entorns Microsoft (tm) Windows, pot utilitzar l'eina 'tareas programadas' per executar la comanda cada 5 minuts CronMethodDoesNotExists=La classe %s no conté cap mètode %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=Els perfils de tasques programades es defineixen a la fitxa del mòdul descriptor. Quan s'activa el mòdul, es carreguen i estan disponibles per poder administrar les tasques des del menú d'eines d'administració %s. +CronJobProfiles=Llista de perfils predefinits de tasques programades # Menu EnabledAndDisabled=Habilitat i deshabilitat # Page list @@ -55,28 +55,28 @@ CronSaveSucess=S'ha desat correctament CronNote=Nota CronFieldMandatory=El camp %s és obligatori CronErrEndDateStartDt=La data de fi no pot ser anterior a la d'inici -StatusAtInstall=Status at module installation +StatusAtInstall=Estat a la instal·lació del mòdul CronStatusActiveBtn=Activar CronStatusInactiveBtn=Desactivar CronTaskInactive=Aquesta tasca es troba desactivada 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=Nom del directori del mòdul de Dolibarr (també funciona amb mòduls externs).
Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor pel mòdul és product +CronClassFileHelp=La ruta relativa i el nom del fitxer a carregar (la ruta és relativa al directori arrel del servidor web).
Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor del nom del fitxer de classe és product/class/product.class.php +CronObjectHelp=El nom de l'objecte a carregar.
Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor pel nom del fitxer de classe és Product +CronMethodHelp=El mètode d'objecte a cridar.
Per exemple, per cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor pel mètode és fetch +CronArgsHelp=Els arguments del mètode.
Per exemple, cridar al mètode "fetch" de l'objecte Producte de Dolibarr /htdocs/product/class/product.class.php, el valor dels paràmetres pot ser
0, ProductRef CronCommandHelp=El comando del sistema a executar CronCreateJob=Crear nova tasca programada CronFrom=De # Info # Common CronType=Tipus de tasca -CronType_method=Call method of a PHP Class +CronType_method=Mètode per cridar una classe PHP CronType_command=Comando Shell CronCannotLoadClass=impossible carregar la classe %s de l'objecte %s UseMenuModuleToolsToAddCronJobs=Ves a menú "Inici - Utilitats de sistema - Tasques programades" per veure i editar les tasques programades. JobDisabled=Tasca desactivada MakeLocalDatabaseDumpShort=Còpia de seguretat de la base de dades local -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, nb of backup files to keep +MakeLocalDatabaseDump=Crear un bolcat de la base de dades local. Els paràmetres són: compressió ('gz' o 'bz' o 'none'), tipus de còpia de seguretat ('mysql' o 'pgsql'), 1, 'auto' o nom de fitxer per a compilar, nombre de fitxers de còpia de seguretat per conservar WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. diff --git a/htdocs/langs/ca_ES/dict.lang b/htdocs/langs/ca_ES/dict.lang index f6d51257aad96..badfc41f25ddf 100644 --- a/htdocs/langs/ca_ES/dict.lang +++ b/htdocs/langs/ca_ES/dict.lang @@ -327,8 +327,8 @@ PaperFormatCAP5=Format canadec P5 PaperFormatCAP6=Format canadec P6 #### Expense report categories #### ExpAutoCat=Cotxe -ExpCycloCat=Moped -ExpMotoCat=Motorbike +ExpCycloCat=Ciclomotor +ExpMotoCat=Moto ExpAuto3CV=3 CV ExpAuto4CV=4 CV ExpAuto5CV=5 CV @@ -339,18 +339,18 @@ ExpAuto9CV=9 CV ExpAuto10CV=10 CV ExpAuto11CV=11 CV ExpAuto12CV=12 CV -ExpAuto3PCV=3 CV and more -ExpAuto4PCV=4 CV and more -ExpAuto5PCV=5 CV and more -ExpAuto6PCV=6 CV and more -ExpAuto7PCV=7 CV and more -ExpAuto8PCV=8 CV and more -ExpAuto9PCV=9 CV and more -ExpAuto10PCV=10 CV and more -ExpAuto11PCV=11 CV and more -ExpAuto12PCV=12 CV and more -ExpAuto13PCV=13 CV and more -ExpCyclo=Capacity lower to 50cm3 -ExpMoto12CV=Motorbike 1 or 2 CV -ExpMoto345CV=Motorbike 3, 4 or 5 CV -ExpMoto5PCV=Motorbike 5 CV and more +ExpAuto3PCV=3 CV i més +ExpAuto4PCV=4 CV i més +ExpAuto5PCV=5 CV i més +ExpAuto6PCV=6 CV i més +ExpAuto7PCV=7 CV i més +ExpAuto8PCV=8 CV i més +ExpAuto9PCV=9 CV i més +ExpAuto10PCV=10 CV i més +ExpAuto11PCV=11 CV i més +ExpAuto12PCV=12 CV i més +ExpAuto13PCV=13 CV i més +ExpCyclo=Capacitat inferior a 50cm3 +ExpMoto12CV=Moto 1 ó 2 CV +ExpMoto345CV=Moto 3, 4 ó 5 CV +ExpMoto5PCV=Moto 5 CV i més diff --git a/htdocs/langs/ca_ES/donations.lang b/htdocs/langs/ca_ES/donations.lang index 55ee888429167..d0072ad36dfdc 100644 --- a/htdocs/langs/ca_ES/donations.lang +++ b/htdocs/langs/ca_ES/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Mostrar article 200 del CGI si s'està interessat DONATION_ART238=Mostrar article 238 del CGI si s'està interessat DONATION_ART885=Mostrar article 885 del CGI si s'està interssat DonationPayment=Pagament de la donació +DonationValidated=Donation %s validated diff --git a/htdocs/langs/ca_ES/ecm.lang b/htdocs/langs/ca_ES/ecm.lang index ed36b5bd4893d..05f0edda32593 100644 --- a/htdocs/langs/ca_ES/ecm.lang +++ b/htdocs/langs/ca_ES/ecm.lang @@ -6,7 +6,7 @@ ECMSectionAuto=Carpeta automàtica ECMSectionsManual=Arbre manual ECMSectionsAuto=Arbre automàtic ECMSections=Carpetes -ECMRoot=ECM Root +ECMRoot=Arrel del ECM ECMNewSection=Nova carpeta ECMAddSection=Afegir carpeta ECMCreationDate=Data creació @@ -18,7 +18,7 @@ ECMArea=Àrea GED ECMAreaDesc=L'àrea GED (Gestió Electrònica de Documents) li permet controlar ràpidament els documents en Dolibarr. ECMAreaDesc2=Podeu crear carpetes manuals i adjuntar els documents
Les carpetes automàtiques són emplenades automàticament en l'addició d'un document en una fitxa. ECMSectionWasRemoved=La carpeta %s ha estat eliminada -ECMSectionWasCreated=Directory %s has been created. +ECMSectionWasCreated=S'ha creat el directori %s. ECMSearchByKeywords=Cercar per paraules clau ECMSearchByEntity=Cercar per objecte ECMSectionOfDocuments=Carpetes de documents @@ -42,9 +42,9 @@ ECMDirectoryForFiles=Carpeta relativa per a fitxers CannotRemoveDirectoryContainsFiles=No es pot eliminar perquè té arxius ECMFileManager=Explorador de fitxers ECMSelectASection=Seleccioneu una carpeta en l'arbre de l'esquerra -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 +DirNotSynchronizedSyncFirst=Aquest directori sembla que s'ha creat o modificat fora del mòdul ECM. Heu de prémer el botó "Resincronitzar" per sincronitzar el disc i la base de dades per obtenir el contingut d'aquest directori. +ReSyncListOfDir=Resincronitzar la llista de directoris +HashOfFileContent=Resum matemàtic ("hash") del contingut del fitxer +FileNotYetIndexedInDatabase=Fitxer encara no indexat a la base de dades (intenteu pujant-lo de nou) +FileSharedViaALink=Fitxer compartit a través d'un enllaç +NoDirectoriesFound=No s'han trobat directoris diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang index 381ad0a260607..f737a0d9c89df 100644 --- a/htdocs/langs/ca_ES/errors.lang +++ b/htdocs/langs/ca_ES/errors.lang @@ -75,7 +75,7 @@ ErrorCantSaveADoneUserWithZeroPercentage=No es pot canviar una acció al estat n ErrorRefAlreadyExists=La referència utilitzada per a la creació ja existeix ErrorPleaseTypeBankTransactionReportName=Si us plau, tecleja el nom del comunicat del banc a on s'informa de l'entrada (format AAAAMM o AAAAMMDD) ErrorRecordHasChildren=No s'ha pogut eliminar el registre, ja que té alguns registres fills. -ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s +ErrorRecordHasAtLeastOneChildOfType=L'objecte té almenys un fill de tipus %s ErrorRecordIsUsedCantDelete=No es pot eliminar el registre. S'està utilitzant o incloent en un altre objecte. ErrorModuleRequireJavascript=Javascript ha d'estar activat per a que aquesta opció pugui utilitzar-se. Per activar/desactivar JavaScript, ves al menú Inici->Configuració->Entorn. ErrorPasswordsMustMatch=Les 2 contrasenyes indicades s'han de correspondre @@ -104,7 +104,7 @@ ErrorForbidden2=Els permisos per a aquest usuari poden ser assignats per l'admin ErrorForbidden3=Dolibarr no sembla funcionar en una sessió autentificada. Consulteu la documentació d'instal lació de Dolibarr per saber com administrar les autenticacions (htacces, mod_auth o altre ...). ErrorNoImagickReadimage=No s'ha trobat la classe Imagick en aquesta instal lació PHP. La previsualització no està disponible. Els administradors poden deshabilitar aquesta pestanya en el menú Configuració - Entorn. ErrorRecordAlreadyExists=Registre ja existent -ErrorLabelAlreadyExists=This label already exists +ErrorLabelAlreadyExists=Aquesta etiqueta ja existeix ErrorCantReadFile=Error de lectura del fitxer '%s' ErrorCantReadDir=Error de lectura de la carpeta '%s' ErrorBadLoginPassword=Identificadors d'usuari o contrasenya incorrectes @@ -155,11 +155,12 @@ ErrorPriceExpression19=Expressió no trobada ErrorPriceExpression20=Expressió buida ErrorPriceExpression21=Resultat '%s' buit ErrorPriceExpression22=Resultat'%s' negatiu -ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression23=Variable desconeguda o no establerta '%s' a %s +ErrorPriceExpression24=La variable '%s' existeix però no té valor ErrorPriceExpressionInternal=Error intern '%s' ErrorPriceExpressionUnknown=Error desconegut '%s' ErrorSrcAndTargetWarehouseMustDiffers=Els magatzems d'origen i destí han de ser diferents -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information +ErrorTryToMakeMoveOnProductRequiringBatchData=Error, intentant fer un moviment d'estoc sense informació de lot/sèrie, al producte '%s' que requereix informació del lot o sèrie ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Totes les recepcions han de verificar-se primer (acceptades o denegades) abans per realitzar aquesta acció ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Totes les recepcions han de verificar-se (acceptades) abans per poder-se realitzar a aquesta acció ErrorGlobalVariableUpdater0=Petició HTTP fallida amb error '%s' @@ -200,12 +201,12 @@ ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=No és possible la validació massiva quan s'estableix l'opció d'augmentar/disminuir l'estoc en aquesta acció (cal validar-ho un per un per poder definir el magatzem a augmentar/disminuir) ErrorObjectMustHaveStatusDraftToBeValidated=L'objecte %s ha de tenir l'estat 'Esborrany' per ser validat. ErrorObjectMustHaveLinesToBeValidated=L'objecte %s ha de tenir línies per ser validat. -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. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Només es poden enviar factures validades mitjançant l'acció massiva "Enviar per correu electrònic". +ErrorChooseBetweenFreeEntryOrPredefinedProduct=Heu de triar si l'article és un producte predefinit o no +ErrorDiscountLargerThanRemainToPaySplitItBefore=El descompte que intenteu aplicar és més gran que el que queda per pagar. Dividiu el descompte en 2 descomptes menors abans. +ErrorFileNotFoundWithSharedLink=No s'ha trobat el fitxer. Pot ser que la clau compartida s'hagi modificat o el fitxer s'hagi eliminat recentment. +ErrorProductBarCodeAlreadyExists=El codi de barres de producte %s ja existeix en la referència d'un altre producte. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Tingueu en compte també que no és possible tenir un producte virtual amb auto increment/decrement de subproductes quan almenys un subproducte (o subproducte de subproductes) necessita un número de sèrie/lot. # Warnings WarningPasswordSetWithNoAccount=S'ha indicat una contrasenya per aquest soci. En canvi, no s'ha creat cap compte d'usuari, de manera que aquesta contrasenya s'ha desat però no pot ser utilitzada per entrar a Dolibarr. Es pot utilitzar per un mòdul/interfície extern, però si no cal definir cap usuari i contrasenya per un soci, pots deshabilitar la opció "Gestiona l'entrada per tots els socis" des de la configuració del mòdul Socis. Si necessites gestionar una entrada sense contrasenya, pots mantenir aquest camp buit i permetre aquest avís. Nota: El correu electrònic es pot utilitzar per entrar si el soci està enllaçat a un usuarí @@ -227,4 +228,4 @@ WarningTooManyDataPleaseUseMoreFilters=Massa dades (més de %s línies). Utilitz WarningSomeLinesWithNullHourlyRate=Algunes vegades es van registrar per alguns usuaris quan no s'havia definit el seu preu per hora. Es va utilitzar un valor de 0 %s per hora, però això pot resultar una valoració incorrecta del temps dedicat. WarningYourLoginWasModifiedPleaseLogin=El teu login s'ha modificat. Per seguretat has de fer login amb el nou login abans de la següent acció. WarningAnEntryAlreadyExistForTransKey=Ja existeix una entrada per la clau de traducció d'aquest idioma -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the bulk actions on lists +WarningNumberOfRecipientIsRestrictedInMassAction=Advertència: el nombre de destinataris diferents està limitat a %s quan s'utilitzen les accions massives sobre llistes diff --git a/htdocs/langs/ca_ES/holiday.lang b/htdocs/langs/ca_ES/holiday.lang index 0ba5724cb8b78..01fb41eabea7e 100644 --- a/htdocs/langs/ca_ES/holiday.lang +++ b/htdocs/langs/ca_ES/holiday.lang @@ -79,8 +79,8 @@ HolidaysCancelation=Anulació de dies lliures EmployeeLastname=Cognoms de l'empleat EmployeeFirstname=Nom de l'empleat TypeWasDisabledOrRemoved=El tipus de dia lliure (id %s) ha sigut desactivat o eliminat -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests +LastHolidays=Les darreres %s sol·licituds de permís +AllHolidays=Totes les sol·licituds de permís ## Configuration du Module ## LastUpdateCP=Última actualització automàtica de reserva de dies lliures diff --git a/htdocs/langs/ca_ES/install.lang b/htdocs/langs/ca_ES/install.lang index 551734dfd011c..9146bb74e4596 100644 --- a/htdocs/langs/ca_ES/install.lang +++ b/htdocs/langs/ca_ES/install.lang @@ -139,8 +139,9 @@ KeepDefaultValuesDeb=Estàs utilitzant l'assistent d'instal·lació Dolibarr d'u KeepDefaultValuesMamp=Estàs utilitzant l'assistent d'instal·lació de DoliMamp amb els valors proposats més òptims. Canvia'ls només si estàs segur del que estàs fent. KeepDefaultValuesProxmox=Estàs utilitzant l'assistent d'instal·lació de Dolibarr des d'una màquina virtual Proxmox amb els valors proposats més òptims. Canvia'ls només si estàs segur del que estàs fent. UpgradeExternalModule=Executa el procés d'actualització dedicat de mòduls externs -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete +SetAtLeastOneOptionAsUrlParameter=Estableix com a mínim una opció com a paràmetre a l'URL. Per exemple: '... repair.php?standard=confirmed' +NothingToDelete=Res per netejar / esborrar +NothingToDo=No hi ha res a fer ######### # upgrade MigrationFixData=Correcció de dades desnormalitzades @@ -192,10 +193,11 @@ MigrationActioncommElement=Actualització de les dades de accions sobre elements MigrationPaymentMode=Actualització de les formes de pagament MigrationCategorieAssociation=Actualització de les categories MigrationEvents=Migració d'esdeveniments per afegir propietari a la taula d'asignació -MigrationEventsContact=Migration of events to add event contact into assignement table +MigrationEventsContact=Migració d'esdeveniments per afegir contacte d'esdeveniments a la taula d'assignacions MigrationRemiseEntity=Actualitza el valor del camp entity de llx_societe_remise MigrationRemiseExceptEntity=Actualitza el valor del camp entity de llx_societe_remise_except MigrationReloadModule=Recarrega el mòdul %s +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. diff --git a/htdocs/langs/ca_ES/interventions.lang b/htdocs/langs/ca_ES/interventions.lang index 680e3a85fe1af..b1ea75c9aa770 100644 --- a/htdocs/langs/ca_ES/interventions.lang +++ b/htdocs/langs/ca_ES/interventions.lang @@ -47,12 +47,12 @@ TypeContact_fichinter_external_CUSTOMER=Contacte client seguiment intervenció PrintProductsOnFichinter=Imprimeix també les línies de tipus "producte" (no només serveis) en les fitxes d'intervencions. PrintProductsOnFichinterDetails=Intervencions generades des de comandes UseServicesDurationOnFichinter=Utilitza la durada dels serveis en les intervencions generades des de comandes -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records +UseDurationOnFichinter=Oculta el camp de durada dels registres d'intervenció +UseDateWithoutHourOnFichinter=Oculta hores i minuts del camp de dates dels registres d'intervenció InterventionStatistics=Estadístiques de intervencions NbOfinterventions=Nº de fitxes de intervenció NumberOfInterventionsByMonth=Nº de fitxes de intervenció per mes (data de validació) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. +AmountOfInteventionNotIncludedByDefault=La quantitat d'intervenció no s'inclou de manera predeterminada en els beneficis (en la majoria dels casos, els fulls de temps s'utilitzen per comptar el temps dedicat). Per incloure'ls, afegiu la opció PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT amb el valor 1 a Configuració → Varis. ##### Exports ##### InterId=Id. d'intervenció InterRef=Ref. d'intervenció diff --git a/htdocs/langs/ca_ES/languages.lang b/htdocs/langs/ca_ES/languages.lang index ddf417bb9e2ff..04a27348afa69 100644 --- a/htdocs/langs/ca_ES/languages.lang +++ b/htdocs/langs/ca_ES/languages.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - languages Language_ar_AR=Àrab -Language_ar_EG=Arabic (Egypt) +Language_ar_EG=Àrab (Egipte) Language_ar_SA=Àrab Language_bn_BD=Bengalí Language_bg_BG=Búlgar @@ -35,6 +35,7 @@ Language_es_PA=Espanyol (Panamà) Language_es_PY=Espanyol (Paraguai) Language_es_PE=Espanyol (Perú) Language_es_PR=Espanyol (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Espanyol (Veneçuela) Language_et_EE=Estonià Language_eu_ES=Basc diff --git a/htdocs/langs/ca_ES/ldap.lang b/htdocs/langs/ca_ES/ldap.lang index fcf2e5ef5b348..8b47bc5b4556b 100644 --- a/htdocs/langs/ca_ES/ldap.lang +++ b/htdocs/langs/ca_ES/ldap.lang @@ -6,7 +6,7 @@ LDAPInformationsForThisContact=Informació de la base de dades LDAP d'aquest con LDAPInformationsForThisUser=Informació de la base de dades LDAP d'aquest usuari LDAPInformationsForThisGroup=Informació de la base de dades LDAP d'aquest grup LDAPInformationsForThisMember=Informació en la base de dades LDAP per aquest soci -LDAPInformationsForThisMemberType=Information in LDAP database for this member type +LDAPInformationsForThisMemberType=Informació en la base de dades LDAP per a aquest tipus de membre LDAPAttributes=Atributs LDAP LDAPCard=Fitxa LDAP LDAPRecordNotFound=Registre no trobat a la base de dades LDAP @@ -21,7 +21,7 @@ LDAPFieldSkypeExample=Exemple : NomSkype UserSynchronized=Usuari sincronitzat GroupSynchronized=Grup sincronizado MemberSynchronized=Soci sincronitzat -MemberTypeSynchronized=Member type synchronized +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. diff --git a/htdocs/langs/ca_ES/mails.lang b/htdocs/langs/ca_ES/mails.lang index 6fc4a142a2143..0b4a2610d4027 100644 --- a/htdocs/langs/ca_ES/mails.lang +++ b/htdocs/langs/ca_ES/mails.lang @@ -49,7 +49,7 @@ NbOfUniqueEMails=Nº d'e-mails únics NbOfEMails=Nº de E-mails TotalNbOfDistinctRecipients=Nombre de destinataris únics NoTargetYet=Cap destinatari definit -NoRecipientEmail=No recipient email for %s +NoRecipientEmail=No hi ha cap correu destinatari per a %s RemoveRecipient=Eliminar destinatari YouCanAddYourOwnPredefindedListHere=Per crear el seu mòdul de selecció e-mails, mireu htdocs /core/modules/mailings/README. EMailTestSubstitutionReplacedByGenericValues=En mode prova, les variables de substitució són substituïdes per valors genèrics @@ -69,11 +69,11 @@ ActivateCheckReadKey=Clau utilitzada per encriptar la URL utilitzada per les car EMailSentToNRecipients=E-Mail enviat a %s destinataris. EMailSentForNElements=E-Mail enviat per %s elements. XTargetsAdded=%s destinataris agregats a la llista -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=Si els documents PDF ja s'havien generat per als objectes que s'envien, s'enviaran adjunts al correu electrònic. Si no, no s'enviarà cap correu (també, tingueu en compte que al menys en aquesta versió només es permeten documents pdf com a fitxer adjunt en l'enviament massiu). +AllRecipientSelected=Seleccionats els destinataris del registre %s (si es coneix el seu correu electrònic). +GroupEmails=Correus grupals +OneEmailPerRecipient=Un correu per destinatari (per defecte, un correu electrònic per registre seleccionat) +WarningIfYouCheckOneRecipientPerEmail=Advertència, si marqueu aquesta casella, significa que només s'enviarà un correu electrònic per a diversos registres seleccionats, de manera que, si el vostre missatge conté variables de substitució que fan referència a dades d'un registre, no és possible reemplaçar-les. ResultOfMailSending=Resultat de l'enviament massiu d'e-mails NbSelected=Nº seleccionats NbIgnored=Nº ignorats @@ -114,7 +114,7 @@ DeliveryReceipt=Justificant de recepció. YouCanUseCommaSeparatorForSeveralRecipients=Podeu usar el caràcter de separació coma per especificar múltiples destinataris. TagCheckMail=Seguiment de l'obertura del email TagUnsubscribe=Link de Desubscripció -TagSignature=Signature of sending user +TagSignature=Signatura de l'usuari remitent EMailRecipient=Email del destinatari TagMailtoEmail=Email del destinatari (inclòs l'enllaç html "mailto:") NoEmailSentBadSenderOrRecipientEmail=No s'ha enviat el correu electrònic. Enviador del correu incorrecte. Verifica el perfil d'usuari. @@ -159,7 +159,7 @@ NoContactWithCategoryFound=No s'han trobat contactes/adreces amb categoria NoContactLinkedToThirdpartieWithCategoryFound=No s'han trobat contactes/adreces amb categoria OutGoingEmailSetup=Configuració de correus electrònics sortints InGoingEmailSetup=Configuració de correus electrònics entrants -OutGoingEmailSetupForEmailing=Outgoing email setup (for mass emailing) -DefaultOutgoingEmailSetup=Default outgoing email setup +OutGoingEmailSetupForEmailing=Configuració del correu electrònic sortint (per enviament de correus massiu) +DefaultOutgoingEmailSetup=Configuració per defecte del correu electrònic sortint Information=Informació diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang index 4c2043887b506..893d2b7cbaca2 100644 --- a/htdocs/langs/ca_ES/main.lang +++ b/htdocs/langs/ca_ES/main.lang @@ -24,7 +24,7 @@ FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M DatabaseConnection=Connexió a la base de dades -NoTemplateDefined=No template available for this email type +NoTemplateDefined=No hi ha cap plantilla disponible per a aquest tipus de correu electrònic AvailableVariables=Variables de substitució disponibles NoTranslation=Sense traducció Translation=Traducció @@ -104,8 +104,8 @@ RequestLastAccessInError=Últimes peticions d'accés a la base de dades amb erro ReturnCodeLastAccessInError=Retorna el codi per les últimes peticions d'accés a la base de dades amb error InformationLastAccessInError=Informació de les últimes peticions d'accés a la base de dades amb error DolibarrHasDetectedError=Dolibarr ha trobat un error tècnic -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=Podeu llegir el fitxer de registre o establir l'opció $dolibarr_main_prod a '0' al vostre fitxer de configuració per obtenir més informació. +InformationToHelpDiagnose=Aquesta informació pot ser útil per a fer diagnòstics (podeu configurar l'opció $dolibarr_main_prod a '1' per eliminar aquestes notificacions) MoreInformation=Més informació TechnicalInformation=Informació tècnica TechnicalID=ID Tècnic @@ -131,8 +131,8 @@ Never=Mai Under=baix Period=Període PeriodEndDate=Data fi període -SelectedPeriod=Selected period -PreviousPeriod=Previous period +SelectedPeriod=Període seleccionat +PreviousPeriod=Període anterior Activate=Activar Activated=Activat Closed=Tancat @@ -263,13 +263,13 @@ DateBuild=Data generació de l'informe DatePayment=Data pagament DateApprove=Data d'aprovació DateApprove2=Data d'aprovació (segona aprovació) -RegistrationDate=Registration date +RegistrationDate=Data d'enregistrament UserCreation=Usuari de creació UserModification=Usuari de modificació -UserValidation=Validation user +UserValidation=Validació d'usuari UserCreationShort=Usuari crea. UserModificationShort=Usuari modif. -UserValidationShort=Valid. user +UserValidationShort=Vàlid. usuari DurationYear=any DurationMonth=mes DurationWeek=setmana @@ -311,8 +311,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Usuari de la creació +UserModif=Usuari de l'última actualització b=b. Kb=Kb Mb=Mb @@ -365,31 +365,31 @@ Totalforthispage=Total per aquesta pàgina TotalTTC=Total TotalTTCToYourCredit=Total a crèdit TotalVAT=Total IVA -TotalVATIN=Total IGST +TotalVATIN=IGST total TotalLT1=Total impost 2 TotalLT2=total Impost 3 TotalLT1ES=Total RE TotalLT2ES=Total IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST +TotalLT1IN=CGST total +TotalLT2IN=SGST total HT=Sense IVA TTC=IVA inclòs -INCVATONLY=Inc. VAT +INCVATONLY=IVA inclòs INCT=Inc. tots els impostos VAT=IVA VATIN=IGST VATs=IVAs -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATINs=Impostos IGST +LT1=Impost sobre vendes 2 +LT1Type=Tipus de l'impost sobre vendes 2 +LT2=Impost sobre vendes 3 +LT2Type=Tipus de l'impost sobre vendes 3 LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST VATRate=Taxa IVA -DefaultTaxRate=Default tax rate +DefaultTaxRate=Tipus impositiu per defecte Average=Mitja Sum=Suma Delta=Diferència @@ -418,14 +418,14 @@ ActionRunningNotStarted=No començat ActionRunningShort=En progrés ActionDoneShort=Acabat ActionUncomplete=Incomplet -LatestLinkedEvents=Latest %s linked events +LatestLinkedEvents=Darrers %s esdeveniments vinculats CompanyFoundation=Empresa/Organització ContactsForCompany=Contactes d'aquest tercer ContactsAddressesForCompany=Contactes/adreces d'aquest tercer AddressesForCompany=Adreces d'aquest tercer ActionsOnCompany=Esdeveniments respecte aquest tercer ActionsOnMember=Esdeveniments d'aquest soci -ActionsOnProduct=Events about this product +ActionsOnProduct=Esdeveniments sobre aquest producte NActionsLate=%s en retard RequestAlreadyDone=Sol·licitud ja recollida Filter=Filtre @@ -475,7 +475,7 @@ Discount=Descompte Unknown=Desconegut General=General Size=Tamany -OriginalSize=Original size +OriginalSize=Mida original Received=Rebut Paid=Pagat Topic=Assumpte @@ -548,8 +548,20 @@ MonthShort09=set. MonthShort10=oct. MonthShort11=nov. MonthShort12=des. +MonthVeryShort01=G +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Arxius i documents adjunts -JoinMainDoc=Join main document +JoinMainDoc=Unir al document principal DateFormatYYYYMM=YYYY-MM DateFormatYYYYMMDD=YYYY-MM-DD DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS @@ -602,7 +614,7 @@ Undo=Desfer Redo=Refer ExpandAll=Expandir tot UndoExpandAll=Desfer expansió -SeeAll=See all +SeeAll=Veure tot Reason=Raó FeatureNotYetSupported=Funcionalitat encara no suportada CloseWindow=Tancar finestra @@ -678,8 +690,8 @@ Page=Pàgina Notes=Notes AddNewLine=Afegir nova línia AddFile=Afegir arxiu -FreeZone=Not a predefined product/service -FreeLineOfType=Not a predefined entry of type +FreeZone=No hi ha un producte/servei predefinit +FreeLineOfType=No hi ha una entrada predefinida de tipus CloneMainAttributes=Clonar l'objecte amb aquests atributs principals PDFMerge=Fussió PDF Merge=Fussió @@ -726,9 +738,9 @@ LinkToIntervention=Enllaça a intervenció CreateDraft=Crea esborrany SetToDraft=Tornar a redactar ClickToEdit=Clic per a editar -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source +EditWithEditor=Editar amb CKEditor +EditWithTextEditor=Editar amb l'editor de text +EditHTMLSource=Editar el codi HTML ObjectDeleted=Objecte %s eliminat ByCountry=Per país ByTown=Per població @@ -759,10 +771,10 @@ SaveUploadedFileWithMask=Desa el fitxer al servidor amb el nom "%shttps://transifex.com/projects/p/dolibarr/. -DirectDownloadLink=Direct download link (public/external) -DirectDownloadInternalLink=Direct download link (need to be logged and need permissions) +DirectDownloadLink=Enllaç de descàrrega directa (públic/extern) +DirectDownloadInternalLink=Enllaç directe de descàrrega (necessita estar registrat i tenir permisos) Download=Descarrega -DownloadDocument=Download document +DownloadDocument=Baixar el document ActualizeCurrency=Actualitza el canvi de divisa Fiscalyear=Any fiscal ModuleBuilder=Creador de mòdul @@ -821,8 +833,8 @@ SetMultiCurrencyCode=Estableix moneda BulkActions=Accions massives ClickToShowHelp=Fes clic per mostrar l'ajuda desplegable WebSite=Lloc web -WebSites=Web sites -WebSiteAccounts=Web site accounts +WebSites=Llocs web +WebSiteAccounts=Comptes de lloc web ExpenseReport=Informe de despeses ExpenseReports=Informes de despeses HR=RRHH @@ -830,10 +842,10 @@ HRAndBank=RRHH i banc AutomaticallyCalculated=Calculat automàticament TitleSetToDraft=Torna a esborrany ConfirmSetToDraft=Estàs segur que vols tornar a l'estat esborrany? -ImportId=Import id +ImportId=ID d'importació Events=Esdeveniments EMailTemplates=Models d'emails -FileNotShared=File not shared to exernal public +FileNotShared=Fitxer no compartit amb el públic extern Project=Projecte Projects=Projectes Rights=Permisos @@ -866,14 +878,14 @@ ShortThursday=Dj ShortFriday=Dv ShortSaturday=Ds ShortSunday=Dg -SelectMailModel=Select an email template +SelectMailModel=Seleccioneu una plantilla de correu electrònic SetRef=Indica ref Select2ResultFoundUseArrows=Alguns resultats trobats. Fes servir les fletxes per seleccionar. Select2NotFound=No s'han trobat resultats Select2Enter=Entrar Select2MoreCharacter=o més caràcter Select2MoreCharacters=o més caràcters -Select2MoreCharactersMore=Search syntax:
| OR (a|b)
* Any character (a*b)
^ Start with (^ab)
$ End with (ab$)
+Select2MoreCharactersMore=Sintaxi de cerca:
| OR (a|b)
*Qualsevol caràcter (a*b)
^ Començar amb (^ab)
$ Acabar amb (ab$)
Select2LoadingMoreResults=Carregant més resultats Select2SearchInProgress=Busqueda en progrés... SearchIntoThirdparties=Tercers @@ -895,8 +907,10 @@ SearchIntoCustomerShipments=Enviaments de client SearchIntoExpenseReports=Informes de despeses SearchIntoLeaves=Dies lliures CommentLink=Comentaris -NbComments=Number of comments -CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted +NbComments=Nombre de comentaris +CommentPage=Espai de comentaris +CommentAdded=Comentari afegit +CommentDeleted=Comentari suprimit Everybody=Projecte compartit +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/ca_ES/members.lang b/htdocs/langs/ca_ES/members.lang index 67ff89ee249a8..995e3a060b5ca 100644 --- a/htdocs/langs/ca_ES/members.lang +++ b/htdocs/langs/ca_ES/members.lang @@ -57,11 +57,11 @@ NewCotisation=Nova aportació PaymentSubscription=Nou pagament de quota SubscriptionEndDate=Data final d'afiliació MembersTypeSetup=Configuració dels tipus de socis -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=Tipus de soci modificat +DeleteAMemberType=Elimina un tipus de soci +ConfirmDeleteMemberType=Estàs segur de voler eliminar aquest tipus de soci? +MemberTypeDeleted=Tipus de soci eliminat +MemberTypeCanNotBeDeleted=El tipus de soci no es pot eliminar NewSubscription=Nova afiliació NewSubscriptionDesc=Utilitzi aquest formulari per registrar-se com un nou soci de l'entitat. Per a una renovació (si ja és soci) poseu-vos en contacte amb l'entitat mitjançant l'e-mail %s. Subscription=Afiliació @@ -92,9 +92,9 @@ ValidateMember=Valida un soci ConfirmValidateMember=Vols validar aquest soci? FollowingLinksArePublic=Els enllaços següents són pàgines accessibles a tothom i no protegides per cap habilitació Dolibarr. PublicMemberList=Llistat públic de socis -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 +BlankSubscriptionForm=Formulari públic d'auto-subscripció +BlankSubscriptionFormDesc=Dolibarr us pot proporcionar una URL/lloc web públic per permetre que els visitants externs sol·licitin subscriure's a la fundació. Si un mòdul de pagament en línia està habilitat, també es pot proporcionar automàticament un formulari de pagament. +EnablePublicSubscriptionForm=Activa el lloc web públic amb el formulari d'auto-subscripció ForceMemberType=Força el tipus de soci ExportDataset_member_1=Socis i quotes ImportDataset_member_1=Socis @@ -168,12 +168,12 @@ TurnoverOrBudget=Volum de vendes (empresa) o Pressupost (associació o col.lecti DefaultAmount=Import per defecte cotització CanEditAmount=El visitant pot triar/modificar l'import de la seva cotització MEMBER_NEWFORM_PAYONLINE=Anar a la pàgina integrada de pagament en línia -ByProperties=By nature -MembersStatisticsByProperties=Members statistics by nature +ByProperties=Per naturalesa +MembersStatisticsByProperties=Estadístiques dels membres per naturalesa MembersByNature=Aquesta pantalla mostra estadístiques de socis per caràcter. MembersByRegion=Aquesta pantalla mostra les estadístiques de socis per regió. VATToUseForSubscriptions=Taxa d'IVA per les afiliacions NoVatOnSubscription=Sense IVA per a les afiliacions MEMBER_PAYONLINE_SENDEMAIL=E-Mail per advertir en cas de recepció de confirmació d'un pagament validat d'una afiliació (Exemple: pagament-fet@exemple.com) ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producte utilitzat per la línia de subscripció a la factura: %s -NameOrCompany=Name or company +NameOrCompany=Nom o empresa diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang index 5a70d94433b0d..b5e1c80848940 100644 --- a/htdocs/langs/ca_ES/modulebuilder.lang +++ b/htdocs/langs/ca_ES/modulebuilder.lang @@ -3,8 +3,8 @@ ModuleBuilderDesc=Aquestes eines han de ser utilitzades per usuaris o desenvolup EnterNameOfModuleDesc=Introdueix el nom del mòdul/aplicació per crear sense espais. Utilitza majúscules per separar paraules (Per exemple: MyModule, EcommerceForShop, SyncWithMySystem...) EnterNameOfObjectDesc=Introduïu el nom de l'objecte que voleu crear sense espais. Utilitzeu majúscules per separar paraules (Per exemple: MyObject, Estudiant, Professor...). El fitxer de classes CRUD, però també el fitxer API, pàgines per a llistar/afegir/editar/eliminar objectes i els fitxers SQL es generaran. ModuleBuilderDesc2=Ruta on es generen/modifiquen els mòduls (primer directori alternatiu definit a %s): %s -ModuleBuilderDesc3=Generated/editable modules found: %s -ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory +ModuleBuilderDesc3=S'han trobat mòduls generats/editables: %s +ModuleBuilderDesc4=Es detecta un mòdul com "editable" quan el fitxer %s existeix al directori arrel del mòdul NewModule=Nou mòdul NewObject=Nou objecte ModuleKey=Clau del mòdul @@ -12,7 +12,7 @@ ObjectKey=Clau de l'objecte ModuleInitialized=Mòdul inicialitzat FilesForObjectInitialized=S'han inicialitzat els fitxers per al nou objecte '%s' FilesForObjectUpdated=Fitxers de l'objecte '%s' actualitzat (fitxers .sql i fitxer .class.php) -ModuleBuilderDescdescription=Enter here all general information that describe your module. +ModuleBuilderDescdescription=Introduïu aquí tota la informació general que descrigui el vostre mòdul. ModuleBuilderDescspecifications=Podeu introduir aquí un text llarg per descriure les especificacions del vostre mòdul que no està estructurat en altres pestanyes. Així que teniu a la vostra disposició totes les normes per desenvolupar. També aquest contingut de text s'inclourà a la documentació generada (veure l'última pestanya). Podeu utilitzar el format de Markdown, però es recomana utilitzar el format Asciidoc (Comparació entre .md i .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). ModuleBuilderDescobjects=Definiu aquí els objectes que voleu gestionar amb el mòdul. Es crearà una classe CRUD DAO, fitxers SQL, una pàgina per llistar el registre d'objectes, per crear/editar/veure un registre i es generarà una API. ModuleBuilderDescmenus=Aquesta pestanya està dedicada a definir les entrades de menú proporcionades pel teu mòdul. @@ -26,69 +26,69 @@ EnterNameOfObjectToDeleteDesc=Pots eliminar un objecte. AVÍS: Tots els fitxers DangerZone=Zona perillosa BuildPackage=Construeix paquet/documentació BuildDocumentation=Construeix documentació -ModuleIsNotActive=This module was not activated yet. Go into %s to make it live or click here: +ModuleIsNotActive=Aquest mòdul no s'ha activat encara. Entreu a %s per posar-ho en marxa o feu clic aquí: ModuleIsLive=Aquest mòdul s'ha activat. Qualsevol canvi en ell pot trencar una característica activa actual. DescriptionLong=Descripció llarga EditorName=Nom de l'editor EditorUrl=URL d'editor DescriptorFile=Fitxer descriptor del mòdul -ClassFile=File for PHP DAO CRUD class +ClassFile=Fitxer per a la classe CRUD DAO PHP ApiClassFile=Fitxer per la classe PHP API PageForList=Pàgina PHP per a la llista de registres PageForCreateEditView=Pàgina PHP per crear/editar/veure un registre -PageForAgendaTab=PHP page for event tab -PageForDocumentTab=PHP page for document tab -PageForNoteTab=PHP page for note tab +PageForAgendaTab=Pàgina de PHP per a la pestanya d'esdeveniments +PageForDocumentTab=Pàgina de PHP per a la pestanya de documents +PageForNoteTab=Pàgina de PHP per a la pestanya de notes PathToModulePackage=Ruta al zip del paquet del mòdul/aplicació PathToModuleDocumentation=Ruta al fitxer de documentació del mòdul/aplicació SpaceOrSpecialCharAreNotAllowed=Els espais o caràcters especials no estan permesos. FileNotYetGenerated=El fitxer encara no s'ha generat SpecificationFile=Arxiu amb regles de negoci -LanguageFile=File for language +LanguageFile=Arxiu del llenguatge ConfirmDeleteProperty=Esteu segur que voleu suprimir la propietat %s Això canviarà el codi a la classe PHP, però també eliminarà la columna de la definició de la taula de l'objecte. NotNull=No és NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). +NotNullDesc=1=Estableix la base de dades a NOT NULL. -1=Permet els valors nuls i força el valor a ser NULL si és buit ('' ó 0). SearchAll=Utilitzat per a 'cerca tot' DatabaseIndex=Índex de bases de dades FileAlreadyExists=El fitxer %s ja existeix TriggersFile=Fitxer del codi de triggers HooksFile=Fitxer per al codi de hooks -ArrayOfKeyValues=Array of key-val -ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values +ArrayOfKeyValues=Matriu de clau-valor +ArrayOfKeyValuesDesc=Matriu de claus i valors si el camp és una llista desplegable amb valors fixos WidgetFile=Fitxer de widget ReadmeFile=Fitxer Readme ChangeLog=Fitxer ChangeLog -TestClassFile=File for PHP Unit Test class +TestClassFile=Fitxer per a la classe de proves Unit amb PHP SqlFile=Fitxer Sql -PageForLib=File for PHP libraries -SqlFileExtraFields=Sql file for complementary attributes +PageForLib=Fitxer per a llibreries PHP +SqlFileExtraFields=Fitxer SQL per a atributs complementaris SqlFileKey=Fitxer Sql per a claus AnObjectAlreadyExistWithThisNameAndDiffCase=Ja existeix un objecte amb aquest nom i un cas diferent UseAsciiDocFormat=Podeu utilitzar el forma Markdown, però es recomana utilitzar el format Asciidoc (Comparació entre .md i .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) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted +IsAMeasure=És una mesura +DirScanned=Directori escanejat +NoTrigger=Sense activador (trigger) +NoWidget=Sense widget +GoToApiExplorer=Ves a l'explorador de l'API +ListOfMenusEntries=Llista d'entrades de menú +ListOfPermissionsDefined=Llista de permisos definits +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) +SearchAllDesc=S'utilitza el camp per realitzar una cerca des de l'eina de cerca ràpida? (Exemples: 1 ó 0) +SpecDefDesc=Introduïu aquí tota la documentació que voleu proporcionar amb el vostre mòdul que encara no està definit per altres pestanyes. Podeu utilitzar .md o millor, la sintaxi enriquida .asciidoc. +LanguageDefDesc=Introduïu a aquests fitxers, totes les claus i les traduccions per a cada fitxer d'idioma. +MenusDefDesc=Definiu aquí els menús proporcionats pel vostre mòdul (un cop definits, són visibles en l'editor de menús %s) +PermissionsDefDesc=Definiu aquí els nous permisos proporcionats pel vostre mòdul (una vegada definit, són visibles a la configuració de permisos del sistema %s) +HooksDefDesc=Definiu a la propietat module_parts['hooks'], en el descriptor del mòdul, el context dels "hooks" que voleu gestionar (una llista de contextos es pot trobar si cerqueu 'initHooks' (en el codi del nucli de Dolibarr.
Editeu el fitxer del "hook" per afegir el codi de les vostres funcions "hookables" (les quals es poden trobar cercant "executeHooks" en el codi del nucli de Dolibarr). +TriggerDefDesc=Definiu en el fitxer "trigger" el codi que voleu executar per a cada esdeveniment de negoci executat. +SeeIDsInUse=Veure IDs en ús a la vostra instal·lació +SeeReservedIDsRangeHere=Consultar l'interval d'identificadors reservats +ToolkitForDevelopers=Kit d'eines per als desenvolupadors de Dolibarr +TryToUseTheModuleBuilder=Si teniu coneixements de SQL i PHP, podeu provar d'utilitzar l'assistent de generador de mòduls nadiu. Només activeu el mòdul i utilitzeu l'assistent fent clic a al menú superior dret. Advertència: aquesta és una eina per a desenvolupadors, un mal ús pot fer malbé la vostra aplicació. +SeeTopRightMenu=Vegeu al menú superior dret +AddLanguageFile=Afegir un fitxer d'idioma +YouCanUseTranslationKey=Podeu utilitzar aquí una clau que és la clau de traducció que es troba en el fitxer d'idioma (vegeu la pestanya "Idiomes"). +DropTableIfEmpty=(Suprimeix la taula si està buida) +TableDoesNotExists=La taula %s no existeix +TableDropped=S'ha esborrat la taula %s diff --git a/htdocs/langs/ca_ES/multicurrency.lang b/htdocs/langs/ca_ES/multicurrency.lang index 04b52f7e356fb..5254cf2401d24 100644 --- a/htdocs/langs/ca_ES/multicurrency.lang +++ b/htdocs/langs/ca_ES/multicurrency.lang @@ -7,14 +7,14 @@ multicurrency_syncronize_error=Error de sincronització: %s MULTICURRENCY_USE_RATE_ON_DOCUMENT_DATE=Utilitza la data del document per trobar el tipus de canvi, en lloc d'utilitzar la conversió més recent coneguda multicurrency_useOriginTx=Quan un objecte es crea des d'un altre, manté la conversió original de l'objecte origen (en cas contrari, utilitza l'última conversió coneguda) CurrencyLayerAccount=API Moneda-Layer -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=Hauríeu de crear un compte al seu lloc web per utilitzar aquesta funcionalitat.
Obteniu la vostra clau per l'API
Si utilitzeu un compte gratuït, no podeu canviar la moneda d'origen (USD per defecte)
Però si la vostra moneda principal no és USD, podeu utilitzar una moneda alternativa d'origen per forçar la vostra moneda principal

Esteu limitat a 1000 sincronitzacions per mes multicurrency_appId=Clau API multicurrency_appCurrencySource=Moneda origen -multicurrency_alternateCurrencySource=Alternate currency source +multicurrency_alternateCurrencySource=Moneda d'origen alternativa CurrenciesUsed=Monedes utilitzades CurrenciesUsed_help_to_add=Afegeix les diferents monedes i conversions que necessitis per utilitzar pressupostos, comandes, etc. rate=Taxa MulticurrencyReceived=Rebut, moneda original MulticurrencyRemainderToTake=Import restant, moneda original MulticurrencyPaymentAmount=Import de pagament, moneda original -AmountToOthercurrency=Amount To (in currency of receiving account) +AmountToOthercurrency=Import (en la moneda del compte que rep) diff --git a/htdocs/langs/ca_ES/opensurvey.lang b/htdocs/langs/ca_ES/opensurvey.lang index 209beb7544ca7..8111659f00b8c 100644 --- a/htdocs/langs/ca_ES/opensurvey.lang +++ b/htdocs/langs/ca_ES/opensurvey.lang @@ -57,4 +57,4 @@ ErrorInsertingComment=S'ha produït un error ha l'inserir el seu comentari 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=Show survey +ShowSurvey=Mostra l'enquesta diff --git a/htdocs/langs/ca_ES/orders.lang b/htdocs/langs/ca_ES/orders.lang index 13bb8ae418c51..a7ad18af44699 100644 --- a/htdocs/langs/ca_ES/orders.lang +++ b/htdocs/langs/ca_ES/orders.lang @@ -152,7 +152,7 @@ OrderCreated=Les seves comandes han estat creats OrderFail=S'ha produït un error durant la creació de les seves comandes CreateOrders=Crear comandes ToBillSeveralOrderSelectCustomer=Per crear una factura per nombroses comandes, faci primer clic sobre el client i després esculli "%s". -OptionToSetOrderBilledNotEnabled=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. +OptionToSetOrderBilledNotEnabled=Està desactivada l'opció (del mòdul Workflow) per canviar automàticament l'estat de la comanda com a "Facturada" quan la factura es valida, així que haurà d'establir manualment l'estat de la comanda com a "Facturada". +IfValidateInvoiceIsNoOrderStayUnbilled=Si la validació de la factura és "No", l'ordre romandrà a l'estat "No facturat" fins que es validi la factura. CloseReceivedSupplierOrdersAutomatically=Tanca automàticament la comada a "%s" si es reben tots els productes. SetShippingMode=Indica el tipus d'enviament diff --git a/htdocs/langs/ca_ES/other.lang b/htdocs/langs/ca_ES/other.lang index 2435d415e26be..fb160904f6b82 100644 --- a/htdocs/langs/ca_ES/other.lang +++ b/htdocs/langs/ca_ES/other.lang @@ -3,7 +3,7 @@ SecurityCode=Codi de seguretat NumberingShort=N° Tools=Utilitats TMenuTools=Utilitats -ToolsDesc=All miscellaneous tools not included in other menu entries are collected here.

All the tools can be reached in the left menu. +ToolsDesc=Aquí es recullen totes les eines diverses que no s'inclouen en altres entrades del menú.

Podeu accedir a totes les eines des del menú de l'esquerra. Birthday=Aniversari BirthdayDate=Data d'aniversari DateToBirth=Data de naixement @@ -11,23 +11,23 @@ BirthdayAlertOn=alerta aniversari activada BirthdayAlertOff=alerta aniversari desactivada TransKey=Traducció de la clau TransKey MonthOfInvoice=Mes (número 1-12) de la data de la factura -TextMonthOfInvoice=Month (text) of invoice date +TextMonthOfInvoice=Mes (text) de la data de factura PreviousMonthOfInvoice=Mes anterior (número 1-12) de la data de la factura TextPreviousMonthOfInvoice=Mes anterior (text) de la data de la factura NextMonthOfInvoice=Mes següent (número 1-12) de la data de la factura TextNextMonthOfInvoice=Mes següent (text) de la data de la factura ZipFileGeneratedInto=Fitxer Zip generat a %s. DocFileGeneratedInto=Fitxer del document generat a %s. -JumpToLogin=Disconnected. Go to login page... -MessageForm=Message on online payment form +JumpToLogin=Desconnectat. Aneu a la pàgina d'inici de sessió ... +MessageForm=Missatge al formulari de pagament en línia MessageOK=Missatge a la pàgina de retorn de pagament confirmat MessageKO=Missatge a la pàgina de retorn de pagament cancel·lat YearOfInvoice=Any de la data de factura PreviousYearOfInvoice=Any anterior de la data de la factura NextYearOfInvoice=Any següent de la data de la factura -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) +DateNextInvoiceBeforeGen=Data de la propera factura (abans de la generació) +DateNextInvoiceAfterGen=Data de la propera factura (després de la generació) Notify_FICHINTER_ADD_CONTACT=Contacte afegit a la intervenció Notify_FICHINTER_VALIDATE=Validació fitxa intervenció @@ -76,19 +76,19 @@ MaxSize=Tamany màxim AttachANewFile=Adjuntar nou arxiu/document LinkedObject=Objecte adjuntat NbOfActiveNotifications=Nombre de notificacions (nº de destinataris) -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\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\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __PREF__\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=__(Hello)__\nAquest és un correu electrònic de prova enviat a __EMAIL__.\nLes dues línies estan separades per un salt de línia.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__\nAquest és un correu electrònic de prova (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\n__ONLINE_PAYMENT_URL__\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nEns agradaria advertir-vos de que la factura __REF__ sembla que no està pagada. Així que s'ha adjuntat de nou el fitxer de la factura, com a recordatori.\n\n__ONLINE_PAYMENT_URL__\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Hello)__\n\nTrobareu aquí la proposta comercial __PREF__\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__ +PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nTrobareu aquí la nostra comanda __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nTrobareu aquí la factura __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(Hello)__\n\nTrobareu aquí l'enviament __REF__\n\n\n__ (Sincerely) __\n\n__USER_SIGNATURE__ +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__ 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) @@ -162,9 +162,9 @@ SizeUnitinch=polzada SizeUnitfoot=peu SizeUnitpoint=punt BugTracker=Incidències -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=Aquest formulari us permet sol·licitar una nova contrasenya. Se us enviarà a la vostra adreça electrònica. El canvi es farà efectiu una vegada que feu clic a l'enllaç de confirmació al correu electrònic.
Comproveu la vostra safata d'entrada. BackToLoginPage=Tornar a la pàgina de connexió -AuthenticationDoesNotAllowSendNewPassword=Authentication mode is %s.
In this mode, Dolibarr can't know nor change your password.
Contact your system administrator if you want to change your password. +AuthenticationDoesNotAllowSendNewPassword=El mode d'autenticació és %s.
En aquest mode, Dolibarr no pot saber ni canviar la vostra contrasenya.
Contacteu l'administrador del sistema si voleu canviar la vostra contrasenya. EnableGDLibraryDesc=Instala o habilita la llibreria GD en la teva instal·lació PHP per poder utilitzar aquesta opció. ProfIdShortDesc=Prof Id %s és una informació que depèn del país del tercer.
Per exemple, per al país %s, és el codi %s. DolibarrDemo=Demo de Dolibarr ERP/CRM @@ -186,7 +186,7 @@ EMailTextInterventionAddedContact=La nova intervenció %s t'ha sigut assignada. EMailTextInterventionValidated=Fitxa intervenció %s validada EMailTextInvoiceValidated=Factura %s validada EMailTextProposalValidated=El pressupost %s que el concerneix ha estat validat. -EMailTextProposalClosedSigned=The proposal %s has been closed signed. +EMailTextProposalClosedSigned=La proposta %s s'ha tancat signada. EMailTextOrderValidated=La comanda %s que el concerneix ha estat validada. EMailTextOrderApproved=Comanda %s aprovada EMailTextOrderValidatedBy=La comanda %s ha sigut registrada per %s. @@ -214,7 +214,7 @@ StartUpload=Transferir CancelUpload=Cancel·lar transferència FileIsTooBig=L'arxiu és massa gran PleaseBePatient=Preguem esperi uns instants... -ResetPassword=Reset password +ResetPassword=Restablir la contrasenya RequestToResetPasswordReceived=S'ha rebut una sol·licitud per canviar la contrasenya de Dolibarr NewKeyIs=Aquesta és la nova contrasenya per iniciar sessió NewKeyWillBe=La seva nova contrasenya per iniciar sessió en el software serà @@ -224,7 +224,9 @@ ForgetIfNothing=Si vostè no ha sol·licitat aquest canvi, simplement ignori aqu IfAmountHigherThan=si l'import es major que %s SourcesRepository=Repositori de fonts Chart=Gràfic -PassEncoding=Password encoding +PassEncoding=Codificació de contrasenya +PermissionsAdd=Permisos afegits +PermissionsDelete=Permisos eliminats ##### Export ##### ExportsArea=Àrea d'exportacions diff --git a/htdocs/langs/ca_ES/paybox.lang b/htdocs/langs/ca_ES/paybox.lang index 88200028d482f..8eed83c2fd48e 100644 --- a/htdocs/langs/ca_ES/paybox.lang +++ b/htdocs/langs/ca_ES/paybox.lang @@ -10,7 +10,7 @@ ToComplete=A completar YourEMail=E-mail de confirmació de pagament Creditor=Beneficiari PaymentCode=Codi de pagament -PayBoxDoPayment=Pay with Credit or Debit Card (Paybox) +PayBoxDoPayment=Pagament amb targeta de crèdit o dèbit (Paybox) ToPay=Emetre pagament YouWillBeRedirectedOnPayBox=Serà redirigit a la pàgina segura de PayBox per indicar la seva targeta de crèdit Continue=Continuar diff --git a/htdocs/langs/ca_ES/paypal.lang b/htdocs/langs/ca_ES/paypal.lang index 1314c1bf85162..591d5da3c254f 100644 --- a/htdocs/langs/ca_ES/paypal.lang +++ b/htdocs/langs/ca_ES/paypal.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - paypal PaypalSetup=Configuració mòdul PayPal PaypalDesc=Aquest mòdul ofereix una pàgina de pagament a través del proveïdor Paypal per realitzar qualsevol pagament o un pagament en relació amb un objecte Dolibarr (factures, comandes ...) -PaypalOrCBDoPayment=Pay with Paypal (Credit Card or Paypal) +PaypalOrCBDoPayment=Pagament amb Paypal (Targeta de crèdit o Paypal) PaypalDoPayment=Continuar el pagament mitjançant Paypal PAYPAL_API_SANDBOX=Mode de proves(sandbox) PAYPAL_API_USER=Nom usuari API @@ -11,11 +11,11 @@ PAYPAL_SSLVERSION=Versió Curl SSL PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Proposar pagament integral (Targeta+Paypal) o només Paypal PaypalModeIntegral=Integral PaypalModeOnlyPaypal=Només PayPal -ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page +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=Podeu fer clic a l'enllaç assegurança de sota per realitzar el seu pagament a través de PayPal\n\n%s\n\n -YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode +YouAreCurrentlyInSandboxMode=Actualment esteu en el mode %s "sandbox" NewOnlinePaymentReceived=Nou pagament online rebut NewOnlinePaymentFailed=S'ha intentat el nou pagament online però ha fallat ONLINE_PAYMENT_SENDEMAIL=E-Mail a avisar en cas de pagament (amb èxit o no) diff --git a/htdocs/langs/ca_ES/printing.lang b/htdocs/langs/ca_ES/printing.lang index 60a1050d81894..2f483e1af3ddd 100644 --- a/htdocs/langs/ca_ES/printing.lang +++ b/htdocs/langs/ca_ES/printing.lang @@ -9,8 +9,8 @@ PrintingDriverDesc=Configuració variables pel driver d'impressió ListDrivers=Llista de controladors PrintTestDesc=Llista de impressores FileWasSentToPrinter=L'arxiu %s ha sigut enviat a la impressora -ViaModule=via the module -NoActivePrintingModuleFound=No active driver to print document. Check setup of module %s. +ViaModule=a través del mòdul +NoActivePrintingModuleFound=No hi ha cap controlador d'impressió actiu. Comproveu la configuració del mòdul %s. PleaseSelectaDriverfromList=Seleccini un driver del llistat PleaseConfigureDriverfromList=Configura el driver seleccionat del llistat. SetupDriver=Configuració del driver diff --git a/htdocs/langs/ca_ES/productbatch.lang b/htdocs/langs/ca_ES/productbatch.lang index 66e0b855f937a..8d74fd47544b2 100644 --- a/htdocs/langs/ca_ES/productbatch.lang +++ b/htdocs/langs/ca_ES/productbatch.lang @@ -21,4 +21,4 @@ ProductDoesNotUseBatchSerial=Aquest producte no utilitza lot/número de sèrie ProductLotSetup=Configuració del mòdul lot/sèries ShowCurrentStockOfLot=Mostra l'estoc actual de la parella producte/lot ShowLogOfMovementIfLot=Mostra el registre de moviments de la parella producte/lot -StockDetailPerBatch=Stock detail per lot +StockDetailPerBatch=Detalls del stock per lot diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang index ef4434ed05220..b31933a41b43f 100644 --- a/htdocs/langs/ca_ES/products.lang +++ b/htdocs/langs/ca_ES/products.lang @@ -20,10 +20,10 @@ ProductVatMassChange=Canvi d'IVA massiu ProductVatMassChangeDesc=Pot utilitzar aquesta pàgina per modificar la tassa d'IVA definida en els productes o serveis d'un valor a un altre. Atenció, ja aquest canvi es realitzara en tota la base de dades. MassBarcodeInit=Inicialització massiu de codis de barres MassBarcodeInitDesc=Pot utilitzar aquesta pàgina per inicialitzar el codi de barres en els objectes que no tenen un codi de barres definit. Comprovi abans que el mòdul de codis de barres estar ben configurat -ProductAccountancyBuyCode=Accounting code (purchase) -ProductAccountancySellCode=Accounting code (sale) -ProductAccountancySellIntraCode=Accounting code (sale intra-community) -ProductAccountancySellExportCode=Accounting code (sale export) +ProductAccountancyBuyCode=Codi comptable (compra) +ProductAccountancySellCode=Codi comptable (venda) +ProductAccountancySellIntraCode=Codi comptable (venda intracomunitària) +ProductAccountancySellExportCode=Codi comptable (exportació de venda) ProductOrService=Producte o servei ProductsAndServices=Productes i serveis ProductsOrServices=Productes o serveis @@ -143,7 +143,7 @@ RowMaterial=Matèria prima CloneProduct=Clonar producte/servei ConfirmCloneProduct=Estàs segur que vols clonar el producte o servei %s? CloneContentProduct=Clonar només la informació general del producte/servei -ClonePricesProduct=Clone prices +ClonePricesProduct=Clonar preus CloneCompositionProduct=Clonar productes/serveis compostos CloneCombinationsProduct=Clonar variants de producte ProductIsUsed=Aquest producte és utilitzat @@ -153,7 +153,7 @@ BuyingPrices=Preus de compra CustomerPrices=Preus de client SuppliersPrices=Preus de proveïdor SuppliersPricesOfProductsOrServices=Preus de proveïdors (productes o serveis) -CustomCode=Customs/Commodity/HS code +CustomCode=Duana/mercaderia/codi HS CountryOrigin=País d'origen Nature=Caràcter ShortLabel=Etiqueta curta @@ -196,14 +196,15 @@ CurrentProductPrice=Preu actual AlwaysUseNewPrice=Utilitzar sempre el preu actual AlwaysUseFixedPrice=Utilitzar el preu fixat PriceByQuantity=Preus diferents per quantitat +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Rang de quantitats MultipriceRules=Regles de nivell de preu UseMultipriceRules=Utilitza les regles de preu per nivell (definit en la configuració del mòdul de productes) per autocalcular preus dels altres nivells en funció del primer nivell PercentVariationOver=%% variació sobre %s PercentDiscountOver=%% descompte sobre %s KeepEmptyForAutoCalculation=Mantingueu-lo buit per obtenir-ho calculat automàticament pel pes o el volum dels productes -VariantRefExample=Example: COL -VariantLabelExample=Example: Color +VariantRefExample=Exemple: COL +VariantLabelExample=Exemple: color ### composition fabrication Build=Fabricar ProductsMultiPrice=Productes i preus per cada nivell de preu @@ -273,7 +274,7 @@ WarningSelectOneDocument=Selecciona com a mínim un document DefaultUnitToShow=Unitat NbOfQtyInProposals=Qtat. en pressupostos ClinkOnALinkOfColumn=Fes clic en l'enllaç de columna %s per aconseguir una vista detallada... -ProductsOrServicesTranslations=Products or services translation +ProductsOrServicesTranslations=Traducció de productes o serveis TranslatedLabel=Etiqueta traduïda TranslatedDescription=Descripció traduïda TranslatedNote=Notes traduïdes @@ -287,8 +288,8 @@ ConfirmDeleteProductBuyPrice=Esteu segur de voler eliminar aquest preu de compra SubProduct=Subproducte ProductSheet=Fulla de producte ServiceSheet=Fulla de servei -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) +PossibleValues=Valors possibles +GoOnMenuToCreateVairants=Anar al menu %s - %s per preparar variants de l'atribut (com colors, mides, etc...) #Attributes VariantAttributes=Atributs de variants diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang index 68a0c7f3ff3dc..07f9e8c03abbf 100644 --- a/htdocs/langs/ca_ES/projects.lang +++ b/htdocs/langs/ca_ES/projects.lang @@ -10,18 +10,18 @@ PrivateProject=Contactes del projecte ProjectsImContactFor=Projectes on sóc explícitament un contacte AllAllowedProjects=Tots els projectes que puc llegir (meu + públic) AllProjects=Tots els projectes -MyProjectsDesc=This view is limited to projects you are a contact for. +MyProjectsDesc=Aquesta vista es limita als projectes dels quals sou un contacte. ProjectsPublicDesc=Aquesta vista mostra tots els projectes en els que vostè té dret a tenir visibilitat. TasksOnProjectsPublicDesc=Aquesta vista mostra totes les tasques en projectes en els que tens permisos de lectura. ProjectsPublicTaskDesc=Aquesta vista mostra tots els projectes als que té dret a visualitzar ProjectsDesc=Aquesta vista mostra tots els projectes (les seves autoritzacions li ofereixen una visió completa). TasksOnProjectsDesc=Aquesta vista mostra totes les tasques en tots els projectes (els teus permisos d'usuari et donen dret a visualitzar-ho tot). -MyTasksDesc=This view is limited to projects or tasks you are a contact for. +MyTasksDesc=Aquesta vista es limita als projectes o a les tasques pels quals sou un contacte. OnlyOpenedProject=Només visibles els projectes oberts (els projectes en estat d'esborrany o tancats no són visibles) ClosedProjectsAreHidden=Els projectes tancats no són visibles. TasksPublicDesc=Aquesta vista mostra tots els projectes i tasques en els que vostè té dret a tenir visibilitat. TasksDesc=Aquesta vista mostra tots els projectes i tasques (les sevas autoritzacions li ofereixen una visió completa). -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. +AllTaskVisibleButEditIfYouAreAssigned=Totes les tasques per a projectes qualificats són visibles, però podeu ingressar només el temps per a la tasca assignada a l'usuari seleccionat. Assigneu la tasca si necessiteu introduir-hi el temps. OnlyYourTaskAreVisible=Només són visibles les tasques que tens assignades. Assigna't tasques si no són visibles i vols afegir-hi les hores. ImportDatasetTasks=Tasques de projectes ProjectCategories=Etiquetes de projecte @@ -76,7 +76,7 @@ Time=Temps ListOfTasks=Llistat de tasques GoToListOfTimeConsumed=Ves al llistat de temps consumit GoToListOfTasks=Ves al llistat de tasques -GanttView=Gantt View +GanttView=Vista de Gantt ListProposalsAssociatedProject=Llistat de pressupostos associats al projecte ListOrdersAssociatedProject=Llista de comandes de client associades al projecte ListInvoicesAssociatedProject=Llista de factures de client associades al projecte @@ -88,7 +88,7 @@ ListShippingAssociatedProject=Llista d'expedicions associades al projecte ListFichinterAssociatedProject=Llistat d'intervencions associades al projecte ListExpenseReportsAssociatedProject=Llistat d'informes de despeses associades al projecte ListDonationsAssociatedProject=Llistat de donacions associades al projecte -ListVariousPaymentsAssociatedProject=List of miscellaneous payments associated with the project +ListVariousPaymentsAssociatedProject=Llista de pagaments extres associats al projecte ListActionsAssociatedProject=Llista d'esdeveniments associats al projecte ListTaskTimeUserProject=Llistat del temps consumit en tasques d'aquest projecte ActivityOnProjectToday=Activitat en el projecte avui @@ -97,7 +97,7 @@ ActivityOnProjectThisWeek=Activitat en el projecte aquesta setmana ActivityOnProjectThisMonth=Activitat en el projecte aquest mes ActivityOnProjectThisYear=Activitat en el projecte aquest any ChildOfProjectTask=Fil de la tasca -ChildOfTask=Child of task +ChildOfTask=Dependències de la tasca NotOwnerOfProject=No és responsable d'aquest projecte privat AffectedTo=Assignat a CantRemoveProject=No es pot eliminar aquest projecte perquè està enllaçat amb altres objectes (factures, comandes o altres). Consulta la pestanya Referències. @@ -109,7 +109,7 @@ AlsoCloseAProject=Tancar també el projecte (mantindre obert si encara necessita ReOpenAProject=Reobrir projecte ConfirmReOpenAProject=Vols reobrir aquest projecte? ProjectContact=Contactes projecte -TaskContact=Task contacts +TaskContact=Contactes de la tasca ActionsOnProject=Esdeveniments del projecte YouAreNotContactOfProject=Vostè no és contacte d'aquest projecte privat UserIsNotContactOfProject=L'usuari no és un contacte d'aquest objecte privat @@ -117,7 +117,7 @@ DeleteATimeSpent=Elimina el temps dedicat ConfirmDeleteATimeSpent=Estàs segur que vols suprimir aquest temps emprat? DoNotShowMyTasksOnly=Veure també tasques no assignades a mi ShowMyTasksOnly=Veure només les tasques que tinc assignades -TaskRessourceLinks=Contacts task +TaskRessourceLinks=Contactes de la tasca ProjectsDedicatedToThisThirdParty=Projectes dedicats a aquest tercer NoTasks=Cap tasca per a aquest projecte LinkedToAnotherCompany=Enllaçat a una altra empresa @@ -171,13 +171,13 @@ ProjectMustBeValidatedFirst=El projecte primer ha de ser validat FirstAddRessourceToAllocateTime=Associa un recurs d'usuari per reservar el temps de la tasca InputPerDay=Entrada per dia InputPerWeek=Entrada per setmana -InputDetail=Input detail +InputDetail=Detall d'entrada TimeAlreadyRecorded=Aquest és el temps dedicat ja registrat per a aquesta tasca/dia i l'usuari %s ProjectsWithThisUserAsContact=Projectes amb aquest usuari com a contacte TasksWithThisUserAsContact=Tasques asignades a l'usuari ResourceNotAssignedToProject=No assignat a cap projecte ResourceNotAssignedToTheTask=No assignat a la tasca -TimeSpentBy=Time spent by +TimeSpentBy=Temps gastat per TasksAssignedTo=Tasques assignades a AssignTaskToMe=Assignar-me una tasca AssignTaskToUser=Assigna una tasca a %s @@ -211,9 +211,12 @@ OppStatusPENDING=Pendent OppStatusWON=Guanyat OppStatusLOST=Perdut Budget=Pressupost -LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks +AllowToLinkFromOtherCompany=Permet enllaçar projectes procedents d'altres companyies

Valors possibles :
- Mantenir en blanc: Pot enllaçar qualsevol projecte de la companyia (per defecte)
- "tot" : Pot enllaçar qualsevol projecte, inclòs projectes d'altres companyies
- Llista d'identificadors de tercers separats per comes : Pot enllaçar tots els projectes dels tercers definits dintre d'aquesta llista (Exemple : 123,4795,53)
+LatestProjects=Darrers %s projectes +LatestModifiedProjects=Darrers %s projectes modificats +OtherFilteredTasks=Altres tasques filtrades +NoAssignedTasks=No hi ha tasques assignades (Assigneu-vos projectes/tasques des del quadre de selecció superior per introduir-hi temps) # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects +AllowCommentOnTask=Permet comentaris dels usuaris a les tasques +AllowCommentOnProject=Permetre comentaris dels usuaris als projectes + diff --git a/htdocs/langs/ca_ES/salaries.lang b/htdocs/langs/ca_ES/salaries.lang index 89a7405504db4..3106ce2fe2b05 100644 --- a/htdocs/langs/ca_ES/salaries.lang +++ b/htdocs/langs/ca_ES/salaries.lang @@ -13,5 +13,5 @@ TJM=Tarifa diaria mitjana CurrentSalary=Salari actual THMDescription=Aquest valor es pot utilitzar per calcular el cost del temps consumit per usuaris en un projecte sencer (si el mòdul del projecte està en ús) TJMDescription=Aquest valor només és informatiu i no s'utilitza en cap càlcul -LastSalaries=Latest %s salary payments -AllSalaries=All salary payments +LastSalaries=Últims %s pagaments de salari +AllSalaries=Tots els pagaments de salari diff --git a/htdocs/langs/ca_ES/sendings.lang b/htdocs/langs/ca_ES/sendings.lang index a75a539722c86..423aaefb49311 100644 --- a/htdocs/langs/ca_ES/sendings.lang +++ b/htdocs/langs/ca_ES/sendings.lang @@ -18,13 +18,13 @@ SendingCard=Fitxa d'enviament NewSending=Nou enviament CreateShipment=Crear enviament QtyShipped=Qt. enviada -QtyShippedShort=Qty ship. +QtyShippedShort=Quant. env. QtyPreparedOrShipped=Quantitat preparada o enviada QtyToShip=Qt. a enviar QtyReceived=Qt. rebuda QtyInOtherShipments=Quantitat a altres enviaments KeepToShip=Resta a enviar -KeepToShipShort=Remain +KeepToShipShort=Roman OtherSendingsForSameOrder=Altres enviaments d'aquesta comanda SendingsAndReceivingForSameOrder=Enviaments i recepcions per aquesta comanda SendingsToValidate=Enviaments a validar diff --git a/htdocs/langs/ca_ES/sms.lang b/htdocs/langs/ca_ES/sms.lang index a09ae3adc84c1..8d35e5f2ad7d5 100644 --- a/htdocs/langs/ca_ES/sms.lang +++ b/htdocs/langs/ca_ES/sms.lang @@ -48,4 +48,4 @@ SmsInfoNumero= (format internacional ex: +33899701761) DelayBeforeSending=Retard abans d'enviar (en minuts) SmsNoPossibleSenderFound=No hi ha qui envia. Comprova la configuració del proveïdor de SMS. SmsNoPossibleRecipientFound=No hi ha destinataris. Comproveu la configuració del seu proveïdor d'SMS. -DisableStopIfSupported=Disable STOP message (if supported) +DisableStopIfSupported=Desactiveu el missatge STOP (si és compatible) diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang index 09b0dd1459744..2d179b390b0b8 100644 --- a/htdocs/langs/ca_ES/stocks.lang +++ b/htdocs/langs/ca_ES/stocks.lang @@ -22,7 +22,7 @@ Movements=Moviments ErrorWarehouseRefRequired=El nom de referència del magatzem és obligatori ListOfWarehouses=Llistat de magatzems ListOfStockMovements=Llistat de moviments de estoc -MovementId=Movement ID +MovementId=ID del moviment StockMovementForId=ID de moviment %d ListMouvementStockProject=Llista de moviments d'estoc associats al projecte StocksArea=Àrea de magatzems @@ -34,7 +34,7 @@ LastMovement=Últim moviment LastMovements=Últims moviments Units=Unitats Unit=Unitat -StockCorrection=Stock correction +StockCorrection=Regularització d'estoc CorrectStock=Regularització d'estoc StockTransfer=Transferencia d'estoc TransferStock=Transferència d'estoc @@ -50,13 +50,13 @@ EnhancedValue=Valor PMPValue=Valor (PMP) PMPValueShort=PMP EnhancedValueOfWarehouses=Valor d'estocs -UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user +UserWarehouseAutoCreate=Crea un usuari de magatzem automàticament quan es crea un usuari AllowAddLimitStockByWarehouse=Permet afegir estoc límit i desitjat per parella (producte, magatzem) en lloc de únicament per producte IndependantSubProductStock=Estoc del producte i estoc del subproducte són independents QtyDispatched=Quantitat desglossada QtyDispatchedShort=Quant. rebuda QtyToDispatchShort=Quant. a enviar -OrderDispatch=Item receipts +OrderDispatch=Articles rebuts RuleForStockManagementDecrease=Regla per la reducció automàtica d'estoc (la reducció manual sempre és possible, excepte si hi ha una regla de reducció automàtica activada) RuleForStockManagementIncrease=Regla per l'increment automàtic d'estoc (l'increment manual sempre és possible, excepte si hi ha una regla d'increment automàtica activada) DeStockOnBill=Decrementar els estocs físics sobre les factures/abonaments a clients @@ -72,7 +72,7 @@ NoPredefinedProductToDispatch=No hi ha productes predefinits en aquest objecte. DispatchVerb=Desglossar StockLimitShort=Límit per l'alerta StockLimit=Estoc límit per les alertes -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(buit) significa cap advertència.
0 es pot utilitzar per a una advertència quan l'estoc sigui buit. PhysicalStock=Estoc físic RealStock=Estoc real RealStockDesc=L'estoc físic o real és l'estoc que tens actualment als teus magatzems/emplaçaments interns. @@ -131,11 +131,11 @@ StockMustBeEnoughForInvoice=El nivell d'existències ha de ser suficient per afe StockMustBeEnoughForOrder=El nivell d'existències ha de ser suficient per afegir productes/serveis a comandes (la comprovació es fa quan s'afegeix una línia a la comanda en el cas de regles automàtiques de canvis d'estoc) StockMustBeEnoughForShipment= El nivell d'existències ha de ser suficient per afegir productes/serveis a enviaments (la comprovació es fa quan s'afegeix una línia a l'enviament en el cas de regles automàtiques de canvis d'estoc) MovementLabel=Etiqueta del moviment -DateMovement=Date of movement +DateMovement=Data de moviment InventoryCode=Moviments o codi d'inventari IsInPackage=Contingut en producte compost WarehouseAllowNegativeTransfer=L'estoc pot ser negatiu -qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferIsNotEnough=No tens estoc suficient en el magatzem d'origen i la configuració no permet estocs negatius ShowWarehouse=Mostrar magatzem MovementCorrectStock=Ajustament d'estoc del producte %s MovementTransferStock=Transferència d'estoc de producte %s a un altre magatzem @@ -177,7 +177,7 @@ SelectFournisseur=Filtre de proveïdor inventoryOnDate=Inventari INVENTORY_DISABLE_VIRTUAL=Permet no canviar l'estoc del producte fill d'un kit a l'inventari INVENTORY_USE_MIN_PA_IF_NO_LAST_PA=Utilitza el preu de compra si no es pot trobar l'últim preu de compra -INVENTORY_USE_INVENTORY_DATE_FROM_DATEMVT=Stock movement have date of inventory +INVENTORY_USE_INVENTORY_DATE_FROM_DATEMVT=El moviment d'estoc té data d'inventari inventoryChangePMPPermission=Permet canviar el valor PMP d'un producte ColumnNewPMP=Nova unitat PMP OnlyProdsInStock=No afegeixis producte sense estoc @@ -198,5 +198,5 @@ ExitEditMode=Surt de l'edició inventoryDeleteLine=Elimina la línia RegulateStock=Regula l'estoc ListInventory=Llistat -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" +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" diff --git a/htdocs/langs/ca_ES/stripe.lang b/htdocs/langs/ca_ES/stripe.lang index 264d2c762ec03..8ea2f7fbc391d 100644 --- a/htdocs/langs/ca_ES/stripe.lang +++ b/htdocs/langs/ca_ES/stripe.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - stripe StripeSetup=Configuració del mòdul Stripe -StripeDesc=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, ...) +StripeDesc=Mòdul per oferir una pàgina de pagament en línia que accepti pagaments amb targeta de crèdit/dèbit mitjançant Stripe. Això es pot utilitzar per permetre als vostres clients fer pagaments oberts o el pagament d'un objecte particular de Dolibarr (factura, comanda, ...) StripeOrCBDoPayment=Pagar amb targeta de crèdit o Stripe FollowingUrlAreAvailableToMakePayments=Les següents URL estan disponibles per a permetre a un client fer un cobrament en objectes de Dolibarr PaymentForm=Formulari de pagament @@ -12,7 +12,7 @@ YourEMail=E-mail de confirmació de pagament STRIPE_PAYONLINE_SENDEMAIL=E-Mail a avisar en cas de pagament (amb èxit o no) Creditor=Beneficiari PaymentCode=Codi de pagament -StripeDoPayment=Pay with Credit or Debit Card (Stripe) +StripeDoPayment=Pagament amb targeta de crèdit o dèbit (Stripe) YouWillBeRedirectedOnStripe=Se us redirigirà a la pàgina de Stripe assegurada per introduir la informació de la vostra targeta de crèdit Continue=Continuar ToOfferALinkForOnlinePayment=URL de pagament %s diff --git a/htdocs/langs/ca_ES/suppliers.lang b/htdocs/langs/ca_ES/suppliers.lang index 09d31aef7a3b7..ca81f0dd61d2b 100644 --- a/htdocs/langs/ca_ES/suppliers.lang +++ b/htdocs/langs/ca_ES/suppliers.lang @@ -43,5 +43,5 @@ NotTheGoodQualitySupplier=Qualitat incorrecte ReputationForThisProduct=Reputació BuyerName=Nom del comprador AllProductServicePrices=Tots els preus de producte / servei -AllProductReferencesOfSupplier=All product / service references of supplier +AllProductReferencesOfSupplier=Totes les referències dels productes/serveis del proveïdor BuyingPriceNumShort=Preus de proveïdor diff --git a/htdocs/langs/ca_ES/trips.lang b/htdocs/langs/ca_ES/trips.lang index 7975687d8a8c4..43dabee6f5cdb 100644 --- a/htdocs/langs/ca_ES/trips.lang +++ b/htdocs/langs/ca_ES/trips.lang @@ -10,8 +10,8 @@ ListOfFees=Llistat notes de honoraris TypeFees=Tipus de despeses ShowTrip=Mostra l'informe de despeses NewTrip=Nou informe de despeses -LastExpenseReports=Latest %s expense reports -AllExpenseReports=All expense reports +LastExpenseReports=Últims %s informes de despeses +AllExpenseReports=Tots els informes de despeses CompanyVisited=Empresa/organització visitada FeesKilometersOrAmout=Import o quilòmetres DeleteTrip=Eliminar informe de despeses @@ -49,30 +49,30 @@ TF_PEAGE=Peatge TF_ESSENCE=Combustible TF_HOTEL=Hotel TF_TAXI=Taxi -EX_KME=Mileage costs -EX_FUE=Fuel CV +EX_KME=Cost de quilometratge +EX_FUE=CV de benzina EX_HOT=Hotel -EX_PAR=Parking CV -EX_TOL=Toll CV -EX_TAX=Various Taxes -EX_IND=Indemnity transportation subscription -EX_SUM=Maintenance supply -EX_SUO=Office supplies -EX_CAR=Car rental -EX_DOC=Documentation -EX_CUR=Customers receiving -EX_OTR=Other receiving -EX_POS=Postage -EX_CAM=CV maintenance and repair -EX_EMM=Employees meal -EX_GUM=Guests meal -EX_BRE=Breakfast -EX_FUE_VP=Fuel PV -EX_TOL_VP=Toll PV -EX_PAR_VP=Parking PV -EX_CAM_VP=PV maintenance and repair -DefaultCategoryCar=Default transportation mode -DefaultRangeNumber=Default range number +EX_PAR=CV d'aparcament +EX_TOL=CV de peatge +EX_TAX=Impostos varis +EX_IND=Indemnització de subscripció de transport +EX_SUM=Subministrament de manteniment +EX_SUO=Material d'oficina +EX_CAR=Lloguer de cotxes +EX_DOC=Documentació +EX_CUR=Clients que reben +EX_OTR=Altres que reben +EX_POS=Franqueig +EX_CAM=CV de manteniment i reparació +EX_EMM=Dinar dels empleats +EX_GUM=Menjar de convidats +EX_BRE=Esmorzar +EX_FUE_VP=PV de benzina +EX_TOL_VP=PV de peatge +EX_PAR_VP=PV d'aparcament +EX_CAM_VP=PV de manteniment i reparació +DefaultCategoryCar=Mode de transport per defecte +DefaultRangeNumber=Número de rang per defecte ErrorDoubleDeclaration=Has declarat un altre informe de despeses en un altre rang de dates semblant AucuneLigne=Encara no hi ha informe de despeses declarat @@ -114,43 +114,43 @@ ExpenseReportsToApprove=Informes de despeses per aprovar ExpenseReportsToPay=Informes de despeses a pagar CloneExpenseReport=Clona el informe de despeses ConfirmCloneExpenseReport=Estàs segur de voler clonar aquest informe de despeses ? -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 +ExpenseReportsIk=Índex d'informes de despesa en quilometratge +ExpenseReportsRules=Normes d'informe de despeses +ExpenseReportIkDesc=Podeu modificar el càlcul de les despeses de quilometratge per categoria i abast, els quals s'han definit anteriorment. d és la distància en quilòmetres +ExpenseReportRulesDesc=Podeu crear o actualitzar les regles del càlcul. Aquesta part s'utilitzarà quan l'usuari crei un nou informe de despeses expenseReportOffset=Decàleg -expenseReportCoef=Coefficient -expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %d -expenseReportCoefUndefined=(value not defined) -expenseReportCatDisabled=Category disabled - see the c_exp_tax_cat dictionary -expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay +expenseReportCoef=Coeficient +expenseReportTotalForFive=Exemple amb d = 5 +expenseReportRangeFromTo=de %d a %d +expenseReportRangeMoreThan=més de %d +expenseReportCoefUndefined=(valor no definit) +expenseReportCatDisabled=Categoria deshabilitada: consulteu el diccionari c_exp_tax_cat +expenseReportRangeDisabled=S'ha desactivat el rang: consulteu el diccionari c_exp_tax_range expenseReportPrintExample=offset + (d x coef) = %s -ExpenseReportApplyTo=Apply to -ExpenseReportDomain=Domain to apply -ExpenseReportLimitOn=Limit on +ExpenseReportApplyTo=Aplicar a +ExpenseReportDomain=Domini al que aplicar +ExpenseReportLimitOn=Limitar a ExpenseReportDateStart=Data inici ExpenseReportDateEnd=Data fi -ExpenseReportLimitAmount=Limite amount -ExpenseReportRestrictive=Restrictive -AllExpenseReport=All type of expense report -OnExpense=Expense line -ExpenseReportRuleSave=Expense report rule saved +ExpenseReportLimitAmount=Import límit +ExpenseReportRestrictive=Restrictiu +AllExpenseReport=Tot tipus d'informe de despeses +OnExpense=Línia de despesa +ExpenseReportRuleSave=S'ha desat la regla del informe de despeses ExpenseReportRuleErrorOnSave=Error: %s -RangeNum=Range %d +RangeNum=Rang %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=Violació de restricció de ID [%s]: %s és superior a %s %s +byEX_DAY=per dia (limitació a %s) +byEX_MON=per mes (limitació a %s) +byEX_YEA=per any (limitació a %s) +byEX_EXP=per línia (limitació a %s) +ExpenseReportConstraintViolationWarning=Violació de restricció de ID [%s]: %s és superior a %s %s +nolimitbyEX_DAY=per dia (sense límits) +nolimitbyEX_MON=per mes (sense límits) +nolimitbyEX_YEA=per any (sense límits) +nolimitbyEX_EXP=per línia (sense límits) -CarCategory=Category of car -ExpenseRangeOffset=Offset amount: %s -RangeIk=Mileage range +CarCategory=Categoria de cotxe +ExpenseRangeOffset=Quantitat d'offset: %s +RangeIk=Rang de quilometratge diff --git a/htdocs/langs/ca_ES/users.lang b/htdocs/langs/ca_ES/users.lang index 07baa657585cb..88008d33ac44c 100644 --- a/htdocs/langs/ca_ES/users.lang +++ b/htdocs/langs/ca_ES/users.lang @@ -96,11 +96,11 @@ HierarchicView=Vista jeràrquica UseTypeFieldToChange=Modificar el camp Tipus per canviar OpenIDURL=URL d'OpenID LoginUsingOpenID=Utilitzeu OpenID per iniciar sessió -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +WeeklyHours=Hores treballades (per setmana) +ExpectedWorkedHours=Hores treballades setmanals esperades ColorUser=Color d'usuari DisabledInMonoUserMode=Deshabilitat en mode manteniment -UserAccountancyCode=User accounting code +UserAccountancyCode=Codi comptable de l'usuari UserLogoff=Usuari desconnectat UserLogged=Usuari connectat DateEmployment=Data d'ocupació diff --git a/htdocs/langs/ca_ES/website.lang b/htdocs/langs/ca_ES/website.lang index 8454e424ffe83..944b48ee82ec7 100644 --- a/htdocs/langs/ca_ES/website.lang +++ b/htdocs/langs/ca_ES/website.lang @@ -3,25 +3,27 @@ Shortname=Codi WebsiteSetupDesc=Crea tantes entrades com número de pàgines web que necessitis. Després ves al menú Pàgines web per editar-les. DeleteWebsite=Elimina la pàgina web ConfirmDeleteWebsite=Estàs segur de voler elimiar aquesta pàgina web? També s'esborraran totes les pàgines i el seu contingut. +WEBSITE_TYPE_CONTAINER=Tipus de pàgina/contenidor WEBSITE_PAGENAME=Nom/alies de pàgina -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL del fitxer CSS extern -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Web site .htaccess file +WEBSITE_CSS_INLINE=Fitxer de contingut CSS (comú a totes les pàgines) +WEBSITE_JS_INLINE=Fitxer amb contingut Javascript (comú a totes les pàgines) +WEBSITE_HTML_HEADER=Afegit a la part inferior de l'encapçalament HTML (comú a totes les pàgines) +WEBSITE_ROBOT=Fitxer per robots (robots.txt) +WEBSITE_HTACCESS=Fitxer .htaccess del lloc web +HtmlHeaderPage=Encapçalament HTML (específic sols per aquesta pàgina) PageNameAliasHelp=Nom o àlies de la pàgina.
Aquest àlies també s'utilitza per construir un URL de SEO quan el lloc web es llanci des d'un Host Virtual d'un servidor web (com Apache, Nginx...). Utilitzeu el botó "%s" per editar aquest àlies. +EditTheWebSiteForACommonHeader=Nota: si voleu definir un encapçalament personalitzat per a totes les pàgines, editeu el encapçalament al nivell del lloc en comptes de la pàgina/contenidor. MediaFiles=Llibreria Media EditCss=Edita l'estil/CSS o la capçalera HTML EditMenu=Edita menú -EditMedias=Edit medias +EditMedias=Editar multimèdia EditPageMeta=Edita "meta" -AddWebsite=Add website +AddWebsite=Afegir lloc web Webpage=Pàgina/contenidor web AddPage=Afegeix pàgina/contenidor HomePage=Pàgina d'inici -PageContainer=Page/container +PageContainer=Pàgina/contenidor PreviewOfSiteNotYetAvailable=La previsualització del teu lloc web %s encara no està disponible. Primer has d'afegir una pàgina. RequestedPageHasNoContentYet=La pàgina sol·licitada amb l'identificador %s encara no té contingut, o el fitxer de memòria cau .tpl.php s'ha eliminat. Edita el contingut de la pàgina per solucionar-ho. PageContent=Pàgina/Contenidor @@ -37,23 +39,28 @@ PreviewSiteServedByWebServer=Previsualització de %s en una nova pestanya
< PreviewSiteServedByDolibarr=Vista prèvia %s en una nova pestanya

El %s serà servit pel servidor Dolibarr, per la qual cosa no necessita instal·lar cap servidor web extra (com Apache, Nginx, IIS).
L'inconvenient és que l'URL de les pàgines no són amigable i comencen per la ruta del vostre Dolibarr.
URL de Dolibarr:
%s

Per utilitzar el teu propi servidor web extern per a servir aquesta web, crea un host virtual al teu servidor web que apunti al directori
%s
i a continuació, introduïu el nom d'aquest servidor virtual i feu clic a l'altre botó de vista prèvia. VirtualHostUrlNotDefined=No s'ha definit la URL de l'amfitrió virtual que serveix el servidor web extern NoPageYet=Encara sense pàgines -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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+SyntaxHelp=Ajuda sobre consells de sintaxi específics +YouCanEditHtmlSourceckeditor=Podeu editar el codi font HTML usant el botó "Codi font" a l'editor. +YouCanEditHtmlSource=
Pots incloure codi PHP code dintre d'aquesta font utilitzant etiquetes (tags) <?php ?>. Les següents variables globals estan disponibles: $conf, $langs, $db, $mysoc, $user, $website.

Pots també incloure contingut d'altres pàgines/contenidor (Page/Container) amb la següent sintaxi:
<?php includeContainer('alias_of_container_to_include'); ?>

Per a incloure un enllaç per a descarregar un fitxer emmagatzemat dintre del directori de documents, usa el document.php "wrapper":
Exemple, per a un fitxer dintre dels documents/ecm (necessites estar registrat / "logged"), la sintaxi és:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
Per a un fitxer dintre dels documents/medias (open directory per a accés públic), la sintaxi és:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
Per a un fitxer compartit amb un enllaç compartit (open access using the sharing hash key of file), la sintaxi és:
<a href="/document.php?hashp=publicsharekeyoffile">

Per a incloure un imatge emmagatzemada dintre d'un directori documents, usa la viewimage.php "wrapper":
Exemple, per a una imatge dintre de documents/medias (open access), la sintaxi és:
<a href="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
ClonePage=Clona la pàgina/contenidor CloneSite=Clona el lloc -SiteAdded=Web site added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create empty page from scratch... -FetchAndCreate=Fetch and Create -ExportSite=Export site -IDOfPage=Id of page -WebsiteAccount=Web site account -WebsiteAccounts=Web site accounts -AddWebsiteAccount=Create web site account -BackToListOfThirdParty=Back to list for Third Party +SiteAdded=Lloc web afegit +ConfirmClonePage=Introduïu el codi/àlies de la pàgina nova i si és una traducció de la pàgina clonada. +PageIsANewTranslation=La nova pàgina és una traducció de la pàgina actual? +LanguageMustNotBeSameThanClonedPage=Cloneu una pàgina com a una traducció. L'idioma de la nova pàgina ha de ser diferent del llenguatge de la pàgina d'origen. +ParentPageId=ID de la pàgina pare +WebsiteId=ID del lloc web +CreateByFetchingExternalPage=Crear una pàgina/contenidor mitjançant l'obtenció del continugt des d'una URL externa ... +OrEnterPageInfoManually=O creeu una pàgina buida des de zero ... +FetchAndCreate=Obtenir i crear +ExportSite=Exportar el lloc web +IDOfPage=Id de la pàgina +Banner=Cartell +BlogPost=Publicació del bloc +WebsiteAccount=Compte de lloc web +WebsiteAccounts=Comptes de lloc web +AddWebsiteAccount=Crear un compte de lloc web +BackToListOfThirdParty=Tornar a la llista de Tercers +DisableSiteFirst=Deshabilita primer el lloc web +MyContainerTitle=Títol del meu lloc web +AnotherContainer=Un altre contenidor diff --git a/htdocs/langs/ca_ES/withdrawals.lang b/htdocs/langs/ca_ES/withdrawals.lang index 041bb087aa7a3..362854a324622 100644 --- a/htdocs/langs/ca_ES/withdrawals.lang +++ b/htdocs/langs/ca_ES/withdrawals.lang @@ -12,7 +12,7 @@ WithdrawalsLines=Línies de ordres de domiciliació bancària RequestStandingOrderToTreat=Petició per a processar ordres de pagament mitjançant domiciliació bancària RequestStandingOrderTreated=Petició per a processar ordres de pagament mitjançant domiciliació bancària finalitzada NotPossibleForThisStatusOfWithdrawReceiptORLine=Encara no és possible. L'estat de la domiciliació ter que ser 'abonada' abans de poder realitzar devolucions a les seves línies -NbOfInvoiceToWithdraw=Nb. of qualified invoice with waiting direct debit order +NbOfInvoiceToWithdraw=Nombre de factures qualificades esperant l'ordre de domiciliació bancària NbOfInvoiceToWithdrawWithInfo=Nombre de factura de client amb pagament per domiciliació bancària havent definit la informació del compte bancari InvoiceWaitingWithdraw=Factura esperant per domiciliació bancària AmountToWithdraw=Import a domiciliar @@ -55,9 +55,9 @@ StatusMotif5=Compte inexistent StatusMotif6=Compte sense saldo StatusMotif7=Decisió judicial StatusMotif8=Altre motiu -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file (all) +CreateForSepaFRST=Crear un fitxer de domiciliació bancària (SEPA FRST) +CreateForSepaRCUR=Crea un fitxer de domiciliació bancària (SEPA RCUR) +CreateAll=Crear un fitxer de domiciliació bancària (tot) CreateGuichet=Només oficina CreateBanque=Només banc OrderWaiting=A l'espera de procés @@ -74,7 +74,7 @@ IfInvoiceNeedOnWithdrawPaymentWontBeClosed=No obstant això, si la factura té p DoStandingOrdersBeforePayments=Aquesta llengüeta et permet fer una petició de pagament per domiciliació bancària. Un cop feta, aneu al menú Bancs -> Domiciliacions bancàries per a gestionar el pagament per domiciliació. Quan el pagament és tancat, el pagament sobre la factura serà automàticament gravat, i la factura tancada si el pendent a pagar re-calculat resulta cero. WithdrawalFile=Arxiu de la domiciliació SetToStatusSent=Classificar com "Arxiu enviat" -ThisWillAlsoAddPaymentOnInvoice=This will also record payments to invoices and will classify them as "Paid" if remain to pay is null +ThisWillAlsoAddPaymentOnInvoice=Això també registrarà els pagaments a les factures i les classificarà com a "Pagades" quan el que resti per pagar sigui nul StatisticsByLineStatus=Estadístiques per estats de línies RUM=UMR RUMLong=Referència de mandat única (UMR) @@ -96,8 +96,8 @@ SEPAFrstOrRecur=Tipus de pagament ModeRECUR=Pagament recurrent ModeFRST=Pagament únic PleaseCheckOne=Si us plau marqui només una -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +DirectDebitOrderCreated=S'ha creat l'ordre de domiciliació bancària %s +AmountRequested=Quantitat sol·licitada ### Notifications InfoCreditSubject=Pagament de rebuts domiciliats %s pel banc diff --git a/htdocs/langs/ca_ES/workflow.lang b/htdocs/langs/ca_ES/workflow.lang index 74e5230099091..4ff216fcafab1 100644 --- a/htdocs/langs/ca_ES/workflow.lang +++ b/htdocs/langs/ca_ES/workflow.lang @@ -12,9 +12,9 @@ descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Classifica els pressupostos vinculats descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classifica els pressupostos vinculats d'origen com a facturats quan la factura del client es validi (i si l'import de la factura és igual a l'import total dels pressupostos vinculats i signats) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classifica les comandes de client vinculades d'origen com a facturades quan la factura del client es validi (i si l'import de la factura és igual a l'import total de les comandes vinculades) descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classifica les comandes de client vinculades d'origen com a facturades quan la factura del client es posi com a pagada (i si l'import de la factura és igual a l'import total de les comandes vinculades) -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_SHIPPED_SHIPPING=Classifiqueu com a "Enviada" la comanda de client original enllaçada quan es validi un enviament (sempre que la quantitat d'articles enviada per tots els enviaments sigui la mateixa que la de la comanda) # Autoclassify supplier order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source supplier proposal(s) to billed when supplier 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 supplier order(s) to billed when supplier invoice is validated (and if amount of the invoice is same than total amount of linked orders) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classifiqueu com a "Facturada" la proposta (o propostes) del proveïdor originals enllaçades quan es validi la factura del proveïdor (sempre i quan l'import de la factura sigui igual a la quantitat total de propostes enllaçades) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classifiqueu com a "Facturada" la comanda (o comandes) de proveïdor originals enllaçades quan es validi la factura del proveïdor (sempre i quan l'import de la factura sigui igual al total de les comandes vinculades) AutomaticCreation=Creació automàtica AutomaticClassification=Classificació automàtica diff --git a/htdocs/langs/cs_CZ/accountancy.lang b/htdocs/langs/cs_CZ/accountancy.lang index 3b8cfac19abea..4c3459abef413 100644 --- a/htdocs/langs/cs_CZ/accountancy.lang +++ b/htdocs/langs/cs_CZ/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=počet kusů TransactionNumShort=Num. transakce AccountingCategory=Personalized groups GroupByAccountAccounting=Skupina účetním účtu -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Konzultujte zde seznam třetích stran, zákazníky a dodav ListAccounts=Seznam účetních účtů 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Tento deník se již používá ## Export ExportDraftJournal=Export draft journal Modelcsv=Model exportu -OptionsDeactivatedForThisExportModel=Možnosti pro tento exportní model jsou deaktivovány Selectmodelcsv=Vyberte způsob exportu Modelcsv_normal=Klasický export Modelcsv_CEGID=Export směrem CEGID Expert Comptabilité @@ -254,7 +254,7 @@ Modelcsv_ciel=Export na Sage Ciel Compta nebo Compta Evolution Modelcsv_quadratus=Export směrem quadratus QuadraCompta Modelcsv_ebp=Export na EBP Modelcsv_cogilog=Export směrem Cogilog -Modelcsv_agiris=Export towards Agiris (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Schéma Id účtů diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang index a9798d8de943a..bce7b2ae8a5a0 100644 --- a/htdocs/langs/cs_CZ/admin.lang +++ b/htdocs/langs/cs_CZ/admin.lang @@ -260,8 +260,8 @@ FontSize=Velikost písma Content=Obsah NoticePeriod=Výpovědní lhůta NewByMonth=New podle měsíce -Emails=Emails -EMailsSetup=Emails setup +Emails=Emaily +EMailsSetup=Nastavení emailů 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 MAIN_MAIL_SMTP_PORT=SMTP / SMTPS Port (Výchozí nastavení v php.ini: %s) @@ -539,7 +539,7 @@ Module320Desc=Přidat RSS kanál uvnitř obrazovek Dolibarr Module330Name=Záložky Module330Desc=Záložky řízení Module400Name=Projekty/Příležitosti/Vedení -Module400Desc=Řízení projektů, příležitostí nebo vedení. Můžete přiřadit libovolný prvek (faktura, objednávka, návrh, intervence, ...) na projekt a získat příčný pohled z pohledu projektu. +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=WebCalendar Module410Desc=WebCalendar integrace Module500Name=Zvláštní výdaje @@ -890,7 +890,7 @@ DictionaryStaff=Zaměstnanci DictionaryAvailability=Zpoždění dodávky DictionaryOrderMethods=Metody objednávání DictionarySource=Původ nabídky/objednávky -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modely pro účetní osnovy DictionaryAccountancyJournal=účetní deníky DictionaryEMailTemplates=E-maily šablony @@ -904,6 +904,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 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ů. @@ -954,7 +955,7 @@ WebServer=Webový server DocumentRootServer=Kořenový adresář webového serveru DataRootServer=Adresář souboru dat IP=IP -Port=Přístav +Port=Port VirtualServerName=Název virtuálního serveru OS=OS PhpWebLink=Web Php link @@ -1765,3 +1766,4 @@ ResourceSetup=Konfigurace modulu Zdroje UseSearchToSelectResource=Použijte vyhledávací formulář k výběru zdroje (spíše než rozevírací seznam). DisabledResourceLinkUser=Disabled odkaz zdroj, který uživatele DisabledResourceLinkContact=Zakázán link zdrojů do kontaktu +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/cs_CZ/banks.lang b/htdocs/langs/cs_CZ/banks.lang index 260e7ef0785f2..5a0a3f9f321ff 100644 --- a/htdocs/langs/cs_CZ/banks.lang +++ b/htdocs/langs/cs_CZ/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Číslo LineRecord=Transakce AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Porovnáno DateConciliating=Datum porovnání BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/cs_CZ/bills.lang b/htdocs/langs/cs_CZ/bills.lang index 07423988bbcd2..c26bc17acfcc4 100644 --- a/htdocs/langs/cs_CZ/bills.lang +++ b/htdocs/langs/cs_CZ/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Nezaplacené faktury dodavatele pro %s BillsLate=Opožděné platby BillsStatistics=Statistiky zákaznických faktur BillsStatisticsSuppliers=Statistiky dodavatelských faktur +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Zakázáno, protože nelze odstranit InvoiceStandard=Standardní faktura InvoiceStandardAsk=Standardní faktura @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Proč chcete klasifikovat fakturu jako 'opuštěnou' ? ConfirmClassifyPaidPartially=Jste si jisti, že chcete změnit fakturu %s do stavu uhrazeno? ConfirmClassifyPaidPartiallyQuestion=Tato faktura nebyla zaplacena úplně. Z jakých důvodů chcete uzavřít tuto fakturu? ConfirmClassifyPaidPartiallyReasonAvoir=Zbývající neuhrazené (%s %s), je poskytnutá sleva, protože platba byla provedena před termínem splatnosti. Opravte částku DPH dobropisem. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Zbývající neuhrazené (%s %s), je poskytnutá sleva, protože platba byla provedena před termínem splatnosti. Souhlasím se ztrátou DPH z této slevy. ConfirmClassifyPaidPartiallyReasonDiscountVat=Zbývající neuhrazené (%s %s), je poskytnutá sleva, protože platba byla provedena před termínem splatnosti. Vrátím zpět DPH na této slevě bez dobropisu ConfirmClassifyPaidPartiallyReasonBadCustomer=Špatný zákazník diff --git a/htdocs/langs/cs_CZ/compta.lang b/htdocs/langs/cs_CZ/compta.lang index 146be55dbd978..b760d374cd245 100644 --- a/htdocs/langs/cs_CZ/compta.lang +++ b/htdocs/langs/cs_CZ/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Platby nepropojené s jakoukoli fakturu, takže nejso PaymentsNotLinkedToUser=Platby nepropojené s libovolným uživatelem Profit=Zisk AccountingResult=Účetní výsledek +BalanceBefore=Balance (before) Balance=Zůstatek Debit=Debet Credit=Kredit diff --git a/htdocs/langs/cs_CZ/donations.lang b/htdocs/langs/cs_CZ/donations.lang index 2105516497399..4f01f38c6dec0 100644 --- a/htdocs/langs/cs_CZ/donations.lang +++ b/htdocs/langs/cs_CZ/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Zobrazit článek 200 od CGI, pokud máte obavy DONATION_ART238=Zobrazit článek 238 od CGI, pokud máte obavy DONATION_ART885=Zobrazit článek 885 od CGI, pokud máte obavy DonationPayment=Platba daru +DonationValidated=Donation %s validated diff --git a/htdocs/langs/cs_CZ/errors.lang b/htdocs/langs/cs_CZ/errors.lang index b680c8f822898..9f227e58df764 100644 --- a/htdocs/langs/cs_CZ/errors.lang +++ b/htdocs/langs/cs_CZ/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Prázdný výraz. Něčím ho naplňte ..... ErrorPriceExpression21=Nenalezeno ‚%s‘ ErrorPriceExpression22=Negativní výsledek ‚%s‘ ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' Použijte osmikilové kladivo, nebo hledejte na netu .... ErrorPriceExpressionUnknown=Neznámá chyba ‚%s‘ Zkuste jasnovidce .... ErrorSrcAndTargetWarehouseMustDiffers=Zdrojové a cílové sklady musí se liší diff --git a/htdocs/langs/cs_CZ/help.lang b/htdocs/langs/cs_CZ/help.lang index d0566a4d4f2c3..4ed8ab1fd2ad0 100644 --- a/htdocs/langs/cs_CZ/help.lang +++ b/htdocs/langs/cs_CZ/help.lang @@ -11,7 +11,7 @@ TypeOfSupport=Zdroj podpory TypeSupportCommunauty=Komunita (zdarma) TypeSupportCommercial=Obchodní TypeOfHelp=Typ -NeedHelpCenter=Need help or support? +NeedHelpCenter=Potřebujete pomoc nebo podporu? Efficiency=Účinnost TypeHelpOnly=Pouze nápověda TypeHelpDev=Nápověda + Development diff --git a/htdocs/langs/cs_CZ/install.lang b/htdocs/langs/cs_CZ/install.lang index e4dbd12362363..783f2544cfcf4 100644 --- a/htdocs/langs/cs_CZ/install.lang +++ b/htdocs/langs/cs_CZ/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Používáte instalaci Dolibarr pomocí Proxmox, takže 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 ######### # upgrade MigrationFixData=Oprava denormalizovaných dat @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Načíst modul %s +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. diff --git a/htdocs/langs/cs_CZ/languages.lang b/htdocs/langs/cs_CZ/languages.lang index 36bd4541f9c34..835ebda11bb12 100644 --- a/htdocs/langs/cs_CZ/languages.lang +++ b/htdocs/langs/cs_CZ/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Španělština (Paraguay) Language_es_PE=Španělština (Peru) Language_es_PR=Španělština (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonština Language_eu_ES=Basque diff --git a/htdocs/langs/cs_CZ/main.lang b/htdocs/langs/cs_CZ/main.lang index c0883eaeead21..47f793186ad82 100644 --- a/htdocs/langs/cs_CZ/main.lang +++ b/htdocs/langs/cs_CZ/main.lang @@ -548,6 +548,18 @@ MonthShort09=Zá. MonthShort10=Říj. MonthShort11=List. MonthShort12=Pros. +MonthVeryShort01=J +MonthVeryShort02=PÁ +MonthVeryShort03=P +MonthVeryShort04=A +MonthVeryShort05=P +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=N +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Přiložené soubory a dokumenty JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Definujte bankovní účet AccountCurrency=Account currency ViewPrivateNote=Zobrazit poznámky XMoreLines=%s řádky(ů) skryto -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Veřejná URL AddBox=Přidejte box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Všichni +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/cs_CZ/other.lang b/htdocs/langs/cs_CZ/other.lang index 42bb5ad29a6e5..b0010e88b7f2a 100644 --- a/htdocs/langs/cs_CZ/other.lang +++ b/htdocs/langs/cs_CZ/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=je-li množství vyšší než %s SourcesRepository=Úložiště pro zdroje Chart=Schéma PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exportní plocha diff --git a/htdocs/langs/cs_CZ/products.lang b/htdocs/langs/cs_CZ/products.lang index c225614cb267d..8d4497c11d2fe 100644 --- a/htdocs/langs/cs_CZ/products.lang +++ b/htdocs/langs/cs_CZ/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Aktuální cena AlwaysUseNewPrice=Vždy používejte aktuální cenu produktu/služby AlwaysUseFixedPrice=Použijte pevnou cenu PriceByQuantity=Různé ceny podle množství +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Množstevní rozsah MultipriceRules=Pravidla segmentu cen UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first segment diff --git a/htdocs/langs/cs_CZ/projects.lang b/htdocs/langs/cs_CZ/projects.lang index a5292de4e27a2..f340ed1891525 100644 --- a/htdocs/langs/cs_CZ/projects.lang +++ b/htdocs/langs/cs_CZ/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Čeká OppStatusWON=Vyhrál OppStatusLOST=Ztracený Budget=Rozpočet +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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/cs_CZ/users.lang b/htdocs/langs/cs_CZ/users.lang index 25add82bbe114..40fea8799cade 100644 --- a/htdocs/langs/cs_CZ/users.lang +++ b/htdocs/langs/cs_CZ/users.lang @@ -96,11 +96,11 @@ HierarchicView=Hierarchické zobrazení UseTypeFieldToChange=Použijte pole Typ pro změnu OpenIDURL=OpenID URL LoginUsingOpenID=Použijte OpenID pro přihlášení -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +WeeklyHours=Odpracovaných hodin (za týden) +ExpectedWorkedHours=Předpoklad odpracovaných hodin za týden ColorUser=Barva uživatele DisabledInMonoUserMode=Zakázán v režimu údržby -UserAccountancyCode=User accounting code +UserAccountancyCode=Účetní kód uživatele UserLogoff=odhlášení uživatele UserLogged=přihlášený uživatel DateEmployment=Datum zaměstnanost diff --git a/htdocs/langs/cs_CZ/website.lang b/htdocs/langs/cs_CZ/website.lang index a8c421b259636..63300e36e1381 100644 --- a/htdocs/langs/cs_CZ/website.lang +++ b/htdocs/langs/cs_CZ/website.lang @@ -3,15 +3,17 @@ Shortname=Kód WebsiteSetupDesc=Vytvořte zde tolik vstupů jako množství různých webových stránek, které potřebujete. Pak přejděte do nabídky webové stránky na jejich editaci. DeleteWebsite=Odstranit web ConfirmDeleteWebsite=Jste si jisti, že chcete smazat tuto webovou stránku? Všechny stránky a obsah budou odstraněny. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Název stránky / alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL externího souboru CSS WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=knihovna multimédií EditCss=Edit Style/CSS or HTML header EditMenu=Úprava menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/da_DK/accountancy.lang b/htdocs/langs/da_DK/accountancy.lang index a84203eb43a23..862faa4eae5fa 100644 --- a/htdocs/langs/da_DK/accountancy.lang +++ b/htdocs/langs/da_DK/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Partsnummer TransactionNumShort=Transaktionsnr. AccountingCategory=Regnskabskontogrupper GroupByAccountAccounting=Gruppér efter regnskabskonto -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. ByAccounts=Konti ByPredefinedAccountGroups=Efter foruddefinerede grupper ByPersonalizedAccountGroups=Efter brugerdefinerede grupper @@ -191,6 +191,7 @@ DescThirdPartyReport=Her findes listen over tredjepartskunder, leverandører og ListAccounts=Liste over regnskabskonti UnknownAccountForThirdparty=Ukendt tredjepartskonto. Vi vil bruge %s UnknownAccountForThirdpartyBlocking=Ukendt tredjepartskonto. Blokerende fejl +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third party account and waiting account not defined. Blocking error Pcgtype=Kontoens gruppe Pcgsubtype=Kontoens undergruppe @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Denne kladde er allerede i brug ## Export ExportDraftJournal=Eksporter udkast til kladde Modelcsv=Eksportmodel -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Vælg en eksportmodel Modelcsv_normal=Klassisk eksport Modelcsv_CEGID=Eksporter med CEGID Ekspert-kompatibilitet @@ -254,7 +254,7 @@ Modelcsv_ciel=Eksporter til Sage Ciel Compta eller Compta Evolution Modelcsv_quadratus=Eksporter til Quadratus QuadraCompta Modelcsv_ebp=Eksporter til EBP Modelcsv_cogilog=Ekpsporter til Cogilog -Modelcsv_agiris=Eksporter til Agiris (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=ID for kontoplan diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang index 4f6d2b3bdccd4..48edc1227dcf2 100644 --- a/htdocs/langs/da_DK/admin.lang +++ b/htdocs/langs/da_DK/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Tilføj RSS feed inde Dolibarr skærmen sider Module330Name=Bogmærker Module330Desc=Bogmærker forvaltning Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Særlige udgifter @@ -890,7 +890,7 @@ DictionaryStaff=Personale DictionaryAvailability=Levering forsinkelse DictionaryOrderMethods=Bestilling af metoder DictionarySource=Oprindelse af tilbud/ordrer -DictionaryAccountancyCategory=Regnskabskontogrupper +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Kontokladder DictionaryEMailTemplates=E-mail skabeloner @@ -904,6 +904,7 @@ SetupSaved=Setup gemt SetupNotSaved=Setup not saved BackToModuleList=Tilbage til moduler liste BackToDictionaryList=Tilbage til liste over ordbøger +TypeOfRevenueStamp=Type of revenue stamp 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). @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/da_DK/banks.lang b/htdocs/langs/da_DK/banks.lang index 6a739e09c5535..d701008db4f7a 100644 --- a/htdocs/langs/da_DK/banks.lang +++ b/htdocs/langs/da_DK/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Antal LineRecord=Transaktion AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Afstemt af DateConciliating=Aftemningsdato BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/da_DK/bills.lang b/htdocs/langs/da_DK/bills.lang index b9d1163946e86..3a2c59b2f885b 100644 --- a/htdocs/langs/da_DK/bills.lang +++ b/htdocs/langs/da_DK/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Ubetalte leverandørfakturaer for %s BillsLate=Forsinkede betalinger BillsStatistics=Statistik for kundefakturaer BillsStatisticsSuppliers=Statistik for leverandørfakturaer +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Deaktiveret, da sletning ikke er muligt InvoiceStandard=Standardfaktura InvoiceStandardAsk=Standardfaktura @@ -176,6 +178,7 @@ 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. +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 kunde diff --git a/htdocs/langs/da_DK/compta.lang b/htdocs/langs/da_DK/compta.lang index c9357136b576a..85e0330277bc7 100644 --- a/htdocs/langs/da_DK/compta.lang +++ b/htdocs/langs/da_DK/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Betalinger ikke er knyttet til en faktura, så der ik PaymentsNotLinkedToUser=Betalinger ikke er knyttet til en bruger Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debet Credit=Kredit diff --git a/htdocs/langs/da_DK/donations.lang b/htdocs/langs/da_DK/donations.lang index d6d4d97aa625c..90494b266e047 100644 --- a/htdocs/langs/da_DK/donations.lang +++ b/htdocs/langs/da_DK/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/da_DK/errors.lang b/htdocs/langs/da_DK/errors.lang index 1a7e9c3340973..e9331ffa00d76 100644 --- a/htdocs/langs/da_DK/errors.lang +++ b/htdocs/langs/da_DK/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/da_DK/install.lang b/htdocs/langs/da_DK/install.lang index 1479232f5fdda..5dae9504898ae 100644 --- a/htdocs/langs/da_DK/install.lang +++ b/htdocs/langs/da_DK/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Du bruger Dolibarr opsætningsguiden fra en Proxmox vir 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/da_DK/languages.lang b/htdocs/langs/da_DK/languages.lang index 2a983b4241198..e98ec0c553618 100644 --- a/htdocs/langs/da_DK/languages.lang +++ b/htdocs/langs/da_DK/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spansk (Paraguay) Language_es_PE=Spansk (Peru) Language_es_PR=Spansk (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estisk Language_eu_ES=Basque diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang index aee68303e6137..f6dc7a6d48bc0 100644 --- a/htdocs/langs/da_DK/main.lang +++ b/htdocs/langs/da_DK/main.lang @@ -548,6 +548,18 @@ MonthShort09=sep MonthShort10=okt MonthShort11=nov MonthShort12=dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Vedhæftede filer og dokumenter JoinMainDoc=Join main document DateFormatYYYYMM=ÅÅÅÅ-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Fælles projekt +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/da_DK/other.lang b/htdocs/langs/da_DK/other.lang index 95159063bdbfd..10de4e059d90d 100644 --- a/htdocs/langs/da_DK/other.lang +++ b/htdocs/langs/da_DK/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Eksport område diff --git a/htdocs/langs/da_DK/products.lang b/htdocs/langs/da_DK/products.lang index fc5c89f42ef4f..e27db07cc8ab0 100644 --- a/htdocs/langs/da_DK/products.lang +++ b/htdocs/langs/da_DK/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Nuværende pris AlwaysUseNewPrice=Brug altid den aktuelle pris for vare/ydelse AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/da_DK/projects.lang b/htdocs/langs/da_DK/projects.lang index 882269fe62c52..dfece3c4c964a 100644 --- a/htdocs/langs/da_DK/projects.lang +++ b/htdocs/langs/da_DK/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/da_DK/website.lang b/htdocs/langs/da_DK/website.lang index a4d40eeb359d4..f8c6361b2ccef 100644 --- a/htdocs/langs/da_DK/website.lang +++ b/htdocs/langs/da_DK/website.lang @@ -3,15 +3,17 @@ Shortname=Kode WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/de_CH/admin.lang b/htdocs/langs/de_CH/admin.lang index f887d449d4b18..c83802037c001 100644 --- a/htdocs/langs/de_CH/admin.lang +++ b/htdocs/langs/de_CH/admin.lang @@ -1,7 +1,13 @@ # Dolibarr language file - Source file is en_US - admin Foundation=Verein +Publisher=Herausgeber VersionLastInstall=Erste installierte Version VersionLastUpgrade=Version der letzten Aktualisierung +FileCheckDolibarr=Überprüfen Sie die Integrität der Anwendungsdateien +AvailableOnlyOnPackagedVersions=Die lokale Datei für die Integritätsprüfung ist nur dann verfügbar, wenn die Anwendung von einem offiziellen Paket installiert wurde +XmlNotFound=Xml Integritätsdatei der Anwendung ​​nicht gefunden +ConfirmPurgeSessions=Wollen Sie wirklich alle Sessions beenden ? Dadurch werden alle Benutzer getrennt (ausser Ihnen) +ClientCharset=Benutzer-Zeichensatz FormToTestFileUploadForm=Formular für das Testen von Datei-Uplads (je nach Konfiguration) SecurityFilesDesc=Sicherheitseinstellungen für den Dateiupload definieren. ErrorModuleRequirePHPVersion=Fehler: Dieses Modul benötigt PHP Version %s oder höher @@ -11,6 +17,9 @@ Dictionary=Wörterbücher ErrorCodeCantContainZero=Code darf keinen Wert 0 enthalten UseSearchToSelectCompanyTooltip=Wenn Sie eine grosse Anzahl von Geschäftspartnern (> 100'000) haben, können Sie die Geschwindigkeit verbessern, indem Sie in Einstellungen -> Andere die Konstante COMPANY_DONOTSEARCH_ANYWHERE auf 1 setzen. Die Suche startet dann am Beginn des Strings. UseSearchToSelectContactTooltip=Wenn Sie eine grosse Anzahl von Kontakten (> 100.000) haben, können Sie die Geschwindigkeit verbessern, indem Sie in Einstellungen -> Andere die Konstante CONTACT_DONOTSEARCH_ANYWHERE auf 1 setzen. Die Suche startet dann am Beginn des Strings. +DelaiedFullListToSelectCompany=Warte auf Tastendruck, bevor der Inhalt der Partner-Combo-Liste geladen wird (Dies kann die Leistung verbessern, wenn Sie eine grosse Anzahl von Partnern haben). +DelaiedFullListToSelectContact=Warte auf Tastendruck, bevor der Inhalt der Kontakt-Combo-Liste geladen wird (Dies kann die Leistung verbessern, wenn Sie eine grosse Anzahl von Kontakten haben). +AllowToSelectProjectFromOtherCompany=Erlaube bei den Elementen eines Partners, die Projekte von anderen Partnern zu verlinken Space=Raum MustBeLowerThanPHPLimit=Hinweis: Ihre PHP-Einstellungen beschränken die Grösse für Dateiuploads auf %s%s NoMaxSizeByPHPLimit=Hinweis: In Ihren PHP-Einstellungen sind keine Grössenbeschränkungen hinterlegt @@ -22,17 +31,28 @@ MenuIdParent=Eltern-Menü-ID DetailPosition=Reihungsnummer für definition der Menüposition MaxNbOfLinesForBoxes=Maximale Zeilenanzahl für Boxen MenusDesc=In der Menüverwaltung können Sie den Inhalt der beiden Menüleisten (Horizontal und Vertikal) festlegen +MenusEditorDesc=Mit dem Menü-Editor können Sie benutzerdefinierte Menüeinträge erstellen. Verwenden Sie dies vorsichtig, um Instabilität und dauerhaft unerreichbare Menüeinträge zu vermeiden.
Einige Module fügen Menüeinträge hinzu (meistens im Menü Alle ). Wenn Sie einen dieser Einträge versehentlich entfernen, können Sie ihn wiederherstellen, indem Sie das Modul deaktivieren und erneut aktivieren. PurgeAreaDesc=Hier können Sie alle vom System erzeugten und gespeicherten Dateien löschen (temporäre Dateien oder alle Dateien im Verzeichnis %s). Diese Funktion ist richtet sich vorwiegend an Benutzer ohne Zugriff auf das Dateisystem des Webservers (z.B. Hostingpakete) PurgeDeleteTemporaryFiles=Alle temporären Dateien löschen (kein Datenverlustrisiko) PurgeDeleteTemporaryFilesShort=Temporärdateien löschen PurgeDeleteAllFilesInDocumentsDir=Alle Datein im Verzeichnis %s löschen. Dies beinhaltet temporäre Dateien ebenso wie Datenbanksicherungen, Dokumente (Geschäftspartner, Rechnungen, ...) und alle Inhalte des ECM-Moduls. PurgeNothingToDelete=Keine zu löschenden Verzeichnisse oder Dateien +PurgeNDirectoriesFailed=Löschen von %s Dateien oder Verzeichnisse fehlgeschlagen. +ConfirmPurgeAuditEvents=Möchten Sie wirklich alle Sicherheitsereignisse löschen? Alle Sicherheits-Logs werden gelöscht, aber keine anderen Daten entfernt. ExportMethod=Export-Methode ImportMethod=Import-Methode +IgnoreDuplicateRecords=Fehler durch doppelte Zeilen ignorieren (INSERT IGNORE) BoxesDesc=Boxen sind auf manchen Seiten angezeigte Informationsbereiche. Sie können die Anzeige einer Box einstellen, indem Sie auf die Zielseite klicken und 'Aktivieren' wählen. Zum Ausblenden einer Box klicken Sie einfach auf den Papierkorb. +ModulesDesc=Die Module bestimmen, welche Funktionalität in Dolibarr verfügbar ist. Manche Module erfordern zusätzliche Berechtigungen, welche den Benutzern zugewiesen werden muss, nachdem das Modul aktiviert wurde. \nKlicken Sie auf die Schaltfläche on/off, um ein Modul/Anwendung zu aktivieren. ModulesMarketPlaceDesc=Sie finden weitere Module auf externen Websites +ModulesDevelopYourModule=Entwicklen Sie Ihre eigenes Modul/Anwendung +FreeModule=Kostenlose Module +NotCompatible=Dieses Modul scheint nicht mit Ihrer Dolibarr Version %s (Min %s - Max %s) kompatibel zu sein. +CompatibleAfterUpdate=Dieses Modul benötigt eine Update Ihrer Dolibarr Version %s (Min %s - Max %s). +SeeInMarkerPlace=Siehe im Marktplatz DoliPartnersDesc=Unternehmensliste, die Zusatzmodule oder Funktionen entwicklen können. (Hinweis: Alle Entwickler mit PHP Kentinissen können Dolibarr erweitern) WebSiteDesc=Webseite für die Suche nach weiteren Modulen +DevelopYourModuleDesc=Einige Lösungen um Ihr eigenes Modul zu entwickeln... BoxesActivated=Aktivierte Boxen OfficialWebSite=Offizielle Website ReferencedPreferredPartners=Bevorzugte Geschäftspartner @@ -41,6 +61,7 @@ HelpCenterDesc1=In diesem Bereich können Sie sich ein Hilfe-Support-Service auf MeasuringUnit=Masseinheit MAIN_MAIL_SMTP_PORT=SMTP-Port (standardmässig in der php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP-Host (standardmässig in php.ini: %s) +MAIN_MAIL_EMAIL_FROM=E-Mail-Absender für automatisch erzeugte Mails (standardmässig in php.ini: %s) MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) Verschlüsselung verwenden SubmitTranslation=Wenn die Übersetzung der Sprache unvollständig ist oder wenn Sie Fehler finden, können Sie können Sie die entsprechenden Sprachdateien im Verzeichnis langs/%s korrigieren und und anschliessend Ihre Änderungen unter www.transifex.com/dolibarr-association/dolibarr/ teilen. SubmitTranslationENUS=Sollte die Übersetzung für eine Sprache nicht vollständig sein oder Fehler beinhalten, können Sie die entsprechenden Sprachdateien im Verzeichnis langs/%s bearbeiten und anschliessend Ihre Änderungen an dolibarr.org/forum oder für Entwickler auf github.com/Dolibarr/dolibarr. übertragen. @@ -48,17 +69,32 @@ ModuleFamilyCrm=Kundenverwaltung (CRM) ModuleFamilySrm=Lieferantenverwaltung (SRM) CallUpdatePage=Zur Aktualisierung der Daten und der Datenbankstruktur gehen Sie zur Seite %s. GenericMaskCodes=Sie können ein beliebiges Numerierungsschema wählen. Dieses Schema könnte z.B. so aussehen:
{000000} steht für eine 6-stellige Nummer, die sich bei jedem neuen %s automatisch erhöht. Wählen Sie die Anzahl der Nullen je nach gewünschter Nummernlänge. Der Zähler füllt sich automatisch bis zum linken Ende mit Nullen um das gewünschte Format abzubilden.
{000000+000} führt zu einem ähnlichen Ergebnis, allerdings mit einem Wertsprung in Höhe des Werts rechts des Pluszeichens, der beim ersten %s angewandt wird.
{000000@x} wie zuvor, jedoch stellt sich der Zähler bei Erreichen des Monats x (zwischen 1 und 12) automatisch auf 0 zurück. Ist diese Option gewählt und x hat den Wert 2 oder höher, ist die Folge {mm}{yy} or {mm}{yyyy} ebenfalls erfoderlich.
{dd} Tag (01 bis 31).
{mm} Monat (01 bis 12).
{yy}, {yyyy} or {y} Jahreszahl 1-, 2- oder 4-stellig.
+GenericMaskCodes2={cccc} der Kunden-Code mit n Zeichen
{cccc000} der Kunden-Code mit n Zeichen, gefolgt von der dem Kunden zugeordneten Partner ID. Dieser Zähler wird gleichzeitig mit dem Globalen Zähler zurückgesetzt.
{tttt} Die Partner ID mit n Zeichen (siehe unter Einstellungen->Stammdaten->Arten von Partnern). Wenn diese Option aktiv ist, wird für jede Partnerart ein separater Zähler geführt.
GenericMaskCodes4b=Beispiel für Dritte erstellt am 2007-03-01:
UMaskExplanation=Über diesen Parameter können Sie die standardmässigen Dateiberechtigungen für vom System erzeugte/verwaltete Inhalte festlegen.
Erforderlich ist ein Oktalwert (0666 bedeutet z.B. Lesen und Schreiben für alle).
Auf Windows-Umgebungen haben diese Einstellungen keinen Effekt. +ConfirmPurge=Möchten Sie wirklich endgültig löschen?
Alle Dateien werden unwiderbringlich gelöscht (Attachments, Angebote, Rechnungen usw.) DescWeather=Die folgenden Diagramme werden auf der Übersicht Startseite angezeigt, wenn die entsprechenden Toleranzwerte erreicht werden: HideAnyVATInformationOnPDF=Unterdrücken aller MwSt.-Informationen auf dem generierten PDF +HideLocalTaxOnPDF=Unterdrücke %s Satz in der PDF Steuerspalte HideDetailsOnPDF=Unterdrücke Produktzeilen in generierten PDF PlaceCustomerAddressToIsoLocation=ISO Position für die Kundenadresse verwenden +ButtonHideUnauthorized=Buttons für Nicht-Admins ausblenden anstatt ausgrauen? OldVATRates=Alter MwSt. Satz NewVATRates=Neuer MwSt. Satz Float=Gleitkommazahl +ExtrafieldRadio=Radio Button (Nur eine Auswahl möglich) LibraryToBuildPDF=Verwendete Bibliothek zur PDF-Erzeugung SetAsDefault=Als Standard definieren +ConfirmEraseAllCurrentBarCode=Wirklich alle aktuellen Barcode-Werte löschen? +DisplayCompanyManagers=Anzeige der Namen der Geschäftsführung +Use3StepsApproval=Standardmässig, Einkaufsaufträge müssen durch zwei unterschiedlichen Benutzer erstellt und freigegeben werden (ein Schritt/Benutzer zum 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 einen zusätzlichen Schritt/User für die Freigabe einrichten, wenn der Betrag einen bestimmten dedizierten Wert übersteigt (wenn der Betrag höher wird, werden 3 Stufen notwendig: 1=Validierung, 2=erste Freigabe und 3=Gegenfreigabe.
Lassen Sie das Feld leer, wenn eine Freigabe (2 Schritte) ausreicht; tragen Sie einen sehr niedrigen Wert (0.1) ein, wenn eine zweite Freigabe notwendig ist. +UseDoubleApproval=3-fach Verarbeitungsschritte verwenden, wenn der Betrag (ohne Steuer) höher ist als ... +ClickToShowDescription=Klicken um die Beschreibung zu sehen +DependsOn=Dieses Modul benötigt die folgenden Module +PageUrlForDefaultValues=Hier muss die relative URL der Seite eingetragen werden. Wenn Parameter in der URL angegeben werden, dann werden alle Vorgabewerte auf den gleichen Wert gesetzt. Beispiele: +GoIntoTranslationMenuToChangeThis=Eine Übersetzung wurde für diesen Schlüssel gefunden, um die Übersetzung anzupassen, gehen Sie ins Menü "Home->Setup->Überseztungen" +WarningSettingSortOrder=Warnung: Änderungen an der Standardsortierreihenfolge können zu Fehlern führen, falls das betreffende Feld nicht vorhanden ist. Falls dies passiert, entfernen sie das betreffende Feld oder stellen die den Defaultwert wieder her. +AttachMainDocByDefault=Setzen Sie diesen Wert auf 1, wenn Sie das Hauptdokument standardmässig per E-Mail anhängen möchten (falls zutreffend). Module1Name=Geschäftspartner Module1Desc=Geschäftspartner- und Kontakteverwaltung (Kunden, Leads, ...) Module20Desc=Angeboteverwaltung @@ -68,7 +104,6 @@ Module80Name=Auslieferungen Module240Desc=Werkzeug zum Datenexport (mit Assistent) Module250Desc=Werkzeug zum Dateninport (mit Assistent) Module330Desc=Lesezeichenverwaltung -Module400Desc=Projektmanagement, Aufträge oder Leads. Anschliessend können Sie ein beliebiges Element (Rechnung, Bestellung, Angebot, Intervention, ...) einem Projekt zuordnen und eine Queransicht von der Projektanzeige bekommen. Module1200Desc=Mantis-Integation Module2000Desc=Texte mit dem WYSIWYG Editor bearbeiten (Basierend auf CKEditor) Module3100Desc=Skypebutton bei Kontakten / Drittparteien / Mitgliedern hinzufügen @@ -112,6 +147,9 @@ LocalTax1IsNotUsedDescES=Standardmässig werden die vorgeschlagenen RE 0 ist. En LocalTax2IsUsedDescES=Die RE Rate standardmässig beim Erstellen Aussichten, Rechnungen, Bestellungen etc. folgen die aktive Standard-Regel:
Ist der Verkäufer nicht zu IRPF ausgesetzt, dann durch IRPF default = 0. Ende der Regel.
Ist der Verkäufer zur IRPF dann der Einkommenssteuer unterworfen standardmässig. Ende der Regel.
LocalTax2IsNotUsedDescES=Standardmässig werden die vorgeschlagenen IRPF 0 ist. Ende der Regel. LocalTax2IsNotUsedExampleES=In Spanien sind sie bussines nicht der Steuer unterliegen System von Modulen. +MenuCompanySetup=Firma/Organisation +CompanyInfo=Firmen-/Organisationsinformationen +CompanyIds=Firmen-/Organisations-IDs Delays_MAIN_DELAY_ACTIONS_TODO=Verzögerungstoleranz (in Tagen) vor Warnung für nicht erledigte Ereignisse 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 @@ -129,13 +167,16 @@ SystemAreaForAdminOnly=Dieser Bereich steht ausschliesslich Administratoren zur TriggersDesc=Trigger sind Dateien, die nach einem Kopieren in das Verzeichnis htdocs/core/triggers das Workflow-Verhalten des Systems beeinflussen. Diese stellen neue, mit Systemereignissen verbundene, Ereignisse dar (Neuer Geschäftspartner angelegt, Rechnung freigegeben, ...). TriggerDisabledByName=Trigger in dieser Datei sind durch das -NORUN-Suffix in ihrem Namen deaktviert. DictionaryDesc=Definieren Sie hier alle Defaultwerte. Sie können die vordefinierten Werte mit ihren eigenen ergänzen. +ConstDesc=Diese Seite erlaubt es alle anderen Parameter einzustellen, die auf den vorherigen Seiten nicht verfügbar sind. Dies sind meist reservierte Parameter für Entwickler oder für die erweiterte Fehlersuche. Für eine Liste von Optionen hier überprüfen . MiscellaneousDesc=Alle anderen sicherheitsrelevanten Parameter werden hier definiert. MAIN_ROUNDING_RULE_TOT=Rundungseinstellung (Für Länder in denen nicht auf 10er basis Gerundet wird. zB. 0.05 damit in 0.05 Schritten gerundet wirb) TotalPriceAfterRounding=Gesamtpreis (Netto/MwSt./Brutto) gerundet NoEventOrNoAuditSetup=Keine sicherheitsrelevanten Protokollereignisse. Überprüfen Sie die Aktivierung dieser Funktionen unter 'Einstellunge-Sicherheit-Protokoll'. RestoreDesc2=Wiederherstellung von Archive Datei (zip Datei zum Beispiel)\nvom documents Verzeichnis um den documents Datei-Baum im documents verzeichnis in eine neue Dolibarr Installation oder in ein bestehendes Dolibarr Verzeichnis (%s). +PreviousDumpFiles=generierte Databank Backup Dateien DownloadMoreSkins=Weitere grafische Oberflächen/Themes herunterladen ShowVATIntaInAddress=Ausblenden MwSt. Nummer in Adressen auf Dokumenten. +MeteoStdMod=Standard Modus DefineHereComplementaryAttributes=Definieren Sie hier alle Attribute, die nicht standardmässig vorhanden sind, und in %s unterstützt werden sollen. ExtraFieldsSupplierOrdersLines=Ergänzende Attribute (in Bestellungszeile) ExtraFieldsThirdParties=Ergänzende Attribute (Geschäftspartner) @@ -143,6 +184,7 @@ SendmailOptionNotComplete=Achtung, auf einigen Linux-Systemen, E-Mails von Ihrem AddRefInList=Darstellung Kunden- /Lieferanten- Nr. in Listen (Listbox oder ComboBox) und die meisten von Hyperlinks. Third parties will appears with name "CC12345 - SC45678 - The big company coorp", instead of "The big company coorp". AskForPreferredShippingMethod=Bevorzugte Kontaktmethode bei Partnern fragen. PasswordGenerationNone=Keine automatische Passwortvorschläge, das Passwort muss manuell eingegeben werden. +HRMSetup=HRM Modul Einstellungen CompanyCodeChecker=Modul für Geschäftspartner-Code-Erstellung (Kunden oder Lieferanten) CompanyIdProfChecker=Berufs-Identifikation einzigartige SuggestPaymentByRIBOnAccount=Zahlung per Lastschrift vorschlagen diff --git a/htdocs/langs/de_CH/main.lang b/htdocs/langs/de_CH/main.lang index 82b62aa23d5ef..f235b6a7e1a10 100644 --- a/htdocs/langs/de_CH/main.lang +++ b/htdocs/langs/de_CH/main.lang @@ -69,6 +69,7 @@ RefPayment=Zahlungs-Nr. ActionsToDo=unvollständige Ereignisse ActionsToDoShort=Zu erledigen ActionRunningNotStarted=Nicht begonnen +CompanyFoundation=Firma/Organisation ContactsForCompany=Ansprechpartner/Adressen dieses Geschäftspartners ContactsAddressesForCompany=Ansprechpartner / Adressen zu diesem Geschäftspartner AddressesForCompany=Adressen für den Geschäftspartner diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang index 1df94d5eb72e6..d09d99d485c37 100644 --- a/htdocs/langs/de_DE/accountancy.lang +++ b/htdocs/langs/de_DE/accountancy.lang @@ -8,7 +8,7 @@ ACCOUNTING_EXPORT_AMOUNT=Exportiere Betrag ACCOUNTING_EXPORT_DEVISE=Exportiere Währung Selectformat=Wählen Sie das Format für die Datei ACCOUNTING_EXPORT_FORMAT=Wählen Sie das Format für die Datei -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=Art des Zeilenumbruchs wählen ACCOUNTING_EXPORT_PREFIX_SPEC=Präfix für den Dateinamen angeben ThisService=Diese Leistung ThisProduct=Dieses Produkt @@ -30,18 +30,18 @@ OverviewOfAmountOfLinesBound=Übersicht über die Anzahl der bereits an ein Buch OtherInfo=Zusatzinformationen DeleteCptCategory=Buchhaltungskonto aus Gruppe entfernen ConfirmDeleteCptCategory=Soll dieses Buchhaltungskonto wirklich aus der Gruppe entfernt werden? -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 +JournalizationInLedgerStatus=Status der Journalisierung +AlreadyInGeneralLedger=Schon ins Hauptbuch übernommen +NotYetInGeneralLedger=Noch nicht ins Hauptbuch übernommen +GroupIsEmptyCheckSetup=Gruppe ist leer, kontrollieren Sie die persönlichen Kontogruppen +DetailByAccount=Detail pro Konto zeigen +AccountWithNonZeroValues=Konto mit Werten != 0 +ListOfAccounts=Kontenplan -MainAccountForCustomersNotDefined=Main accounting account for customers not defined in setup -MainAccountForSuppliersNotDefined=Main accounting account for suppliers 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=Standardkonto für Kunden im Setup nicht definiert +MainAccountForSuppliersNotDefined=Standardkonto für Lieferanten ist im Setup nicht definiert +MainAccountForUsersNotDefined=STandardkonto für Benutzer ist im Setup nicht definiert +MainAccountForVatPaymentNotDefined=Standardkonto für MWSt Zahlungen ist im Setup nicht definiert AccountancyArea=Buchhaltung AccountancyAreaDescIntro=Die Verwendung des Buchhaltungsmoduls erfolgt in mehreren Schritten: @@ -58,9 +58,9 @@ AccountancyAreaDescExpenseReport=SCHRITT %s: Definition der Buchhaltungskonten f 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. AccountancyAreaDescDonation=SCHRITT %s: Definition der Buchhaltungskonten für Spenden. Kann im Menü %s geändert werden. -AccountancyAreaDescMisc=STEP %s: Define mandatory default account and default accounting accounts for miscellaneous transactions. For this, use the menu entry %s. +AccountancyAreaDescMisc=SCHRITT %s: Buchhaltungskonto für nicht zugeordnete Buchungen definieren. Kann im Menü %s geändert werden. AccountancyAreaDescLoan=SCHRITT %s: Definitiond der Buchhaltungskonten für Darlehenszahlungen. Kann im Menü %s geändert werden. -AccountancyAreaDescBank=STEP %s: Define accounting accounts and journal code for each bank and financial accounts. For this, use the menu entry %s. +AccountancyAreaDescBank=SCHRITT %s: Definition der Buchhaltungskonten für jede Bank und Finanzkonten. Kann im Menü %s geändert werden. AccountancyAreaDescProd=SCHRITT %s: Definition der Buchhaltungskonten für Ihre Produkte/Dienstleistungen. Kann im Menü %s geändert werden. AccountancyAreaDescBind=SCHRITT %s: Kontrolle der Zuweisung zwischen bestehenden %s Buchungszeilen und Konten ist erledigt damit die Anwendung die übernahme der Buchungen ins Hauptbuch mit einem klick erfolgen kann. Wir im Menü %s eingestellt. @@ -69,7 +69,7 @@ AccountancyAreaDescAnalyze=SCHRITT %s: Vorhandene Transaktionen hinzufügen oder AccountancyAreaDescClosePeriod=SCHRITT %s: Schließen Sie die Periode, damit wir in Zukunft keine Veränderungen vornehmen können. -TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup was not complete (accounting code journal not defined for all bank accounts) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Eine erofrderliche Einrichtung wurde nicht abgeschlossen. (Kontierungsinformationen fehlen bei einigen Finanzkonten) Selectchartofaccounts=Kontenplan wählen ChangeAndLoad=Ändere und Lade Addanaccount=Fügen Sie ein Buchhaltungskonto hinzu @@ -93,11 +93,11 @@ SuppliersVentilation=Lieferantenrechnungen zusammenfügen ExpenseReportsVentilation=Spesenabrechnung Zuordnung CreateMvts=Neue Transaktion erstellen UpdateMvts=Änderung einer Transaktion -ValidTransaction=Validate transaction +ValidTransaction=Transaktion bestätigen WriteBookKeeping=Buchungen ins Hauptbuch übernehmen Bookkeeping=Hauptbuch AccountBalance=Saldo Sachkonto -ObjectsRef=Source object ref +ObjectsRef=Quellreferenz CAHTF=Einkaufssume pro Lieferant ohne Steuer TotalExpenseReport=Gesamtausgaben Bericht InvoiceLines=Zeilen der Rechnungen zu verbinden @@ -117,7 +117,7 @@ LineOfExpenseReport=Zeilen der Spesenabrechnung NoAccountSelected=Kein Buchhaltungskonto ausgewählt VentilatedinAccount=erfolgreich zu dem Buchhaltungskonto zugeordnet NotVentilatedinAccount=Nicht zugeordnet, zu einem Buchhaltungskonto -XLineSuccessfullyBinded=%s products/services successfully bound to an accounting account +XLineSuccessfullyBinded=%s Produkte/Leistungen erfolgreich an Buchhaltungskonto zugewiesen XLineFailedToBeBinded=%s Produkte/Leistungen waren an kein Buchhaltungskonto zugeordnet ACCOUNTING_LIMIT_LIST_VENTILATION=Anzahl der Elemente, die beim Kontieren angezeigt werden (empfohlen Max.: 50) @@ -151,29 +151,29 @@ Docdate=Datum Docref=Referenz Code_tiers=Partner LabelAccount=Konto-Beschriftung -LabelOperation=Label operation +LabelOperation=Bezeichnung der Operation Sens=Zweck Codejournal=Journal NumPiece=Teilenummer TransactionNumShort=Anz. Buchungen -AccountingCategory=Personalized groups +AccountingCategory=Personalisierte Gruppen GroupByAccountAccounting=Gruppieren nach Buchhaltungskonto -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. -ByAccounts=By accounts -ByPredefinedAccountGroups=By predefined groups -ByPersonalizedAccountGroups=By personalized groups +AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. +ByAccounts=Pro Konto +ByPredefinedAccountGroups=Pro vordefinierten Gruppen +ByPersonalizedAccountGroups=Pro persönlichen Gruppierung ByYear=Bis zum Jahresende NotMatch=undefiniert DeleteMvt=Zeilen im Hauptbuch löschen DelYear=Jahr zu entfernen DelJournal=Journal zu entfernen ConfirmDeleteMvt=Es werden alle Zeilen des Hauptbuchs für Jahr und/oder eines bestimmten Journals gelöscht. Mindestens ein Kriterium ist erforderlich. -ConfirmDeleteMvtPartial=This will delete the transaction from the Ledger (all lines related to same transaction will be deleted) +ConfirmDeleteMvtPartial=Die Buchung wird aus dem Hauptbuch gelöscht (Alle Einträge aus dieser Buchung werden gelöscht) DelBookKeeping=Eintrag im Hauptbuch löschen FinanceJournal=Finanzjournal ExpenseReportsJournal=Spesenabrechnungsjournal DescFinanceJournal=Finanzjournal inklusive aller Arten von Zahlungen mit Bankkonto -DescJournalOnlyBindedVisible=This is a view of record that are bound to accounting account and can be recorded into the Ledger. +DescJournalOnlyBindedVisible=Ansicht der Datensätze, die an ein Produkt- / Dienstleistungskonto gebunden sind und in das Hauptbuch übernommen werden können. VATAccountNotDefined=Steuerkonto nicht definiert ThirdpartyAccountNotDefined=Konto für Adresse nicht definiert ProductAccountNotDefined=Konto für Produkt nicht definiert @@ -189,12 +189,13 @@ AddCompteFromBK=Buchhaltungskonten zur Gruppe hinzufügen ReportThirdParty=Zeige Partner DescThirdPartyReport=Kontieren Sie hier die Liste der Kunden und Lieferanten zu Ihrem Buchhaltungs-Konten ListAccounts=Liste der Abrechnungskonten -UnknownAccountForThirdparty=Unknown third party account. We will use %s -UnknownAccountForThirdpartyBlocking=Unknown third party account. Blocking error +UnknownAccountForThirdparty=Unbekanntes Konto, %s wird verwendet +UnknownAccountForThirdpartyBlocking=Unbekanntes Konto, weiterfahren nicht möglich +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third party account and waiting account not defined. Blocking error -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. +Pcgtype=Kontenklasse +Pcgsubtype=Unterkontenklasse +PcgtypeDesc=Gruppen und Untergruppen der Konten werden as vordefinierte 'Filter' und 'Gruppierung' Merkmale in manchen Finanzberichten verwendet. z.B. 'Aufwand' oder 'Ertrag' werden als Gruppen im Kontenplan für den Bericht verwendet. TotalVente=Verkaufssumme ohne Steuer TotalMarge=Gesamt-Spanne @@ -216,35 +217,34 @@ ValidateHistory=automatisch verbinden AutomaticBindingDone=automatische Zuordnung erledigt ErrorAccountancyCodeIsAlreadyUse=Fehler, Sie können dieses Buchhaltungskonto nicht löschen, da es benutzt wird. -MvtNotCorrectlyBalanced=Movement not correctly balanced. Credit = %s. Debit = %s +MvtNotCorrectlyBalanced=Der Saldo der Buchung ist nicht ausgeglichen. Haben = %s. Soll = %s FicheVentilation=Zuordnungs Karte GeneralLedgerIsWritten=Operationen werden ins Hauptbuch geschrieben GeneralLedgerSomeRecordWasNotRecorded=Einige der Buchungen konnten nicht übernommen werden. Es gab keine Fehler, vermutlich wurden diese Buchungen schon früher übernommen. -NoNewRecordSaved=No more record to journalize +NoNewRecordSaved=Keine weiteren Einträge zum Übernehmen ListOfProductsWithoutAccountingAccount=Liste der Produkte, die nicht an ein Buchhaltungskonto gebunden sind ChangeBinding=Ändern der Zuordnung ## Admin ApplyMassCategories=Massenaktualisierung der Kategorien -AddAccountFromBookKeepingWithNoCategories=Available acccount not yet in a personalized group +AddAccountFromBookKeepingWithNoCategories=Verfügbares Konto nicht in der persönlichen Liste CategoryDeleted=Die Gruppe für das Buchhaltungskonto wurde entfernt AccountingJournals=Buchhaltungsjournale AccountingJournal=Buchhaltungsjournal NewAccountingJournal=Neues Buchhaltungsjournal ShowAccoutingJournal=Buchhaltungsjournal anzeigen Nature=Art -AccountingJournalType1=Miscellaneous operation +AccountingJournalType1=Verschiedene Aktionen AccountingJournalType2=Verkauf AccountingJournalType3=Einkauf AccountingJournalType4=Bank -AccountingJournalType5=Expenses report +AccountingJournalType5=Spesenabrechnungen AccountingJournalType9=Hat neue ErrorAccountingJournalIsAlreadyUse=Dieses Journal wird bereits verwendet ## Export -ExportDraftJournal=Export draft journal +ExportDraftJournal=Entwurfsjournal exportieren Modelcsv=Exportmodell -OptionsDeactivatedForThisExportModel=Für dieses Exportmodell sind die Einstellungen deaktiviert Selectmodelcsv=Wählen Sie ein Exportmodell Modelcsv_normal=Klassischer Export Modelcsv_CEGID=Export zu CEGID Expert Buchhaltung @@ -254,22 +254,22 @@ Modelcsv_ciel=Export zu Sage Ciel Compta oder Compta Evolution Modelcsv_quadratus=Export zu Quadratus QuadraCompta Modelcsv_ebp=Export zu EBP Modelcsv_cogilog=Export zu Cogilog -Modelcsv_agiris=Nach Agiris exportieren (Test) -Modelcsv_configurable=Export Configurable +Modelcsv_agiris=Nach Agiris exportieren +Modelcsv_configurable=Konfigurierbarer Export ChartofaccountsId=Kontenplan ID ## Tools - Init accounting account on product / service InitAccountancy=Rechnungswesen initialisieren -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=Auf dieser Seite kann ein Sachkonto für Artikel und Dienstleistungen vorgegeben werden, wenn noch kein Buchhaltungs-Konto für Ein- und Verkäufe definiert ist. DefaultBindingDesc=Diese Seite kann verwendet werden, um ein Standardkonto festzulegen, das für die Verknüpfung von Transaktionsdatensätzen zu Lohnzahlungen, Spenden, Steuern und Mwst. verwendet werden soll, wenn kein bestimmtes Konto angegeben wurde. Options=Optionen OptionModeProductSell=Modus Verkauf OptionModeProductBuy=Modus Einkäufe OptionModeProductSellDesc=Alle Artikel mit Sachkonten für Vertrieb anzeigen OptionModeProductBuyDesc=Alle Artikel mit Sachkonten für Einkauf anzeigen -CleanFixHistory=Remove accounting code from lines that not exists into charts of account +CleanFixHistory=Nicht existierenden Buchhaltungskonten von Positionen entfernen, die im Kontenplan nicht vorkommen. CleanHistory=Aller Zuordungen für das selektierte Jahr zurücksetzen -PredefinedGroups=Predefined groups +PredefinedGroups=Vordefinierte Gruppen WithoutValidAccount=Mit keinem gültigen dedizierten Konto WithValidAccount=Mit gültigen dedizierten Konto ValueNotIntoChartOfAccount=Dieser Wert für das Buchhaltungs-Konto existiert nicht im Kontenplan @@ -287,6 +287,6 @@ BookeppingLineAlreayExists=Datensätze existieren bereits in der Buchhaltung NoJournalDefined=Kein Journal definiert Binded=Zeilen verbunden ToBind=Zeilen für Zuordnung -UseMenuToSetBindindManualy=Autodection not possible, use menu %s to make the binding manually +UseMenuToSetBindindManualy=Automatische Kontierung nicht möglich, verwende das Menü %s um die Zuweisung manuell zu machen -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=Warnung: Dieser Bericht basiert nicht auf dem Hauptbuch, daruch werden keine im Hauptbuch veränderten Buchungen berücksichtigt. Wenn die Buchhaltung aktuell ist, ist die Buchhaltungsansicht aussagekräftiger. diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang index 15f0f4c844024..d1361558141bb 100644 --- a/htdocs/langs/de_DE/admin.lang +++ b/htdocs/langs/de_DE/admin.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - admin Foundation=Institution Version=Version -Publisher=Publisher +Publisher=Verfasser VersionProgram=Programmversion VersionLastInstall=Version Erstinstallation VersionLastUpgrade=Letzte Versionsaktualisierung @@ -41,7 +41,7 @@ NoSessionFound=Ihre PHP -Konfiguration scheint keine Liste aktiver Sitzungen zuz DBStoringCharset=Zeichensatz der Datenbank-Speicherung DBSortingCharset=Zeichensatz der Datenbank-Sortierung ClientCharset=Client-Zeichensatz -ClientSortingCharset=Client collation +ClientSortingCharset=Client Sortierreihenfolge WarningModuleNotActive=Modul %s muss aktiviert sein WarningOnlyPermissionOfActivatedModules=Achtung, hier werden nur Berechtigungen im Zusammenhang mit aktivierten Module angezeigt. Weitere Module können Sie unter Start->Einstellungen-Module aktivieren. DolibarrSetup=dolibarr Installation oder Upgrade @@ -151,7 +151,7 @@ PurgeDeleteAllFilesInDocumentsDir=Alle Dateien im Verzeichnis %s löschen PurgeRunNow=Jetzt bereinigen PurgeNothingToDelete=Kein Ordner oder Datei zum löschen. PurgeNDirectoriesDeleted=%s Dateien oder Verzeichnisse gelöscht. -PurgeNDirectoriesFailed=Failed to delete %s files or directories. +PurgeNDirectoriesFailed=Dateien oder Verzeichnisse %s konnten nicht gelöscht werden PurgeAuditEvents=Bereinige alle Sicherheitsereignisse ConfirmPurgeAuditEvents=Möchten Sie wirklich alle Sicherheitsereignisse löschen ? GenerateBackup=Sicherung erzeugen @@ -197,23 +197,23 @@ ModulesDesc=Die Module bestimmen, welche Funktionalität in Dolibarr verfügbar ModulesMarketPlaceDesc=Sie finden weitere Module auf externen Web-Sites... ModulesDeployDesc=Wenn die Rechte Ihres Dateisystems es zulassen, können Sie mit diesem Werkzeug ein externes Modul installieren. Es wird dann im Reiter %s erscheinen. ModulesMarketPlaces=Suche externe Module -ModulesDevelopYourModule=Develop your own app/modules +ModulesDevelopYourModule=Eigene App/Modul entwickeln 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)... NewModule=Neu -FreeModule=Free +FreeModule=Frei CompatibleUpTo=Kompatibel mit 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 +SeeInMarkerPlace=Siehe Marktplatz Updated=Aktualisiert -Nouveauté=Novelty +Nouveauté=Neuheit AchatTelechargement=Kaufen / Herunterladen GoModuleSetupArea=Um ein neues Modul zu installieren, gehen Sie auf die Modul-Setup Seite %s. DoliStoreDesc=DoliStore, der offizielle Marktplatz für dolibarr Module/Erweiterungen DoliPartnersDesc=Firmenliste die Kundenspezifische Module oder Funktionen entwickeln. (Hinweis: Jedermann mit PHP Erfahrung kann Kundenspezifische Funktionen für Opensource Projekte Entwickeln) WebSiteDesc=Anbieter für weitere Module... -DevelopYourModuleDesc=Some solutions to develop your own module... +DevelopYourModuleDesc=Lösungen um eigene Module zu entwickeln... URL=Link BoxesAvailable=Verfügbare Boxen BoxesActivated=Boxen aktiviert @@ -314,7 +314,7 @@ UnpackPackageInModulesRoot=Um eine externes Modul bereit zu stellen, entpacken S SetupIsReadyForUse=Modul-Installation abgeschlossen, es muss aber noch aktiviert und konfiguriert werden: %s. NotExistsDirect=Das alternative Stammverzeichnis ist nicht zu einem existierenden Verzeichnis definiert.
InfDirAlt=Seit Version 3 ist es möglich, ein alternatives Stammverzeichnis anzugeben. Dies ermöglicht, Erweiterungen und eigene Templates am gleichen Ort zu speichern.
Erstellen Sie einfach ein Verzeichis im Hauptverzeichnis von Dolibarr an (z.B. "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. +InfDirExample=
Danach in der Datei conf.php deklarieren
$dolibarr_main_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
Wenn diese Zeilen mit "#" auskommentiert sind, um sie zu aktivieren, einfach das Zeichen "#" entfernen. YouCanSubmitFile=In diesen Schritt können Sie die .zip-Datei des Modul-Pakets auswählen: CurrentVersion=Aktuelle dolibarr-Version CallUpdatePage=Zur Aktualisierung der Daten und Datenbankstrukturen zur Seite %s gehen. @@ -349,7 +349,7 @@ AddCRIfTooLong=Kein automatischer Zeilenumbruch. Entsprechend müssen Sie, falls ConfirmPurge=Möchten Sie wirklich endgültig löschen ?
Alle Dateien werden unwiderbringlich gelöscht (Attachments, Angebote, Rechnungen usw.) MinLength=Mindestlänge LanguageFilesCachedIntoShmopSharedMemory=.lang-Sprachdateien in gemeinsamen Cache geladen -LanguageFile=Language file +LanguageFile=Sprachdatei ExamplesWithCurrentSetup=Beispiele mit der derzeitigen Systemkonfiguration ListOfDirectories=Liste der OpenDocument-Vorlagenverzeichnisse ListOfDirectoriesForModelGenODT=Liste der Verzeichnisse mit Vorlagendateien mit OpenDocument-Format.

Fügen Sie hier den vollständigen Pfad der Verzeichnisse ein.
Trennen Sie jedes Verzeichnis mit einer Zeilenschaltung
Verzeichnisse des ECM-Moduls fügen Sie z.B. so ein DOL_DATA_ROOT/ecm/yourdirectoryname.

Dateien in diesen Verzeichnissen müssen mit .odt oder .ods enden. @@ -466,7 +466,7 @@ FreeLegalTextOnExpenseReports=Freier Rechtstext auf Spesenabrechnungen WatermarkOnDraftExpenseReports=Wasserzeichen auf Entwurf von Ausgabenbelegen AttachMainDocByDefault=Setzen Sie diesen Wert auf 1, wenn Sie das Hauptdokument standardmäßig per E-Mail anhängen möchten (falls zutreffend). FilesAttachedToEmail=Datei hinzufügen -SendEmailsReminders=Send agenda reminders by emails +SendEmailsReminders=Erinnerung per E-Mail versenden # Modules Module0Name=Benutzer und Gruppen Module0Desc=Benutzer / Mitarbeiter und Gruppen Administration @@ -539,7 +539,7 @@ Module320Desc=RSS-Feed-Bildschirm innerhalb des Systems anzeigen Module330Name=Lesezeichen Module330Desc=Verwalten von Lesezeichen Module400Name=Projekte / Chancen / Leads -Module400Desc=Projektmanagement, Aufträge oder Leads. Anschließend können Sie ein beliebiges Element (Rechnung, Bestellung, Angebot, Serviceaufträge, ...) einem Projekt zuordnen und eine Queransicht von der Projektanzeige bekommen. +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=Sonderausgaben @@ -549,7 +549,7 @@ Module510Desc=Verwaltung der Angestellten-Löhne und -Zahlungen Module520Name=Darlehen Module520Desc=Verwaltung von Darlehen Module600Name=Benachrichtigungen bei Geschäftsereignissen -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 +Module600Desc=Email-Benachrichtigung (ausgelößt durch einige Ereignisse) zu Benutzern (seperate Einstellungen je Benutzer), Partner-Kontakte (seperate Einstellung für jeden Partner) oder festen Email-Adressen. 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. Module700Name=Spenden Module700Desc=Spendenverwaltung @@ -568,7 +568,7 @@ Module2000Desc=Bearbeitung von machen Textbereichen mit erweiterten Editor (basi Module2200Name=Dynamische Preise Module2200Desc=Mathematische Ausdrücke für Preise aktivieren Module2300Name=Geplante Aufträge -Module2300Desc=Scheduled jobs management (alias cron or chrono table) +Module2300Desc=Verwaltung geplanter Aufgaben (Cron oder chrono Tabelle) Module2400Name=Ereignisse/Termine Module2400Desc=Folgeereignisse oder Termine. Ereignisse manuell in der Agenda erfassen oder Applikationen erlauben Termine zur Nachverfolgung zu erstellen. Module2500Name=Inhaltsverwaltung(ECM) @@ -601,11 +601,11 @@ Module20000Desc=Definieren und beobachten sie die Urlaubsanträge Ihrer Angestel Module39000Name=Chargen-/ Seriennummern Module39000Desc=Chargen oder Seriennummer, Haltbarkeitsdatum und Verfallsdatum Management für Produkte 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=Modul um Onlinezahlungen von Debit/Kreditkarten via PayBox entgegennehmen. Ihre Kunden können damit freie Zahlungen machen, oder Dolibarr Objekte (Rechnungen, Bestelltungen...) bezahlen Module50100Name=Kasse Module50100Desc=Modul Point of Sale (POS)\n 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=Modul um Online Zahlungen via PayPal entgegenzunehmen. Ihre Kunden können damit freie Zahlungen machen, oder Dolibarr Objekte (Rechnungen, Bestelltungen...) bezahlen Module50400Name=Buchhaltung (erweitert) Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers) Module54000Name=PrintIPP @@ -773,10 +773,10 @@ Permission401=Rabatte einsehen Permission402=Rabatte erstellen/bearbeiten Permission403=Rabatte freigeben Permission404=Rabatte löschen -Permission501=Read employee contracts/salaries +Permission501=Mitarbeiter Verträge und Löhne einlesen Permission502=Create/modify employee contracts/salaries -Permission511=Read payment of salaries -Permission512=Create/modify payment of salaries +Permission511=Lohnzahlungen einlesen +Permission512=Lohnzahlungen erstellen/bearbeiten Permission514=Löhne löschen Permission517=Löhne exportieren Permission520=Darlehen einsehen @@ -890,7 +890,7 @@ DictionaryStaff=Mitarbeiter DictionaryAvailability=Lieferverzug DictionaryOrderMethods=Bestellmethoden DictionarySource=Quelle der Angebote/Aufträge -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Kontenplan Modul DictionaryAccountancyJournal=Buchhaltungsjournale DictionaryEMailTemplates=Textvorlagen für E-Mails @@ -898,12 +898,13 @@ DictionaryUnits=Einheiten DictionaryProspectStatus=Geschäftsanbahnungsarten DictionaryHolidayTypes=Urlaubsarten DictionaryOpportunityStatus=Verkaufschancen für Projekt/Lead -DictionaryExpenseTaxCat=Expense report - Transportation categories +DictionaryExpenseTaxCat=Spesenbericht - Mobilität DictionaryExpenseTaxRange=Expense report - Range by transportation category 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 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. @@ -1083,7 +1084,7 @@ RestoreDesc2=Wiederherstellung der Archivdatei des Dokumentenverzeichnis (zum Be RestoreDesc3=* Die Datenbanksicherung aus dem Dump in eine neue Dolibarr-Installation oder das bestehende System (%s) zurückspielen. Achtung: Nach Beendigung dieses Vorganges müssen Sie sich mit dem Benutzernamen/Passwort-Paar zum Zeitpunkt der Sicherung am System anmelden. Zur Wiederherstellung der Datenbank steht Ihnen der folgende Assistent zur Verfügung: RestoreMySQL=MySQL Import ForcedToByAModule= Diese Regel wird %s durch ein aktiviertes Modul aufgezwungen -PreviousDumpFiles=Generated database backup files +PreviousDumpFiles=Datenbanksicherung in Dateien erstellt WeekStartOnDay=Wochenstart RunningUpdateProcessMayBeRequired=Eine Systemaktualisierung scheint erforderlich (Programmversion %s unterscheidet sich von Datenbankversion %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Diesen Befehl müssen Sie auf der Kommandozeile (nach Login auf der Shell mit Benutzer %s) ausführen. @@ -1096,9 +1097,9 @@ TranslationUncomplete=Teilweise Übersetzung MAIN_DISABLE_METEO=Deaktivere Wetteransicht MeteoStdMod=Standart Modus MeteoStdModEnabled=Standardmodus aktiviert -MeteoPercentageMod=Percentage mode -MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s +MeteoPercentageMod=Prozentmodus +MeteoPercentageModEnabled=Prozentmodus aktiviert +MeteoUseMod=Ancklicken um %s zu verwenden TestLoginToAPI=Testen Sie sich anmelden, um API ProxyDesc=Einige Features von Dolibarr müssen einen Internet-Zugang zu Arbeit haben. Definieren Sie hier Parameter für diese. Wenn die Dolibarr Server hinter einem Proxy-Server, erzählt jene Parameter Dolibarr wie man Internet über ihn zugreifen. ExternalAccess=Externer Zugriff @@ -1110,7 +1111,7 @@ MAIN_PROXY_PASS=Kennwort ein, um den Proxy-Server verwenden DefineHereComplementaryAttributes=Definieren Sie hier alle Attribute, die nicht standardmäßig vorhanden sind, und in %s unterstützt werden sollen. ExtraFields=Ergänzende Attribute ExtraFieldsLines=Ergänzende Attribute (Zeilen) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsLinesRec=Zusätzliche Attribute (Rechnungsvorlage, Zeilen) ExtraFieldsSupplierOrdersLines=Ergänzende Attribute (in Bestellposition) ExtraFieldsSupplierInvoicesLines=Ergänzende Attribute (in Rechnungszeile) ExtraFieldsThirdParties=Ergänzende Attribute (Partner) @@ -1118,7 +1119,7 @@ ExtraFieldsContacts=Ergänzende Attribute (Kontakt) ExtraFieldsMember=Ergänzende Attribute (Mitglied) ExtraFieldsMemberType=Ergänzende Attribute (Mitglied) ExtraFieldsCustomerInvoices=Ergänzende Attribute (Rechnungen) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsCustomerInvoicesRec=Zusätzliche Attribute (Rechnungsvorlagen) ExtraFieldsSupplierOrders=Ergänzende Attribute (Bestellungen) ExtraFieldsSupplierInvoices=Ergänzende Attribute (Rechnungen) ExtraFieldsProject=Ergänzende Attribute (Projekte) @@ -1178,7 +1179,7 @@ HRMSetup=PV Modul Einstellungen ##### Company setup ##### CompanySetup=Unternehmenseinstellungen CompanyCodeChecker=Modul für Partner-Code-Erstellung (Kunden oder Lieferanten) -AccountCodeManager=Module for accounting code generation (customer or supplier) +AccountCodeManager=Modul zur Generierung der Buchhaltungskennzeichen (für Kunden und Lieferanten) NotificationsDesc=Die Funktion der E-Mail-Benachrichtigung erlaubt Ihnen den stillen und automatischen Versand von E-Mails zu einigen Dolibarr-Ereignissen. Folgende Ziele können definiert werden: NotificationsDescUser=* pro Benutzer, ein Benutzer pro mal NotificationsDescContact=* pro Partnerkontakte (Kunden oder Lieferanten), ein Kontakt pro mal @@ -1253,7 +1254,7 @@ MemberMainOptions=Haupteinstellungen AdherentLoginRequired= Verwalten Sie eine Anmeldung für jedes Mitglied AdherentMailRequired=Für das Anlegen eines neuen Mitglieds ist eine E-Mail-Adresse erforderlich MemberSendInformationByMailByDefault=Das Kontrollkästchen für den automatischen Mail-Bestätigungsversand an Mitglieder (bei Freigabe oder neuem Abonnement) ist standardmäßig aktiviert -VisitorCanChooseItsPaymentMode=Visitor can choose among available payment modes +VisitorCanChooseItsPaymentMode=Besucher können zwischen den verfügbaren Zahlungsarten wählen ##### LDAP setup ##### LDAPSetup=LDAP-Einstellungen LDAPGlobalParameters=Globale LDAP-Parameter @@ -1295,7 +1296,7 @@ LDAPDnContactActive=Kontaktesynchronisation LDAPDnContactActiveExample=Aktivierte/Deaktivierte Synchronisation LDAPDnMemberActive=Mitgliedersynchronisation LDAPDnMemberActiveExample=Aktivierte/Deaktivierte Synchronisation -LDAPDnMemberTypeActive=Members types' synchronization +LDAPDnMemberTypeActive=Mitgliedsarten Synchronisieren LDAPDnMemberTypeActiveExample=Aktivierte/Deaktivierte Synchronisation LDAPContactDn=Dolibarr Kontakte DN LDAPContactDnExample=Vollständige DN (zB: ou=users,dc=society,dc=com) @@ -1303,8 +1304,8 @@ LDAPMemberDn=Dolibarr Mitglieder DN LDAPMemberDnExample=Vollständige DN (zB: ou=members,dc=example,dc=com) LDAPMemberObjectClassList=Liste der objectClass LDAPMemberObjectClassListExample=Liste der objectClass-definierenden Eintragsattribute (z.B.: top,inetOrgPerson oder top,user für ActiveDirectory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=Dolibarr Mitgliedsarten DN +LDAPMemberTypepDnExample=Komplette DN (z.B.: ou=membertypes,dc=example,dc=com) LDAPMemberTypeObjectClassList=Liste der objectClass LDAPMemberTypeObjectClassListExample=Liste der objectClass-definierenden Eintragsattribute(z.B.: top, groupOfUniqueNames) LDAPUserObjectClassList=Liste der objectClass @@ -1318,7 +1319,7 @@ LDAPTestSynchroContact=Kontaktsynchronisation testen LDAPTestSynchroUser=Benutzersynchronisation testen LDAPTestSynchroGroup=Gruppensynchronisation testen LDAPTestSynchroMember=Mitgliedersynchronisation testen -LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSynchroMemberType=Mitgliedersynchronisation testen LDAPTestSearch= LDAP-Suche testen LDAPSynchroOK=Synchronisationstest erfolgreich LDAPSynchroKO=Synchronisationstest fehlgeschlagen @@ -1547,7 +1548,7 @@ Buy=Kaufen Sell=Verkaufen InvoiceDateUsed=Rechnungsdatum verwendet YourCompanyDoesNotUseVAT=Für Ihr Unternehmen wurde keine USt.-Verwendung definiert (Start->Einstellungen->Unternehmen/Stiftung), entsprechend stehen in der Konfiguration keine USt.-Optionen zur Verfügung. -AccountancyCode=Accounting Code +AccountancyCode=Kontierungs-Code AccountancyCodeSell=Verkaufskonto-Code AccountancyCodeBuy=Einkaufskonto-Code ##### Agenda ##### @@ -1653,9 +1654,9 @@ TypePaymentDesc=0:Kunden-Zahlungs-Typ, 1:Lieferanten-Zahlungs-Typ, 2:Sowohl Kund IncludePath=Include-Pfad (in Variable '%s' definiert) ExpenseReportsSetup=Einstellungen des Moduls Spesenabrechnung TemplatePDFExpenseReports=Dokumentvorlagen zur Erstellung einer Spesenabrechnung -ExpenseReportsIkSetup=Setup of module Expense Reports - Milles index +ExpenseReportsIkSetup=Einstellungen des Spesenmoduls - Meilenindex ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules -ExpenseReportNumberingModules=Expense reports numbering module +ExpenseReportNumberingModules=Nummerierung Spesenabrechnungen NoModueToManageStockIncrease=Kein Modul zur automatische Bestandserhöhung ist aktiviert. Lager Bestandserhöhung kann nur durch manuelle Eingabe erfolgen. YouMayFindNotificationsFeaturesIntoModuleNotification=Sie können Optionen für E-Mail-Benachrichtigungen von Aktivierung und Konfiguration des Moduls "Benachrichtigung" finden. ListOfNotificationsPerUser=Liste der Benachrichtigungen nach Benutzer* @@ -1712,8 +1713,8 @@ MailToSendSupplierOrder=Um Lieferantenbestellung zu schicken MailToSendSupplierInvoice=Um Lieferantenrechnung zu schicken MailToSendContract=um den Vertrag zu senden MailToThirdparty=Um E-Mail von Partner zu schicken -MailToMember=To send email from member page -MailToUser=To send email from user page +MailToMember=Email senden von Mitgliederseite +MailToUser=E-Mail von Benutzerseite aus senden ByDefaultInList=Standardanzeige als Listenansicht YouUseLastStableVersion=Sie verwenden die letzte stabile Version TitleExampleForMajorRelease=Beispielnachricht, die Sie nutzen können, um eine Hauptversion anzukündigen. Sie können diese auf Ihrer Website verwenden. @@ -1728,9 +1729,9 @@ SeeChangeLog=Siehe ChangeLog-Datei (nur Englisch) AllPublishers=Alle Verfasser UnknownPublishers=Verfasser unbekannt AddRemoveTabs=Reiter entfernen oder hinzufügen -AddDataTables=Add object tables -AddDictionaries=Add dictionaries tables -AddData=Add objects or dictionaries data +AddDataTables=Objekttabelle hinzufügen +AddDictionaries=Stammdatentabellen hinzufügen +AddData=Objekte oder Wörterbucheinträge hinzufügen AddBoxes=Boxen hinzufügen AddSheduledJobs=Geplante Aufgaben hinzufügen AddHooks=Hook anfügen @@ -1765,3 +1766,4 @@ ResourceSetup=Konfiguration des Modul Ressourcen UseSearchToSelectResource=Verwende ein Suchformular um eine Ressource zu wählen (eher als eine Dropdown-Liste) zu wählen. DisabledResourceLinkUser=Deaktivierter Ressource Link zu Benutzer DisabledResourceLinkContact=Deaktivierter Ressource Link zu Kontakt +ConfirmUnactivation=Modul zurücksetzen bestätigen diff --git a/htdocs/langs/de_DE/agenda.lang b/htdocs/langs/de_DE/agenda.lang index 0a5a6204b7270..a306be21f744c 100644 --- a/htdocs/langs/de_DE/agenda.lang +++ b/htdocs/langs/de_DE/agenda.lang @@ -12,7 +12,7 @@ Event=Ereignis Events=Ereignisse EventsNb=Anzahl der Ereignisse ListOfActions=Liste Ereignisse -EventReports=Event reports +EventReports=Ereignisbericht Location=Ort ToUserOfGroup=Für jeden Benutzer in der Gruppe EventOnFullDay=Ganztägig @@ -35,7 +35,7 @@ AgendaAutoActionDesc= Definieren sie hier Ereignisse für die Dolibarr automatis AgendaSetupOtherDesc= Diese Seite ermöglicht die Konfiguration anderer Parameter des Tagesordnungsmoduls. AgendaExtSitesDesc=Diese Seite erlaubt Ihnen externe Kalender zu konfigurieren. ActionsEvents=Veranstaltungen zur automatischen Übernahme in die Agenda -EventRemindersByEmailNotEnabled=Event reminders by email was not enabled into Agenda module setup. +EventRemindersByEmailNotEnabled=Aufgaben-/Terminerinnerungen via E-Mail sind in den Einstellungen des Agendomoduls nicht aktiviert. ##### Agenda event labels ##### NewCompanyToDolibarr=Partner %s erstellt ContractValidatedInDolibarr=Vertrag %s freigegeben @@ -67,7 +67,7 @@ OrderApprovedInDolibarr=Bestellen %s genehmigt OrderRefusedInDolibarr=Bestellung %s abgelehnt OrderBackToDraftInDolibarr=Bestellen %s zurück nach Draft-Status ProposalSentByEMail=Angebot %s per E-Mail versendet -ContractSentByEMail=Contract %s sent by EMail +ContractSentByEMail=Vertrag %s via E-Mail gesendet OrderSentByEMail=Kundenauftrag %s per E-Mail versendet InvoiceSentByEMail=Kundenrechnung %s per E-Mail versendet SupplierOrderSentByEMail=Lieferantenbestellung %s per E-Mail versendet @@ -81,11 +81,11 @@ InvoiceDeleted=Rechnung gelöscht PRODUCT_CREATEInDolibarr=Produkt %s erstellt PRODUCT_MODIFYInDolibarr=Produkt %s aktualisiert PRODUCT_DELETEInDolibarr=Produkt %s gelöscht -EXPENSE_REPORT_CREATEInDolibarr=Expense report %s created +EXPENSE_REPORT_CREATEInDolibarr=Spesenabrechnung %s erstellt EXPENSE_REPORT_VALIDATEInDolibarr=Ausgabenbericht %s validiert -EXPENSE_REPORT_APPROVEInDolibarr=Expense report %s approved -EXPENSE_REPORT_DELETEInDolibarr=Expense report %s deleted -EXPENSE_REPORT_REFUSEDInDolibarr=Expense report %s refused +EXPENSE_REPORT_APPROVEInDolibarr=Spesenabrechnung %s genehmigt +EXPENSE_REPORT_DELETEInDolibarr=Spesenabrechnung %s gelöscht +EXPENSE_REPORT_REFUSEDInDolibarr=Spesenabrechnung %s abgelehnt PROJECT_CREATEInDolibarr=Projekt %s erstellt PROJECT_MODIFYInDolibarr=Projekt %s geändert PROJECT_DELETEInDolibarr=Projekt %s gelöscht @@ -95,8 +95,8 @@ DateActionStart=Beginnt DateActionEnd=Endet AgendaUrlOptions1=Sie können die Ausgabe über folgende Parameter filtern: AgendaUrlOptions3=logina=%s begrenzt die Ausgabe auf den Benutzer %s erstellte Ereignissen. -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). +AgendaUrlOptionsNotAdmin=logina=!%s begrenzt die Ausgabe auf dem Benutzer %s nicht als Eigentümer zugewiesene Aktionen. +AgendaUrlOptions4=logint=%s begrenzt die Ausgabe auf den Benutzer %s (Eigentümer und andere) zugewiesene Aktionen. AgendaUrlOptionsProject=project=PROJECT_ID begrenzt die Ausgabe auf die dem Projekte PROJECT_ID zugewiesene Ereignissen. AgendaShowBirthdayEvents=Geburtstage von Kontakten anzeigen AgendaHideBirthdayEvents=Geburtstage von Kontakten nicht anzeigen diff --git a/htdocs/langs/de_DE/banks.lang b/htdocs/langs/de_DE/banks.lang index 12d278172f169..83ec9fc5b699d 100644 --- a/htdocs/langs/de_DE/banks.lang +++ b/htdocs/langs/de_DE/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Nummer LineRecord=Transaktion AddBankRecord=Erstelle Transaktion AddBankRecordLong=Eintrag manuell hinzufügen +Conciliated=ausgelichen ConciliatedBy=Ausgeglichen durch DateConciliating=Ausgleichsdatum BankLineConciliated=Transaktion ausgeglichen @@ -159,4 +160,4 @@ VariousPayments=Sonstige Zahlungen ShowVariousPayment=Zeige sonstige Zahlungen AddVariousPayment=Sonstige Zahlung hinzufügen YourSEPAMandate=Ihr SEPA-Mandat -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 +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 diff --git a/htdocs/langs/de_DE/bills.lang b/htdocs/langs/de_DE/bills.lang index 56ef94cdd57a9..470d1a1892a18 100644 --- a/htdocs/langs/de_DE/bills.lang +++ b/htdocs/langs/de_DE/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unbezahlte Lieferantenrechnungen für %s BillsLate=Verspätete Zahlungen BillsStatistics=Statistik Kundenrechnungen BillsStatisticsSuppliers=Statistik Lieferantenrechnungen +DisabledBecauseDispatchedInBookkeeping=Deaktiviert da die Rechnung schon in die Buchhaltung übernommen wurde +DisabledBecauseNotLastInvoice=Deaktiviert da die Rechnung nicht gelöscht werden kann. Es wurden schon Rechnungen nach dieser Rechnung erstellt, so dass die Nummerierung nicht fortlaufend wäre. DisabledBecauseNotErasable=Deaktiviert, da löschen nicht möglich InvoiceStandard=Standardrechnung InvoiceStandardAsk=Standardrechnung @@ -156,7 +158,7 @@ NotARecurringInvoiceTemplate=keine Vorlage für wiederkehrende Rechnung NewBill=Neue Rechnung LastBills=Neueste %s Rechnungen LatestTemplateInvoices=Neueste %s Rechnungsvorlagen -LatestCustomerTemplateInvoices=Latest %s customer template invoices +LatestCustomerTemplateInvoices=Letzte %s Kundenrechnungsvorlage LatestSupplierTemplateInvoices=Neueste %s Lieferantenrechungs-Vorlagen LastCustomersBills=Neueste %s Kundenrechnungen LastSuppliersBills=Neueste %s Lieferantenrechnungen @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Möchten Sie diesen Sozialbeitrag wirklich als 'abgebr ConfirmClassifyPaidPartially=Möchten Sie die Rechnung %s wirklich als 'bezahlt' markieren? ConfirmClassifyPaidPartiallyQuestion=Diese Rechnung wurde noch nicht vollständig bezahlt. Warum möchten Sie diese Rechnung als erledigt bestätigen ? ConfirmClassifyPaidPartiallyReasonAvoir=Der offene Zahlbetrag ( %s %s) resultiert aus einem gewährten Skonto. Zur Korrektur der USt. wird eine Gutschrift angelegt. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Der offene Zahlbetrag ( %s %s) resultiert aus einem gewährten Skonto. Ich akzeptiere den Verlust der USt. aus diesem Rabatt. ConfirmClassifyPaidPartiallyReasonDiscountVat=Der offene Zahlbetrag ( %s %s) resultiert aus einem gewährten Skonto. Die Mehrwertsteuer aus diesem Rabatt wird ohne Gutschrift wieder hergestellt. ConfirmClassifyPaidPartiallyReasonBadCustomer=schlechter Zahler @@ -331,15 +334,15 @@ ListOfNextSituationInvoices=Liste der nächsten Fortschrittsrechnungen FrequencyPer_d=alle %s Tage FrequencyPer_m=Alle %s Monate FrequencyPer_y=Alle %s Jahre -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=Wiederholungseinheit +toolTipFrequency=Beispiel:
7 Tage: erstellt alle 7 Tage eine neue Rechnung
3 Monate: erstellt alle 3 Monate eine neue Rechnung NextDateToExecution=Datum der nächsten Rechnungserstellung -NextDateToExecutionShort=Date next gen. +NextDateToExecutionShort=Datum nächste Generierung DateLastGeneration=Datum der letzten Generierung -DateLastGenerationShort=Date latest gen. +DateLastGenerationShort=Datum letzte Generierung MaxPeriodNumber=max. Anzahl an Rechnungen NbOfGenerationDone=Anzahl bisher erstellter Rechnungen -NbOfGenerationDoneShort=Nb of generation done +NbOfGenerationDoneShort=Anzahl Generierungen erledigt MaxGenerationReached=Max. Anzahl Rechnungsgenerierungen erreicht InvoiceAutoValidate=Rechnungen automatisch freigeben GeneratedFromRecurringInvoice=Erstelle wiederkehrende Rechnung %s aus Vorlage @@ -514,6 +517,6 @@ DeleteRepeatableInvoice=Rechnungs-Template löschen ConfirmDeleteRepeatableInvoice=Möchten Sie diese Rechnungsvorlage wirklich löschen? CreateOneBillByThird=Erstelle eine Rechnung pro Partner (andernfalls, eine Rechnung pro Bestellung) BillCreated=%s Rechnung(en) erstellt -StatusOfGeneratedDocuments=Status of document generation +StatusOfGeneratedDocuments=Status der Dokumentenerstellung DoNotGenerateDoc=Dokumentdatei nicht erstellen -AutogenerateDoc=Auto generate document file +AutogenerateDoc=Dokumentdatei automatisch erstellen diff --git a/htdocs/langs/de_DE/commercial.lang b/htdocs/langs/de_DE/commercial.lang index ecd2c19916d7c..ac3736bc0fcb8 100644 --- a/htdocs/langs/de_DE/commercial.lang +++ b/htdocs/langs/de_DE/commercial.lang @@ -66,14 +66,14 @@ ActionAC_OTH=Sonstiges ActionAC_OTH_AUTO=Automatisch eingefügte Ereignisse ActionAC_MANUAL=Manuell eingefügte Ereignisse ActionAC_AUTO=Automatisch eingefügte Ereignisse -ActionAC_OTH_AUTOShort=Auto +ActionAC_OTH_AUTOShort=Automatisch Stats=Verkaufsstatistik StatusProsp=Lead Status DraftPropals=Entworfene Angebote NoLimit=Kein 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 +ToOfferALinkForOnlineSignature=Link zur Onlinesignatur +WelcomeOnOnlineSignaturePage=Wilkommen auf der Seite um die Angebote von %s zu akzeptieren +ThisScreenAllowsYouToSignDocFrom=Auf dieser Seite können Angebote akzeptiert und unterschreiben oder ablehnt werden +ThisIsInformationOnDocumentToSign=Information zum Dokument zum Akzeptieren oder Ablehnen +SignatureProposalRef=Unterschrift des Angebotes %s +FeatureOnlineSignDisabled=Onlineunterschrift ist deaktiviert oder das Dokument wurde erstellt, bevor dieses Funktion aktiviert wurde diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang index 0997f457dc59e..0296aaaf512bf 100644 --- a/htdocs/langs/de_DE/compta.lang +++ b/htdocs/langs/de_DE/compta.lang @@ -18,12 +18,13 @@ Accountsparent=Übergeordnete Konten Income=Einnahmen Outcome=Ausgaben MenuReportInOut=Ergebnis / Geschäftsjahr -ReportInOut=Balance of income and expenses +ReportInOut=Übersicht Aufwand/Ertrag ReportTurnover=Umsatz PaymentsNotLinkedToInvoice=Zahlungen mit keiner Rechnung und damit auch keinem Partner verbunden PaymentsNotLinkedToUser=Zahlungen mit keinem Benutzer verbunden Profit=Gewinn AccountingResult=Buchhaltungsergebnis +BalanceBefore=Balance (before) Balance=Saldo Debit=Soll Credit=Haben @@ -31,34 +32,34 @@ Piece=Beleg AmountHTVATRealReceived=Einnahmen (netto) AmountHTVATRealPaid=Ausgaben (netto) VATToPay=MwSt. Verkäufe - USt. -VATReceived=Tax received -VATToCollect=Tax purchases -VATSummary=Tax Balance +VATReceived=USt. Verkäufe +VATToCollect=USt. Einkäufe +VATSummary=USt. Saldo VATPaid=Bezahlte USt. -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary +LT1Summary=Steuer 2 Zusammenfassung +LT2Summary=Steuer 3 Zusammenfassung LT1SummaryES=Saldo RE LT2SummaryES=EKSt. Saldo -LT1SummaryIN=CGST Balance -LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid +LT1SummaryIN=CGST Total +LT2SummaryIN=SGST Total +LT1Paid=Steuer 2 bezahlt +LT2Paid=Steuer 3 bezahlt LT1PaidES=RE Zahlungen LT2PaidES=EKSt. gezahlt -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases +LT1PaidIN=CGST bezahlt +LT2PaidIN=SGST Bezahlt +LT1Customer=Steuer 2 Verkauf +LT1Supplier=Steuer 2 Einkäufe LT1CustomerES=RE Verkäufe LT1SupplierES=RE Einkäufe -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases +LT1CustomerIN=CGST Verkäufe +LT1SupplierIN=CGST Einkäufe +LT2Customer=Steuer 3 Verkäufe +LT2Supplier=Steuer 3 Einkäufe LT2CustomerES=EKSt. Verkauf LT2SupplierES=EKSt. Einkauf -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases +LT2CustomerIN=SGST Verkäufe +LT2SupplierIN=SGST Einkäufe VATCollected=Erhobene USt. ToPay=Zu zahlen SpecialExpensesArea=Bereich für alle Sonderzahlungen @@ -107,8 +108,8 @@ 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=Customer accounting code -SupplierAccountancyCode=Supplier accounting code +CustomerAccountancyCode=Kontierungscode Kunde +SupplierAccountancyCode=Kontierungscode Lieferant CustomerAccountancyCodeShort=Buchh. Kunden-Konto SupplierAccountancyCodeShort=Buchh.-Lieferanten-Konto AccountNumber=Kontonummer @@ -136,7 +137,7 @@ 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 -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table +CalcModeBookkeeping=Analyse der journalisierten Daten im Hauptbuch CalcModeLT1= Modus %sRE auf Kundenrechnungen - Lieferantenrechnungen%s CalcModeLT1Debt=Modus %sRE auf Kundenrechnungen%s CalcModeLT1Rec= Modus %sRE auf Lieferantenrechnungen%s @@ -145,20 +146,20 @@ CalcModeLT2Debt=Modus %sIRPF auf Kundenrechnungen%s CalcModeLT2Rec= Modus %sIRPF auf Lieferantenrechnungen%s AnnualSummaryDueDebtMode=Saldo der Erträge und Aufwendungen, Jahresübersicht AnnualSummaryInputOutputMode=Saldo der Erträge und Aufwendungen, Jahresübersicht -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. +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=See report %sBookeeping%s for a calculation on bookkeeping table analysis +SeeReportInBookkeepingMode=Siehe Bericht %sHauptbuch%s für die Berechnung via Hauptbuch Analyse 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. RulesCADue=- es beinhaltet alle fälligen Kundenrechnungen, unabhängig von ihrem Zahlungsstatus.
- Es gilt das Freigabedatum der Rechnungen.
RulesCAIn=- Beinhaltet alle tatsächlich erfolgten Zahlungen von Kunden.
- Es gilt das Zahlungsdatum der Rechnungen.
-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 +RulesAmountOnInOutBookkeepingRecord=Beinhaltet Datensätze aus dem Hauptbuch mit den Gruppen "Aufwand" oder "Ertrag" +RulesResultBookkeepingPredefined=Beinhaltet Datensätze aus dem Hauptbuch mit den Gruppen "Aufwand" oder "Ertrag" +RulesResultBookkeepingPersonalized=Zeigt die Buchungen im Hauptbuch mit Konten gruppiert nach Kontengruppen SeePageForSetup=Siehe Menü %s für die Einrichtung DepositsAreNotIncluded=- Ohne Anzahlungsrechnungen DepositsAreIncluded=- Inklusive Anzahlungsrechnungen @@ -211,14 +212,14 @@ CalculationRuleDesc=Zur Berechnung der Gesamt-USt. gibt es zwei Methoden:
Me 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=Umsatz Bericht pro Produkt, bei der Verwendung einer Kassabuch Buchhaltung ist der Modus nicht relevant. Dieser Bericht ist nur bei Verwendung Buchführungsmodus Periodenrechnung (siehe Setup das Modul Buchhaltung). CalculationMode=Berechnungsmodus -AccountancyJournal=Accounting code journal +AccountancyJournal=Kontierungscode-Journal ACCOUNTING_VAT_SOLD_ACCOUNT=Standard Buchhaltungs-Konto für die Erhebung der MwSt. - Mehrwertsteuer auf den Umsatz (wird verwendet, wenn nicht bei der Konfiguration des MwSt-Wörterbuch definiert) ACCOUNTING_VAT_BUY_ACCOUNT=Standard Buchhaltungs-Konto für Vorsteuer - Ust bei Einkäufen (wird verwendet, wenn nicht unter Einstellungen->Stammdaten USt.-Sätze definiert) ACCOUNTING_VAT_PAY_ACCOUNT=Standard-Aufwandskonto, um MwSt zu bezahlen ACCOUNTING_ACCOUNT_CUSTOMER=Standard Buchhaltungskonto für Kunden/Debitoren (wenn nicht beim Partner definiert) -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=Buchhaltungskonten die auf der Partnerkarte definiert wurden werden für die Nebenbücher verwendet, für das Hauptbuch oder als Vorgabewert für Nebenbücher falls kein Buchhaltungskonto auf der Kunden-Partnerkarte definiert wurde ACCOUNTING_ACCOUNT_SUPPLIER=Standard Buchhaltungskonto für Lieferanten/Kreditoren (wenn nicht beim Lieferanten definiert) -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=Buchhaltungskonten die auf der Partnerkarte definiert wurden werden nur für die Nebenbücher verwendet. Dieses wird für das Hauptbuch oder als Vorgabewert für Nebenbücher falls kein Buchhaltungskonto auf der Lieferanten-Partnerkarte definiert wurde. CloneTax=Dupliziere Sozialabgabe/Steuersatz ConfirmCloneTax=Bestätigen Sie die Duplizierung der Steuer-/Sozialabgaben-Zahlung CloneTaxForNextMonth=Für nächsten Monat duplizieren @@ -234,4 +235,4 @@ ImportDataset_tax_vat=USt.-Zahlungen ErrorBankAccountNotFound=Fehler: Bankkonto nicht gefunden FiscalPeriod=Buchhaltungs Periode ListSocialContributionAssociatedProject=Liste der Sozialabgaben für dieses Projekt -DeleteFromCat=Remove from accounting group +DeleteFromCat=Aus Kontengruppe entfernen diff --git a/htdocs/langs/de_DE/contracts.lang b/htdocs/langs/de_DE/contracts.lang index dce1ed6004c0d..957c8c735cc32 100644 --- a/htdocs/langs/de_DE/contracts.lang +++ b/htdocs/langs/de_DE/contracts.lang @@ -31,11 +31,11 @@ NewContract=Neuer Vertrag NewContractSubscription=Neuer Vertrag/Abonnement AddContract=Vertrag erstellen DeleteAContract=Löschen eines Vertrages -ActivateAllOnContract=Activate all services +ActivateAllOnContract=Alle Dienstleistungen aktivieren CloseAContract=Schließen eines Vertrages ConfirmDeleteAContract=Möchten Sie diesen Vertrag und alle verbundenen Dienste wirklich löschen? ConfirmValidateContract=Möchten Sie diesen Vertrag wirklich unter dem Namen %s freigeben? -ConfirmActivateAllOnContract=This will open all services (not yet active). Are you sure you want to open all services? +ConfirmActivateAllOnContract=Dies wird alle Dienstleistungen aktivieren (Die noch nicht aktiv sind). Sollen wirklich alle Dienstleistungen aktiviert werden? ConfirmCloseContract=Die beendet alle Dienstleistungen (aktiv oder nicht). Wollen Sie diesen Vertrag deaktivieren ? ConfirmCloseService=Möchten Sie diesen Service wirklich mit Datum %s deaktivieren? ValidateAContract=Einen Vertrag freigeben @@ -68,7 +68,7 @@ BoardRunningServices=Abgelaufene, aktive Leistungen ServiceStatus=Leistungs-Status DraftContracts=Vertragsentwürfe CloseRefusedBecauseOneServiceActive=Schließen nicht möglich, es existieren noch aktive Leistungen -ActivateAllContracts=Activate all contract lines +ActivateAllContracts=Alle Vertragszeilen aktivieren CloseAllContracts=schließe alle Vertragsleistungen DeleteContractLine=Vertragsposition löschen ConfirmDeleteContractLine=Möchten Sie diese Position wirklich löschen? @@ -87,8 +87,8 @@ ContactNameAndSignature=Für %s, Name und Unterschrift OnlyLinesWithTypeServiceAreUsed=Nur die Zeile der Kategorie "Service" wird kopiert. CloneContract=Dupliziere Vertrag ConfirmCloneContract=Möchten Sie den Vertrag %s wirklich duplizieren? -LowerDateEndPlannedShort=Lower planned end date of active services -SendContractRef=Contract information __REF__ +LowerDateEndPlannedShort=Frühestes geplantes Enddatum der aktiven Dienstleistungen +SendContractRef=Vertragsinformationen __REF__ ##### Types de contacts ##### TypeContact_contrat_internal_SALESREPSIGN=Vertragsunterzeichnung durch Vertreter TypeContact_contrat_internal_SALESREPFOLL=Vertrag Nachbetreuung durch Vertreter diff --git a/htdocs/langs/de_DE/cron.lang b/htdocs/langs/de_DE/cron.lang index 6ce2d946b6331..79103b6c846ee 100644 --- a/htdocs/langs/de_DE/cron.lang +++ b/htdocs/langs/de_DE/cron.lang @@ -10,12 +10,12 @@ CronSetup= Jobverwaltungs-Konfiguration URLToLaunchCronJobs=URL zum Prüfen und Starten von speziellen Jobs OrToLaunchASpecificJob=Oder zum Prüfen und Starten von speziellen Jobs KeyForCronAccess=Sicherheitsschlüssel für URL zum Starten von Cronjobs -FileToLaunchCronJobs=Command line to check and launch qualified cron jobs +FileToLaunchCronJobs=Befehlszeile zum Überprüfen und Starten von qualifizierten Cron-Jobs CronExplainHowToRunUnix=In Unix-Umgebung sollten Sie die folgenden crontab-Eintrag verwenden, um die Befehlszeile alle 5 Minuten ausführen CronExplainHowToRunWin=In Microsoft(tm) Windows Umgebungen kannst Du die Aufgabenplanung benutzen um die Kommandozeile jede 5 Minuten aufzurufen CronMethodDoesNotExists=Klasse %s enthält keine Methode %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-Jobprofile sind in der Moduldeskriptordatei definiert. Wenn das Modul aktiviert ist, sind diese geladen und verfügbar, so dass Sie die Jobs über das Menü admin tools %s verwalten können. +CronJobProfiles=Liste vordefinierter Cron-Jobprofile # Menu EnabledAndDisabled=Aktiviert und Deaktiviert # Page list @@ -55,28 +55,28 @@ CronSaveSucess=Erfolgreich gespeichert CronNote=Kommentar CronFieldMandatory=Feld %s ist zwingend nötig CronErrEndDateStartDt=Enddatum kann nicht vor dem Startdatum liegen -StatusAtInstall=Status at module installation +StatusAtInstall=Status bei der Modulinstallation CronStatusActiveBtn=Aktivieren CronStatusInactiveBtn=Deaktivieren CronTaskInactive=Dieser Job ist deaktiviert CronId=ID CronClassFile=Dateiname mit Klasse -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 des Dolibarr-Modulverzeichnisses (funktioniert auch mit externem Dolibarr-Modul).
Um zum Beispiel die Fetch-Methode des Dolibarr-Produktobjekts /htdocs/product/class/product.class.php aufzurufen, ist der Wert für das Modul ein Produkt +CronClassFileHelp=Der relative Pfad und Dateiname, der geladen werden soll (Pfad ist relativ zum Webserver-Stammverzeichnis).
Um zum Beispiel die Fetch-Methode des Dolibarr-Produktobjekts htdocs / product / class / product.class.php aufzurufen, lautet der Wert für den Klassendateinamen: product / class / product.class.php +CronObjectHelp=Der Objektname, der geladen werden soll.
Um zum Beispiel die Fetch-Methode des Dolibarr-Produktobjekts /htdocs/product/class/product.class.php aufzurufen, lautet der Wert für den Klassendateinamen
Produkt +CronMethodHelp=Die zu startende Objektmethode.
Um zum Beispiel die Fetch-Methode des Dolibarr-Produktobjekts /htdocs/product/class/product.class.php aufzurufen, lautet der Wert für Methode: +CronArgsHelp=Das Methodenargument.
Um zum Beispiel die Methode fetch des Dolibarr Produkt Objektes /htdocs/product/class/product.class.php aufzurufen, ist der Input-Parameter-Wert 0, ProductRef CronCommandHelp=Die auszuführende System-Kommandozeile CronCreateJob=Erstelle neuen cronjob CronFrom=Von # Info # Common CronType=Job Typ -CronType_method=Call method of a PHP Class +CronType_method=Aufruf-Methode einer PHP-Klasse CronType_command=Shell-Befehl CronCannotLoadClass=Kann Klasse %s oder Object %s nicht laden UseMenuModuleToolsToAddCronJobs=Gehen Sie in Menü "Start - Module Hilfsprogramme - Geplante Aufträge" um geplante Aufträge zu sehen/bearbeiten. JobDisabled=Aufgabe deaktiviert MakeLocalDatabaseDumpShort=lokales Datenbankbackup -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, nb of backup files to keep +MakeLocalDatabaseDump=Erstelle einen lokalen Datenbankdump. Parameter sind: compression ('gz' or 'bz' or 'none'), Backupart ('mysql' oder 'pgsql'), 1, 'auto' oder Dateiname, Anzahl der Datensicherungen zum Aufbewahren WarningCronDelayed=Bitte beachten: Aus Leistungsgründen können Ihre Jobs um bis zu %s Stunden verzögert werden, unabhängig vom nächsten Ausführungstermin. diff --git a/htdocs/langs/de_DE/dict.lang b/htdocs/langs/de_DE/dict.lang index b38a00eb76a47..df67a2a544029 100644 --- a/htdocs/langs/de_DE/dict.lang +++ b/htdocs/langs/de_DE/dict.lang @@ -339,18 +339,18 @@ ExpAuto9CV=9 CV ExpAuto10CV=10 CV ExpAuto11CV=11 CV ExpAuto12CV=12 CV -ExpAuto3PCV=3 CV and more -ExpAuto4PCV=4 CV and more -ExpAuto5PCV=5 CV and more -ExpAuto6PCV=6 CV and more -ExpAuto7PCV=7 CV and more -ExpAuto8PCV=8 CV and more -ExpAuto9PCV=9 CV and more -ExpAuto10PCV=10 CV and more -ExpAuto11PCV=11 CV and more -ExpAuto12PCV=12 CV and more -ExpAuto13PCV=13 CV and more -ExpCyclo=Capacity lower to 50cm3 -ExpMoto12CV=Motorbike 1 or 2 CV -ExpMoto345CV=Motorbike 3, 4 or 5 CV -ExpMoto5PCV=Motorbike 5 CV and more +ExpAuto3PCV=3 CV und mehr +ExpAuto4PCV=4 CV und mehr +ExpAuto5PCV=5 CV und mehr +ExpAuto6PCV=6 CV und mehr +ExpAuto7PCV=7 CV und mehr +ExpAuto8PCV=8 CV und mehr +ExpAuto9PCV=9 CV und mehr +ExpAuto10PCV=10 CV und mehr +ExpAuto11PCV=11 CV und mehr +ExpAuto12PCV=12 CV und mehr +ExpAuto13PCV=13 CV und mehr +ExpCyclo=Kapazität niedriger als 50cm3 +ExpMoto12CV=Motorrad 1 oder 2 CV +ExpMoto345CV=Motorrad 3, 4 oder 5 CV +ExpMoto5PCV=Motorrad 5 CV und mehr diff --git a/htdocs/langs/de_DE/donations.lang b/htdocs/langs/de_DE/donations.lang index 226f95da4d823..589ceb623280c 100644 --- a/htdocs/langs/de_DE/donations.lang +++ b/htdocs/langs/de_DE/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Zeige Artikel 200 des CGI, falls Sie betroffen sind DONATION_ART238=Zeige Artikel 238 des CGI, falls Sie betroffen sind DONATION_ART885=Zeige Artikel 885 des CGI, falls Sie betroffen sind DonationPayment=Spendenzahlung +DonationValidated=Donation %s validated diff --git a/htdocs/langs/de_DE/ecm.lang b/htdocs/langs/de_DE/ecm.lang index 6b6c9090683cd..ac9457995d34e 100644 --- a/htdocs/langs/de_DE/ecm.lang +++ b/htdocs/langs/de_DE/ecm.lang @@ -6,7 +6,7 @@ ECMSectionAuto=Automatischer Ordner ECMSectionsManual=manuelle Hierarchie ECMSectionsAuto=automatische Hierarchie ECMSections=Ordner -ECMRoot=ECM Root +ECMRoot=Stammordner ECMNewSection=Neuer Ordner ECMAddSection=Ordner hinzufügen ECMCreationDate=Erstellungsdatum @@ -18,7 +18,7 @@ ECMArea=EDM-Übersicht ECMAreaDesc=Die EDM (Elektronisches Dokumenten Management)-Übersicht erlaubt Ihnen das Speichern, Teilen und rasches Auffinden aller Dokumenten in Dolibarr. ECMAreaDesc2=* In den automatischen Verzeichnissen werden die vom System erzeugten Dokumente abgelegt.
* Die manuellen Verzeichnisse können Sie selbst verwalten und zusätzliche nicht direkt zuordenbare Dokument hinterlegen. ECMSectionWasRemoved=Ordner %s wurde gelöscht. -ECMSectionWasCreated=Directory %s has been created. +ECMSectionWasCreated=Verzeichnis %s wurde erstellt. ECMSearchByKeywords=Suche nach Stichwörtern ECMSearchByEntity=Suche nach Objekt ECMSectionOfDocuments=Dokumentenordnern @@ -42,9 +42,9 @@ ECMDirectoryForFiles=Relatives Verzeichnis für Dateien CannotRemoveDirectoryContainsFiles=Entfernen des Ordners nicht möglich, da dieser noch Dateien enthält ECMFileManager=Dateiverwaltung ECMSelectASection=Wähle einen Ordner aus der Baumansicht links ... -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 +DirNotSynchronizedSyncFirst=Dieses Verzeichnis scheint außerhalb des ECM Moduls erstellt oder verändert worden zu sein. Sie müssten auf den "Aktualisieren"-Button klicken, um den Inhalt der Festplatte mit der Datenbank zu synchronisieren. +ReSyncListOfDir=Liste der Verzeichnisse nochmals synchronisieren +HashOfFileContent=Hashwert der Datei +FileNotYetIndexedInDatabase=Datei noch nicht in Datenbank indiziert (Datei nochmals hochladen) +FileSharedViaALink=Datei via Link geteilt +NoDirectoriesFound=Keine Verzeichnisse gefunden diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang index ba54c2441912e..d2d22edaca862 100644 --- a/htdocs/langs/de_DE/errors.lang +++ b/htdocs/langs/de_DE/errors.lang @@ -75,7 +75,7 @@ ErrorCantSaveADoneUserWithZeroPercentage=Ereignisse können nicht mit Status "Ni ErrorRefAlreadyExists=Die Nr. für den Erstellungsvorgang ist bereits vergeben ErrorPleaseTypeBankTransactionReportName=Geben Sie den Kontoauszug an, in dem die Zahlung enthalten ist (Format JJJJMM oder JJJJMMTT) ErrorRecordHasChildren=Kann diesen Eintrag nicht löschen. Dieser Eintrag wird von mindestens einem untergeordneten Datensatz verwendet. -ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s +ErrorRecordHasAtLeastOneChildOfType=Objekt hat mindestens einen Untereintrag vom Typ %s ErrorRecordIsUsedCantDelete=Eintrag kann nicht gelöscht werden. Er wird bereits benutzt oder ist in einem anderen Objekt enthalten. ErrorModuleRequireJavascript=Diese Funktion erfordert aktiviertes JavaScript. Aktivieren/deaktivieren können Sie Javascript im Menü Start-> Einstellungen->Anzeige. ErrorPasswordsMustMatch=Die eingegebenen Passwörter müssen identisch sein. @@ -104,7 +104,7 @@ ErrorForbidden2=Die Zugriffsberechtigungen für diese Anmeldung kann Ihr Adminis ErrorForbidden3=Es scheint keine ordnungsgemäße Authentifizierung für das System vorzuliegen. Bitte werfen Sie einen Blick auf die Systemdokumentation um die entsprechenden Authentifizierungsoptionen zu verwalten (htaccess, mod_auth oder andere...) ErrorNoImagickReadimage=Imagick_readimage Funktion in dieser PHP-Version nicht vorhanden. Vorschaubilder sind nicht möglich. Administratoren können diese Registerkarte unter Einstellungen-Display ausblenden. ErrorRecordAlreadyExists=Datensatz bereits vorhanden -ErrorLabelAlreadyExists=This label already exists +ErrorLabelAlreadyExists=Dieses Label existiert schon ErrorCantReadFile=Fehler beim Lesen der Datei '%s' ErrorCantReadDir=Fehler beim Lesen des Verzeichnisses '%s' ErrorBadLoginPassword=Benutzername oder Passwort falsch @@ -155,11 +155,12 @@ ErrorPriceExpression19=Ausdruck nicht gefunden ErrorPriceExpression20=Leerer Ausdruck ErrorPriceExpression21=Leeres Ergebnis '%s' ErrorPriceExpression22=Negatives Ergebnis '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression23=Unbekannte oder nicht gesetzte Variable '%s' in %s +ErrorPriceExpression24=Variable '%s' existiert, hat aber keinen Wert ErrorPriceExpressionInternal=Interner Fehler '%s' ErrorPriceExpressionUnknown=Unbekannter Fehler '%s' ErrorSrcAndTargetWarehouseMustDiffers=Quelle und Ziel-Lager müssen unterschiedlich sein -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information +ErrorTryToMakeMoveOnProductRequiringBatchData=Fehler, Sie versuchen Sie eine Lagerbewegung ohne Chargen-/Seriennummer für Produkt '%s' zu machen, welches diese Information benötigt ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Alle erfassten Eingänge müssen zunächst überprüft werden (genehmigt oder abgelehnt), bevor es erlaubt ist diese Aktion auszuführen ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Alle gespeicherten Empfänge müssen erst überprüft werden (zugelassen), bevor es ihm gestattet ist diese Aktion zu tun ErrorGlobalVariableUpdater0=HTTP-Anforderung ist mit dem Fehler '%s' fehlgeschlagen @@ -197,15 +198,15 @@ ErrorDuplicateTrigger=Fehler, doppelter Triggername %s. Schon geladen durch %s. ErrorNoWarehouseDefined=Fehler, keine Warenlager definiert. ErrorBadLinkSourceSetButBadValueForRef=Der Link ist ungültig. Die Quelle für die Zahlung ist definiert, aber die Referenz ist ungültig. ErrorTooManyErrorsProcessStopped=Zu viele Fehler, Verarbeitung abgebrochen. -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. +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Massenfreigabe ist nicht Möglich, wenn die Option um den Lagerbestand zu Verändern eingeschaltet ist (Sie müssen jedes Dokument einzeln freigeben umd das Lager für die Lagerbewegung anzugeben) +ErrorObjectMustHaveStatusDraftToBeValidated=Objekt %s muss im Entwurfstatus sein um es zu bestätigen. +ErrorObjectMustHaveLinesToBeValidated=Objekt %s muss Zeilen haben damit es bestätigt werden kann. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Nur freigegebene Rechnungen können mittels der "Via E-Mail senden" Massenaktion versendet werden. +ErrorChooseBetweenFreeEntryOrPredefinedProduct=Sie müssen angeben ob der Artikel ein vordefiniertes Produkt ist oder nicht +ErrorDiscountLargerThanRemainToPaySplitItBefore=Der Rabatt den Sie anwenden wollen ist grösser als der verbleibende Rechnungsbetrag. Teilen Sie den Rabatt in zwei kleinere Rabatte auf. +ErrorFileNotFoundWithSharedLink=Datei nicht gefunden. Eventuell wurde der Sharekey verändert oder die Datei wurde gelöscht. +ErrorProductBarCodeAlreadyExists=Der Produktbarcode %sexistiert schon bei einer anderen Produktreferenz +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Das verwenden von virtuellen Produkten welche den Lagerbestand von Unterprodukten verändern ist nicht möglich, wenn ein Unterprodukt (Oder Unter-Unterprodukt) eine Seriennummer oder Chargennummer benötigt. # Warnings WarningPasswordSetWithNoAccount=Es wurde ein Passwort für dieses Mitglied vergeben, aber kein Benutzer erstellt. Das Passwort wird gespeichert, aber kann nicht für die Anmeldung an Dolibarr verwendet werden. Es kann von einem externen Modul/einer Schnittstelle verwendet werden, aber wenn Sie kein Login oder Passwort für dieses Mitglied definiert müssen, können Sie die Option "Login für jedes Mitglied verwalten" in den Mitgliedseinstellungen deaktivieren. Wenn Sie ein Login aber kein Passwort benötige, lassen Sie dieses Feld leer, um diese Meldung zu deaktivieren. Anmerkung: Die E-Mail-Adresse kann auch zur Anmeldung verwendet werden, wenn das Mitglied mit einem Benutzer verbunden wird. @@ -227,4 +228,4 @@ WarningTooManyDataPleaseUseMoreFilters=Zu viele Ergebnisse (mehr als %s Zeilen). WarningSomeLinesWithNullHourlyRate=Einige erfasste Zeiten wurden von Benutzern erfasst bei denen der Stundensatz undefiniert war. Ein Stundenansatz von 0 %s pro Stunde wurde verwendet, was eine fehlerhafte Zeitauswertungen zur Folge haben kann. WarningYourLoginWasModifiedPleaseLogin=Ihr Login wurde verändert. Aus Sicherheitsgründen müssen Sie sich vor der nächsten Aktion mit Ihrem neuen Login anmelden. WarningAnEntryAlreadyExistForTransKey=Eine Übersetzung für diesen Übersetzungsschlüssel existiert schon für diese Sprache -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the bulk actions on lists +WarningNumberOfRecipientIsRestrictedInMassAction=Achtung, die Anzahl unterschiedlicher Empfänger ist auf %s begrenzt, wenn sie Massenaktionen auf dieser Liste verwenden diff --git a/htdocs/langs/de_DE/holiday.lang b/htdocs/langs/de_DE/holiday.lang index 65e6e85deffca..cae372df3494e 100644 --- a/htdocs/langs/de_DE/holiday.lang +++ b/htdocs/langs/de_DE/holiday.lang @@ -79,8 +79,8 @@ HolidaysCancelation=Urlaubsantrag stornieren EmployeeLastname=Mitarbeiter Nachname EmployeeFirstname=Vorname des Mitarbeiters TypeWasDisabledOrRemoved=Abreise-Art (Nr %s) war deaktiviert oder entfernt -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests +LastHolidays=%sneuste Ferienanträge +AllHolidays=Allen Ferienanträge ## Configuration du Module ## LastUpdateCP=Letzte automatische Aktualisierung der Urlaubstage diff --git a/htdocs/langs/de_DE/install.lang b/htdocs/langs/de_DE/install.lang index 041531e7e5115..f1ea32417f1cd 100644 --- a/htdocs/langs/de_DE/install.lang +++ b/htdocs/langs/de_DE/install.lang @@ -56,7 +56,7 @@ CreateDatabase=Datenbank erstellen CreateUser=Erzeuge Besitzer oder erteile dem Benutzer Berechtigung für die Datenbank DatabaseSuperUserAccess=Datenbankserver - Superadministrator-Zugriff CheckToCreateDatabase=Aktivieren Sie dieses Kontrollkästchen, falls Sie noch keine Datenbank angelegt haben und diese im Zuge der Installation erstellt werden soll.
Hierfür müssen Sie Benutzername und Passwort des Datenbank-Superusers am Ende der Seite angeben. -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=Aktivieren Sie dieses Kontrollkästchen, falls Sie noch keinen Datenbankbenutzer angelegt haben und dieser im Zuge der Installation erstellt werden soll.
Hierfür müssen Sie Benutzername und Passwort des Datenbank-Superusers am Ende der Seite angeben. Wenn dies nicht angekreuzt ist, müssen Datenbankeigentümer und Passwort schon existieren. DatabaseRootLoginDescription=Anmeldedaten des Datenbank-Superusers zur Erstellung neuer Datenbanken und -benutzer. Sollten diese bereits existieren (z.B. weil Ihre Website bei einem Hosting-Provider liegt), ist diese Option nutzlos. KeepEmptyIfNoPassword=Leer lassen wenn der Benutzer kein Passwort hat (nicht empfohlen) SaveConfigurationFile=Konfigurationsdatei wird gespeichert @@ -139,8 +139,9 @@ KeepDefaultValuesDeb=Sie verwenden den Dolibarr-Installationsassistenten in eine KeepDefaultValuesMamp=Sie verwenden den DoliMamp-Installationsassistent, entsprechend werden hier bereits Werte vorgeschlagen. Bitte nehmen Sie nur Änderungen vor wenn Sie wissen was Sie tun. KeepDefaultValuesProxmox=Sie verwenden den Dolibarr Installationsassistenten einer Proxmox "virtual appliance". Die hier vorgeschlagenen Werte sind bereits optimiert. Bitte nehmen Sie nur Änderungen vor wenn Sie wissen was Sie tun. UpgradeExternalModule=Dedizierten Upgradeprozess für externe Module ausführen -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' +SetAtLeastOneOptionAsUrlParameter=Zumindest eine Option für die URL Argumente ist notwendig. z.B. '...repair.php?standard=confirmed' NothingToDelete=Nichts zu säubern / zu löschen +NothingToDo=Keine Aufgaben zum erledigen ######### # upgrade MigrationFixData=Denormalisierte Daten bereinigen @@ -192,10 +193,11 @@ MigrationActioncommElement=Aktualisiere die Termine/Aufgaben MigrationPaymentMode=Migration der Daten für die Zahlungsart MigrationCategorieAssociation=Migration von Kategorien MigrationEvents=Ereignisse migrierern, um den Besitzer des Ereignisses der Zuordnungstabelle hinzuzufügen -MigrationEventsContact=Migration of events to add event contact into assignement table +MigrationEventsContact=Migration der Ereignisse um die Kontaktinformationen in die Zuweisungstabelle hinzuzufügen MigrationRemiseEntity=Aktualisieren Sie den Wert des Feld "entity" der Tabelle "llx_societe_remise" MigrationRemiseExceptEntity=Aktualisieren Sie den Wert des Feld "entity" der Tabelle "llx_societe_remise_except" MigrationReloadModule=Neu Laden von Modul %s +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. diff --git a/htdocs/langs/de_DE/interventions.lang b/htdocs/langs/de_DE/interventions.lang index 6a5ca41939a3c..c2fc9d029a900 100644 --- a/htdocs/langs/de_DE/interventions.lang +++ b/htdocs/langs/de_DE/interventions.lang @@ -47,12 +47,12 @@ TypeContact_fichinter_external_CUSTOMER=Kundenkontakt-Nachbetreuung PrintProductsOnFichinter=Auch Produktzeilen (Nicht nur Leistungen) auf der Serviceauftragskarte drucken PrintProductsOnFichinterDetails=Serviceaufträge durch Bestellungen generiert UseServicesDurationOnFichinter=Standard-Wert der Dauer für diesen Service aus dem Auftrag übernehmen -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records +UseDurationOnFichinter=Feld 'Dauer' für Einsatzeinträge nicht anzeigen +UseDateWithoutHourOnFichinter=Stunden und Minutenfelder beim Datum von Einsatzeinträgen nicht anzeigen InterventionStatistics=Statistik Serviceaufträge NbOfinterventions=Anzahl Karten für Serviceaufträge NumberOfInterventionsByMonth=Anzahl Karten für Serviceaufträge pro Monat (Freigabedatum) -AmountOfInteventionNotIncludedByDefault=Amount of intervention is not included by default into profit (in most cases, timesheets are used to count time spent). Add option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT to 1 into home-setup-other to include them. +AmountOfInteventionNotIncludedByDefault=Die Anzahl an Einsätzen ist normalerweise nicht im Umsatz enthalten. (In den meisten Fällen werden sie Einsatzstunden separat erfasst) Setzen Sie die globale Option PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT auf 1 damit diese berücksichtigt werden. ##### Exports ##### InterId=Serviceauftrag ID InterRef=Serviceauftrag Ref. diff --git a/htdocs/langs/de_DE/languages.lang b/htdocs/langs/de_DE/languages.lang index 8191cbf7eb48d..a4e0de0c9e83a 100644 --- a/htdocs/langs/de_DE/languages.lang +++ b/htdocs/langs/de_DE/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanisch (Paraguay) Language_es_PE=Spanisch (Peru) Language_es_PR=Spanisch (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanisch (Venezuela) Language_et_EE=Estnisch Language_eu_ES=Baskisch diff --git a/htdocs/langs/de_DE/ldap.lang b/htdocs/langs/de_DE/ldap.lang index 0c5ccaf79fda9..9c9768e0c7bcf 100644 --- a/htdocs/langs/de_DE/ldap.lang +++ b/htdocs/langs/de_DE/ldap.lang @@ -6,7 +6,7 @@ LDAPInformationsForThisContact=Informationen in der LDAP-Datenbank für diesen K LDAPInformationsForThisUser=Informationen in der LDAP-Datenbank für diesen Benutzer LDAPInformationsForThisGroup=Informationen in der LDAP-Datenbank für diese Gruppe LDAPInformationsForThisMember=Informationen in der LDAP-Datenbank für dieses Mitglied -LDAPInformationsForThisMemberType=Information in LDAP database for this member type +LDAPInformationsForThisMemberType=Information in der LDAP Datenbank für diese Mitgliedsart LDAPAttributes=LDAP-Attribute LDAPCard=LDAP - Karte LDAPRecordNotFound=LDAP-Datenbankeintrag nicht gefunden @@ -21,7 +21,7 @@ LDAPFieldSkypeExample=Beispiel: Skype-Name UserSynchronized=Benutzer synchronisiert GroupSynchronized=Gruppe synchronisiert MemberSynchronized=Mitglied synchronisiert -MemberTypeSynchronized=Member type synchronized +MemberTypeSynchronized=Mitgliedsart synchronisiert ContactSynchronized=Kontakt synchronisiert ForceSynchronize=Erzwinge Synchronisation Dolibarr -> LDAP ErrorFailedToReadLDAP=Fehler beim Lesen der LDAP-Datenbank. Überprüfen Sie die Verfügbarkeit der Datenbank sowie die entsprechenden Moduleinstellungen. diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang index e257a0e907e47..6e662d8f3977c 100644 --- a/htdocs/langs/de_DE/mails.lang +++ b/htdocs/langs/de_DE/mails.lang @@ -69,11 +69,11 @@ ActivateCheckReadKey=Schlüssel um die URL für "Lesebestätigung" und "Abmelden EMailSentToNRecipients=E-Mail versandt an %s Empfänger. EMailSentForNElements=%s e-Mails verschickt XTargetsAdded=%s Empfänger der Liste zugefügt -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=Wenn das PDF Dokument schon erstellt wurde, wird es als Anhang versendet. Falls nicht, wird kein E-Mail versendet. (Es werden nur PDF Dokumente für den Massenversand in dieser Version verwendet). +AllRecipientSelected=Die Empfänger der %sDatensätze selektiert (Wenn eine E-Mailadresse hinterlegt ist) +GroupEmails=Gruppenmails +OneEmailPerRecipient=Ein E-Mail pro Empfänger (Standardmässig, ein E-Mail pro Datensatz ausgewählt) +WarningIfYouCheckOneRecipientPerEmail=Achtung: Wenn diese Checkbox angekreuzt ist, wird nur eine E-Mail für mehrere Datensätze versendet. Falls Sie Variablen verwenden die sich auf den Datensatz beziehen, werden diese Variablen nicht ersetzt). ResultOfMailSending=Sende-Ergebnis der E-Mail-Kampagne NbSelected=Anz. gewählte NbIgnored=Anz. ignoriert @@ -159,7 +159,7 @@ NoContactWithCategoryFound=Kein Kontakt/Adresse mit einer Kategorie gefunden NoContactLinkedToThirdpartieWithCategoryFound=Kein Kontakt/Adresse mit einer Kategorie gefunden OutGoingEmailSetup=eMail Postausgang Einstellungen InGoingEmailSetup=eMail Posteingang Einstellungen -OutGoingEmailSetupForEmailing=Outgoing email setup (for mass emailing) +OutGoingEmailSetupForEmailing=Einstellung ausgehende E-Mails (für den Massenversand) DefaultOutgoingEmailSetup=Standardeinstellungen für ausgehende E-Mails Information=Information diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang index 902133f780b4a..18a94b8ad3da0 100644 --- a/htdocs/langs/de_DE/main.lang +++ b/htdocs/langs/de_DE/main.lang @@ -104,7 +104,7 @@ RequestLastAccessInError=Letzter Fehlerhafter Datenbankzugriff ReturnCodeLastAccessInError=Rückgabewert des letzten fehlerhaften Datenbankzugriff InformationLastAccessInError=Information zum letzten fehlerhaften Datenbankzugriff DolibarrHasDetectedError=Das System hat einen technischen Fehler festgestellt -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. +YouCanSetOptionDolibarrMainProdToZero=Sie können die Protokolldatei lesen oder die Option $dolibarr_main_prod in Ihrer Konfigurationsdatei auf '0' setzen, um weitere Informationen zu erhalten. InformationToHelpDiagnose=Diese Informationen können bei der Fehlersuche hilfreich sein (Hinweise können entfernt werden indem $dolibarr_main_prod auf '1' gesetzt wird) MoreInformation=Weitere Informationen TechnicalInformation=Technische Information @@ -131,8 +131,8 @@ Never=Nie Under=Unter Period=Zeitraum PeriodEndDate=Enddatum für Zeitraum -SelectedPeriod=Selected period -PreviousPeriod=Previous period +SelectedPeriod=Ausgewählter Zeitraum +PreviousPeriod=Vorherige Periode Activate=Aktivieren Activated=Aktiviert Closed=Geschlossen @@ -201,7 +201,7 @@ Parameter=Parameter Parameters=Parameter Value=Wert PersonalValue=Persönlicher Wert -NewObject=New %s +NewObject=Neu %s NewValue=Neuer Wert CurrentValue=Aktueller Wert Code=Code @@ -266,10 +266,10 @@ DateApprove2=Genehmigungsdatum (zweite Genehmigung) RegistrationDate=Registrierungsdatum UserCreation=Erzeugungs-Benutzer UserModification=Aktualisierungs-Benutzer -UserValidation=Validation user +UserValidation=Gültigkeitsprüfung Benutzer UserCreationShort=Erzeuger UserModificationShort=Aktualisierer -UserValidationShort=Valid. user +UserValidationShort=Gültiger Benutzer DurationYear=Jahr DurationMonth=Monat DurationWeek=Woche @@ -311,8 +311,8 @@ KiloBytes=Kilobyte MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabyte -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Benutzer der Erstellung +UserModif=Benutzer des letzten Updates b=b. Kb=Kb Mb=Mb @@ -365,13 +365,13 @@ Totalforthispage=Gesamtbetrag dieser Seite TotalTTC=Bruttosumme TotalTTCToYourCredit=\nGesamtbetrag (inkl. USt.) zu ihren Gunsten TotalVAT=USt. gesamt -TotalVATIN=Total IGST +TotalVATIN=Gesamt IGST TotalLT1=USt. gesamt 2 TotalLT2=USt. gesamt 3 TotalLT1ES=Summe RE TotalLT2ES=Summe IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST +TotalLT1IN=Gesamt CGST +TotalLT2IN=Gesamt SGST HT=Netto TTC=Brutto INCVATONLY=Inkl. USt. @@ -379,11 +379,11 @@ INCT=Inkl. aller Steuern VAT=USt. VATIN=IGST VATs=Mehrwertsteuern -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATINs=IGST Steuern +LT1=Umsatzsteuer 2 +LT1Type=Umsatzsteuer 2 Typ +LT2=Mehrwertsteuer 3 +LT2Type=Umsatzsteuer 3 Typ LT1ES=RE LT2ES=EKSt. LT1IN=CGST @@ -425,7 +425,7 @@ ContactsAddressesForCompany=Ansprechpartner / Adressen zu diesem Partner AddressesForCompany=Anschriften zu diesem Partner ActionsOnCompany=Ereignisse zu diesem Partner ActionsOnMember=Aktionen zu diesem Mitglied -ActionsOnProduct=Events about this product +ActionsOnProduct=Ereignisse zu diesem Produkt NActionsLate=%s verspätet RequestAlreadyDone=Anfrage bereits bekannt Filter=Filter @@ -548,8 +548,20 @@ MonthShort09=Sep MonthShort10=Okt MonthShort11=Nov MonthShort12=Dez +MonthVeryShort01=J +MonthVeryShort02=Fr +MonthVeryShort03=Mo +MonthVeryShort04=A +MonthVeryShort05=Mo +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=So +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Angehängte Dateien und Dokumente -JoinMainDoc=Join main document +JoinMainDoc=Hauptdokument verbinden DateFormatYYYYMM=MM-YYYY DateFormatYYYYMMDD=DD-MM-YYYY DateFormatYYYYMMDDHHMM=DD-MM-YYYY HH:SS @@ -679,7 +691,7 @@ Notes=Hinweise AddNewLine=Neue Zeile hinzufügen AddFile=Datei hinzufügen FreeZone=Freier Text -FreeLineOfType=Not a predefined entry of type +FreeLineOfType=Kein vordefinierter Eintrag vom Typ CloneMainAttributes=Objekt mit Haupteigenschaften duplizieren PDFMerge=PDFs verbinden Merge=Verbinden @@ -762,7 +774,7 @@ SetBankAccount=Bankkonto angeben AccountCurrency=Kontowährung ViewPrivateNote=Zeige Hinweise XMoreLines=%s Zeile(n) versteckt -ShowMoreLines=Zeige weitere Zeilen +ShowMoreLines=Mehr/weniger Zeilen anzeigen PublicUrl=Öffentliche URL AddBox=Box anfügen SelectElementAndClick=Element auswählen und %s anklicken @@ -773,7 +785,7 @@ ShowContract=Zeige Vertrag GoIntoSetupToChangeLogo=Gehen Sie zu Start - Einstellungen - Firma/Stiftung um das Logo zu ändern oder gehen Sie in Start -> Einstellungen -> Anzeige um es zu verstecken. Deny=ablehnen Denied=abgelehnt -ListOf=List of %s +ListOf=Liste von %s ListOfTemplates=Liste der Vorlagen Gender=Geschlecht Genderman=männlich @@ -790,7 +802,7 @@ TooManyRecordForMassAction=Zu viele Datensätze für Massenaktion ausgewählt. S NoRecordSelected=Kein Datensatz ausgewählt MassFilesArea=Bereich für Dateien aus Massenaktionen ShowTempMassFilesArea=Bereich für Dateien aus Massenaktionen zeigen -ConfirmMassDeletion=Bulk delete confirmation +ConfirmMassDeletion=MassenLöschbestätigung ConfirmMassDeletionQuestion=Möchten Sie den/die %s ausgewählten Datensatz wirklich löschen? RelatedObjects=Verknüpfte Objekte ClassifyBilled=Als verrechnet markieren @@ -811,18 +823,18 @@ ViewFlatList=Listenansicht zeigen RemoveString=Entfernen Sie die Zeichenfolge '%s' SomeTranslationAreUncomplete=Einige Sprachen sind nur teilweise übersetzt oder enthalten Fehler. Wenn Sie dies feststellen, können Sie die Übersetzungen unter http://transifex.com/projects/p/dolibarr/ \nverbessern bzw. ergänzen. DirectDownloadLink=Direkter Download Link -DirectDownloadInternalLink=Direct download link (need to be logged and need permissions) +DirectDownloadInternalLink=Direkter Download-Link (muss angemeldet sein und benötigt Berechtigungen) Download=Download DownloadDocument=Dokument herunterladen ActualizeCurrency=Update-Wechselkurs Fiscalyear=Fiskalisches Jahr -ModuleBuilder=Module Builder +ModuleBuilder=Modul-Generator SetMultiCurrencyCode=Währung festlegen BulkActions=Massenaktionen ClickToShowHelp=Klicken um die Tooltiphilfe anzuzeigen WebSite=Webseite WebSites=Internetseiten -WebSiteAccounts=Web site accounts +WebSiteAccounts=Website-Konten ExpenseReport=Spesenabrechnung ExpenseReports=Spesenabrechnungen HR=Personalabteilung @@ -830,10 +842,10 @@ HRAndBank=HR und Bank AutomaticallyCalculated=Automatisch berechnet TitleSetToDraft=Zurück zu Entwurf gehen ConfirmSetToDraft=Wirklich zurück zum Entwurfstatus gehen? -ImportId=Import id +ImportId=Import ID Events=Ereignisse EMailTemplates=Textvorlagen für E-Mails -FileNotShared=File not shared to exernal public +FileNotShared=Datei nicht öffentlich zugänglich Project=Projekt Projects=Projekte Rights=Berechtigungen @@ -873,7 +885,7 @@ Select2NotFound=Kein Ergebnis gefunden Select2Enter=Enter Select2MoreCharacter=oder mehr Zeichen Select2MoreCharacters=oder mehr Zeichen -Select2MoreCharactersMore=Search syntax:
| OR (a|b)
* Any character (a*b)
^ Start with (^ab)
$ End with (ab$)
+Select2MoreCharactersMore=1 Select2LoadingMoreResults=Weitere Ergebnisse werden geladen ... Select2SearchInProgress=Suche läuft ... SearchIntoThirdparties=Partner @@ -896,7 +908,9 @@ SearchIntoExpenseReports=Spesenabrechnungen SearchIntoLeaves=Urlaube CommentLink=Kommentare NbComments=Anzahl der Kommentare -CommentPage=Comments space +CommentPage=Kommentare Leerzeichen CommentAdded=Kommentar hinzugefügt CommentDeleted=Kommentar gelöscht Everybody=Jeder +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/de_DE/members.lang b/htdocs/langs/de_DE/members.lang index ea1006a6de2d0..b3caf8578a3fd 100644 --- a/htdocs/langs/de_DE/members.lang +++ b/htdocs/langs/de_DE/members.lang @@ -57,11 +57,11 @@ NewCotisation=Neuer Beitrag PaymentSubscription=Neue Beitragszahlung SubscriptionEndDate=Abonnement Ablaufdatum MembersTypeSetup=Mitgliedsarten einrichten -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=Mitgliedstyp geändert +DeleteAMemberType=Löschen Sie einen Mitgliedstyp +ConfirmDeleteMemberType=Möchten Sie diesen Mitgliedstyp wirklich löschen? +MemberTypeDeleted=Mitgliedstyp gelöscht +MemberTypeCanNotBeDeleted=Mitgliedstyp kann nicht gelöscht werden NewSubscription=Neues Abonnement NewSubscriptionDesc=In diesem Formular können Sie Ihr Abonnement als neues Mitglied der Stiftung angeben. Wenn Sie Ihr Abonnement erneuern (falls Sie Mitglied sind) wollen, kontaktieren Sie bitte den Stiftungsrat per E-Mail %s. Subscription=Abonnement @@ -92,9 +92,9 @@ ValidateMember=Mitglied freigeben ConfirmValidateMember=Möchten Sie dieses Mitglied wirklich aktivieren? FollowingLinksArePublic=Die folgenden Links sind öffentlich zugängliche Seiten und als solche nicht durch die Dolibarr-Zugriffskontrolle geschützt. Es handelt sich dabei zudem um unformatierte Seiten, die beispielsweise eine Liste aller in der Datenbank eingetragenen Mitglieder anzeigen. PublicMemberList=Liste öffentlicher Mitglieder -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 +BlankSubscriptionForm=Öffentliches Selbstabonnement +BlankSubscriptionFormDesc=Dolibarr kann Ihnen eine öffentliche URL / Website zur Verfügung stellen, die es externen Besuchern erlaubt, die Stiftung zu abonnieren. Wenn ein Online-Zahlungsmodul aktiviert ist, kann auch automatisch ein Zahlungsformular bereitgestellt werden. +EnablePublicSubscriptionForm=Aktivieren Sie die öffentliche Website mit dem Formular für das Selbstabonnement ForceMemberType=Mitgliedsart erzwingen ExportDataset_member_1=Mitglieder und Abonnements ImportDataset_member_1=Mitglieder @@ -168,8 +168,8 @@ TurnoverOrBudget=Umsatz (für eine Firma) oder Budget (für eine Stiftung) DefaultAmount=Standardbetrag für ein Abonnement CanEditAmount=Besucher können die Höhe auswählen oder ändern für den Beitrag MEMBER_NEWFORM_PAYONLINE=Gehen Sie zu integrierten Bezahlseite -ByProperties=By nature -MembersStatisticsByProperties=Members statistics by nature +ByProperties=Natürlich +MembersStatisticsByProperties=Natürliche Mitgliederstatistiken MembersByNature=Dieser Bildschirm zeigt ihre Statistiken über ihre Mitgliedschaft. MembersByRegion=Dieser Bildschirm zeigt Ihnen Statistiken über Mitglieder nach Regionen. VATToUseForSubscriptions=Mehrwertsteuersatz für Mitgliedschaften diff --git a/htdocs/langs/de_DE/multicurrency.lang b/htdocs/langs/de_DE/multicurrency.lang index 5b432c22e1209..1e8d7b67a1c24 100644 --- a/htdocs/langs/de_DE/multicurrency.lang +++ b/htdocs/langs/de_DE/multicurrency.lang @@ -4,17 +4,17 @@ ErrorAddRateFail=Fehler in hinzugefügtem Währungskurs ErrorAddCurrencyFail=Fehler in hinzugefügter Währung ErrorDeleteCurrencyFail=Fehler, konnte Daten nicht löschen multicurrency_syncronize_error=Synchronisationsfehler: %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_USE_RATE_ON_DOCUMENT_DATE=Dokumentendatum zum Ermitteln des Währungskurs verwenden, sonst wird der aktuelle Währungskurs verwendet. +multicurrency_useOriginTx=Wenn ein Objekt anhand eines anderen Erstellt wird, den Währungskurs des Originals beibehalten (Ansonsten wird der aktuelle Währungskurs verwendet) CurrencyLayerAccount=Währungslayer 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=Erstellen Sie ein Konto auf ihrer Webseite um die Funktionalität
nutzen zu können.
Erhalten sie ihren API key
Bei Gratisaccounts kann die Währungsquelle nicht verändert werden (USD Standard)
Wenn ihre Basiswährung nicht USD ist, kann die Alternative Währungsquelle zum übersteuern der Hauptwährung verwendet werden
Sie sind auf 1000 Synchronisationen pro Monat begrenzt multicurrency_appId=API key multicurrency_appCurrencySource=Währungsquelle -multicurrency_alternateCurrencySource=Alternate currency source +multicurrency_alternateCurrencySource=Alternative Währungsquelle CurrenciesUsed=Verwendete Währungen CurrenciesUsed_help_to_add=Währungen und Währungskurse erfassen, die Sie für Angebote, Bestellungen, etc. benötigen rate=Währungskurs MulticurrencyReceived=Erhalten, Originalwährung MulticurrencyRemainderToTake=Verbleibender Betrag, Originalwährung MulticurrencyPaymentAmount=Zahlungsbetrag, Originalwährung -AmountToOthercurrency=Amount To (in currency of receiving account) +AmountToOthercurrency=Betrag (In der Währung des Empfängers) diff --git a/htdocs/langs/de_DE/opensurvey.lang b/htdocs/langs/de_DE/opensurvey.lang index 3434bcf15e1a4..3ae1d6b6d5e17 100644 --- a/htdocs/langs/de_DE/opensurvey.lang +++ b/htdocs/langs/de_DE/opensurvey.lang @@ -57,4 +57,4 @@ ErrorInsertingComment=Beim Eintragen Ihres Kommentars ist ein Fehler aufgetreten MoreChoices=Geben Sie weitere Wahlmöglichkeiten ein SurveyExpiredInfo=Die Umfrage ist geschlossen oder beendet. EmailSomeoneVoted=%s hat eine Zeile gefüllt. Sie können Ihre Umfrage unter dem Link finden: %s -ShowSurvey=Show survey +ShowSurvey=Umfrage anzeigen diff --git a/htdocs/langs/de_DE/orders.lang b/htdocs/langs/de_DE/orders.lang index 9444ef9208e7b..d2317355201be 100644 --- a/htdocs/langs/de_DE/orders.lang +++ b/htdocs/langs/de_DE/orders.lang @@ -152,7 +152,7 @@ OrderCreated=Ihre Bestellungen wurden erstellt OrderFail=Ein Fehler trat beim erstellen der Bestellungen auf CreateOrders=Erzeuge Bestellungen ToBillSeveralOrderSelectCustomer=Um eine Rechnung für verschiedene Bestellungen zu erstellen, klicken Sie erst auf Kunde und wählen Sie dann "%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. +OptionToSetOrderBilledNotEnabled=Option (Aus dem Workflow Modul) um die Bestellung als 'Verrechnet' zu markieren wenn die Rechnung freigegeben wurde ist deaktiviert, sie müssen den Status der Bestellung manuell auf 'Verrechnet' setzen. +IfValidateInvoiceIsNoOrderStayUnbilled=Wenn die Rechnungsprüfung "Nein" lautet, bleibt die Bestellung bis zur Validierung der Rechnung im Status 'Nicht ausgefüllt'. CloseReceivedSupplierOrdersAutomatically=Schließe die Bestellung nach „%s“ automatisch, wenn alle Produkte empfangen wurden. SetShippingMode=Setze die Versandart diff --git a/htdocs/langs/de_DE/other.lang b/htdocs/langs/de_DE/other.lang index 2bf33a2e20e4a..2fb9537d51db9 100644 --- a/htdocs/langs/de_DE/other.lang +++ b/htdocs/langs/de_DE/other.lang @@ -3,7 +3,7 @@ SecurityCode=Sicherheitsschlüssel NumberingShort=Nr. Tools=Hilfsprogramme TMenuTools=Hilfsprogramme -ToolsDesc=All miscellaneous tools not included in other menu entries are collected here.

All the tools can be reached in the left menu. +ToolsDesc=Alle sonstigen Hilfsprogramme, die nicht in anderen Menü-Einträgen enthalten sind, werden hier zusammengefasst.

Alle Hilfsprogramme können über das linke Menü erreicht werden. Birthday=Geburtstag BirthdayDate=Geburtstag DateToBirth=Geburtsdatum @@ -11,23 +11,23 @@ BirthdayAlertOn=Geburtstagserinnerung EIN BirthdayAlertOff=Geburtstagserinnerung AUS TransKey=Übersetzung des Schlüssels TransKey MonthOfInvoice=Monat (1-12) des Rechnungsdatum -TextMonthOfInvoice=Month (text) of invoice date +TextMonthOfInvoice=Monat (Text) des Rechnungsdatums PreviousMonthOfInvoice=Vorangehender Monat (1-12) des Rechnungsdatums TextPreviousMonthOfInvoice=Vorangehender Monat (Text) des Rechnungsdatums NextMonthOfInvoice=Folgender Monat (1-12) des Rechnungsdatums TextNextMonthOfInvoice=Folgender Monat (1-12) des Rechnungsdatum ZipFileGeneratedInto=ZIP-Datei erstellt in %s. -DocFileGeneratedInto=Doc file generated into %s. -JumpToLogin=Disconnected. Go to login page... -MessageForm=Message on online payment form +DocFileGeneratedInto=Doc Datei in %s generiert. +JumpToLogin=Abgemeldet. Zur Anmeldeseite... +MessageForm=Mitteilung im Onlinezahlungsformular MessageOK=Nachrichtenseite für bestätigte Zahlung MessageKO=Nachrichtenseite für stornierte Zahlung YearOfInvoice=Jahr der Rechnung PreviousYearOfInvoice=Vorangehendes Jahr des Rechnungsdatums NextYearOfInvoice=Folgendes Jahr des Rechnungsdatums -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) +DateNextInvoiceBeforeGen=Datum der nächsten Rechnung (Vor Generierung) +DateNextInvoiceAfterGen=Datum der nächsten Rechnung (Nach Generierung) Notify_FICHINTER_ADD_CONTACT=Kontakt zum Serviceauftrag hinzufügen Notify_FICHINTER_VALIDATE=Serviceauftrag freigegeben @@ -76,17 +76,17 @@ MaxSize=Maximalgröße AttachANewFile=Neue Datei/Dokument anhängen LinkedObject=Verknüpftes Objekt NbOfActiveNotifications= Anzahl Benachrichtigungen ( Anz. E-Mail Empfänger) -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\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\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nYou will find here the commercial proposal __PREF__\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__ +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\nAnbei erhalten Sie die Rechnung __REF__\n\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nBedauerlicherweise ist die Rechnung __REF__ bislang unbeglichen. Zur Erinnerung übersenden wir Ihnen diese nochmals als Anhang.\n\n__ONLINE_PAYMENT_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Hello)__\n\nBitte entnehmen Sie dem Anhang unser Angebot __PREF__\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__ +PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nBitte entnehmen Sie dem Anhang unsere Bestellung __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nAnbei erhalten Sie die Rechnung __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(Hello)__\n\nAls Anlage erhalten Sie unsere Lieferung __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +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__ 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. @@ -162,9 +162,9 @@ SizeUnitinch=Zoll SizeUnitfoot=Fuß SizeUnitpoint=Punkt BugTracker=Fehlerverfolgung (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=Sie können sich ein neues Passwort zusenden lassen
Die Änderungen an Ihrem Passwort werden erst wirksam, wenn Sie auf den im Mail enthaltenen Bestätigungslink klicken.
Überprüfen Sie den Posteingang Ihrer E-Mail-Anwendung. BackToLoginPage=Zurück zur Anmeldeseite -AuthenticationDoesNotAllowSendNewPassword=Authentication mode is %s.
In this mode, Dolibarr can't know nor change your password.
Contact your system administrator if you want to change your password. +AuthenticationDoesNotAllowSendNewPassword=Im derzeit gewählten Authentifizierungsmodus (%s) kann das System nicht auf Ihre Passwortdaten zugreifen und diese auch nicht ändern.
Wenden Sie sich hierzu bitte an den Systemadministrator wenn die das Passwort ändern möchten. EnableGDLibraryDesc=Installiere oder aktiviere die GD Bibliothek in der PHP Installtion um dieses Option zu verwenden. ProfIdShortDesc=Prof ID %s dient zur Speicherung landesabhängiger Partnerdaten.
Für das Land %s ist dies beispielsweise Code %s. DolibarrDemo=Dolibarr ERP/CRM-Demo @@ -186,7 +186,7 @@ EMailTextInterventionAddedContact=Ein neuer Serviceauftrag %s wurde Ihnen zugewi EMailTextInterventionValidated=Serviceauftrag %s wurde freigegeben EMailTextInvoiceValidated=Rechnung %s wurde freigegeben EMailTextProposalValidated=Angebot %s wurde freigegeben -EMailTextProposalClosedSigned=The proposal %s has been closed signed. +EMailTextProposalClosedSigned=Das Angebot %s wurde unterschrieben. EMailTextOrderValidated=Bestellung %s wurde freigegeben EMailTextOrderApproved=Bestellung %s genehmigt EMailTextOrderValidatedBy=Der Auftrag %s wurde von %s freigegeben. @@ -214,7 +214,7 @@ StartUpload=Hochladen starten CancelUpload=Hochladen abbrechen FileIsTooBig=Dateien sind zu groß PleaseBePatient=Bitte haben Sie ein wenig Geduld ... -ResetPassword=Reset password +ResetPassword=Kennwort zurücksetzen RequestToResetPasswordReceived=Eine Anfrage zur Änderung Ihres Dolibarr Passworts traf ein. NewKeyIs=Dies sind Ihre neuen Anmeldedaten NewKeyWillBe=Ihr neuer Anmeldeschlüssel für die Software ist @@ -224,7 +224,9 @@ ForgetIfNothing=Wenn Sie diese Änderung nicht beantragt haben, löschen Sie ein IfAmountHigherThan=Wenn der Betrag höher als %s SourcesRepository=Repository für Quellcodes Chart=Grafik -PassEncoding=Password encoding +PassEncoding=Kennwort Encoding +PermissionsAdd=Berechtigungen hinzugefügt +PermissionsDelete=Berechtigungen entfernt ##### Export ##### ExportsArea=Exportübersicht diff --git a/htdocs/langs/de_DE/productbatch.lang b/htdocs/langs/de_DE/productbatch.lang index f2d0840530bba..da4d945c45bff 100644 --- a/htdocs/langs/de_DE/productbatch.lang +++ b/htdocs/langs/de_DE/productbatch.lang @@ -21,4 +21,4 @@ ProductDoesNotUseBatchSerial=Dieses Produkt verwendet keine Lose oder Seriennumm ProductLotSetup=Verwaltung von Modul Charge / Seriennummern ShowCurrentStockOfLot=Warenbestand anzeigen für Produkt/Charge ShowLogOfMovementIfLot=Zeige Bewegungen für Produkt/Chargen -StockDetailPerBatch=Stock detail per lot +StockDetailPerBatch=Lagerdetail pro Los diff --git a/htdocs/langs/de_DE/products.lang b/htdocs/langs/de_DE/products.lang index 18306fc64ad8f..bfaaa218ebf96 100644 --- a/htdocs/langs/de_DE/products.lang +++ b/htdocs/langs/de_DE/products.lang @@ -22,8 +22,8 @@ MassBarcodeInit=Initialisierung Barcodes MassBarcodeInitDesc=Hier können Objekte mit einem Barcode initialisiert werden, die noch keinen haben. Stellen Sie vor Benutzung sicher, dass die Einstellungen des Barcode-Moduls vollständig sind! ProductAccountancyBuyCode=Rechnungscode (Einkauf) ProductAccountancySellCode=Buchhaltungscode (Verkauf) -ProductAccountancySellIntraCode=Accounting code (sale intra-community) -ProductAccountancySellExportCode=Accounting code (sale export) +ProductAccountancySellIntraCode=Kontierungscode (Verkauf Firmen) +ProductAccountancySellExportCode=Kontierungscode (Verkauf Export) ProductOrService=Produkt oder Leistung ProductsAndServices=Produkte und Leistungen ProductsOrServices=Produkte oder Leistungen @@ -153,7 +153,7 @@ BuyingPrices=Einkaufspreis CustomerPrices=Kundenpreise SuppliersPrices=Lieferantenpreise SuppliersPricesOfProductsOrServices=Lieferantenpreise (von Produkten oder Leistungen) -CustomCode=Customs/Commodity/HS code +CustomCode=Customs/Commodity/HS Kode CountryOrigin=Urspungsland Nature=Art ShortLabel=Kurzbezeichnung @@ -196,13 +196,14 @@ CurrentProductPrice=Aktueller Preis AlwaysUseNewPrice=Immer aktuellen Preis von Produkt/Leistung nutzen AlwaysUseFixedPrice=Festen Preis nutzen PriceByQuantity=Unterschiedliche Preise nach Menge +DisablePriceByQty=Preise nach Menge ausschalten PriceByQuantityRange=Bereich der Menge MultipriceRules=Regeln der Preisstufen UseMultipriceRules=Verwende Preissegmentregeln (Im Produkt Modul Setup definiert) um automatisch Preise für alle anderen Segmente anhand des ersten Segmentes zu berechnen PercentVariationOver=%% Veränderung über %s PercentDiscountOver=%% Nachlass über %s KeepEmptyForAutoCalculation=Leer lassen um den Wert basierend auf Gewicht oder Volumen der Produkte automatisch zu berechnen -VariantRefExample=Example: COL +VariantRefExample=Beispiel: COL VariantLabelExample=Beispiel: Farbe ### composition fabrication Build=Produzieren diff --git a/htdocs/langs/de_DE/projects.lang b/htdocs/langs/de_DE/projects.lang index 71c108475205c..1f4abd6946f1b 100644 --- a/htdocs/langs/de_DE/projects.lang +++ b/htdocs/langs/de_DE/projects.lang @@ -171,13 +171,13 @@ ProjectMustBeValidatedFirst=Projekt muss erst bestätigt werden FirstAddRessourceToAllocateTime=Benutzer eine Ressource pro Aufgabe zuordnen, um eine Zeitspanne einzuräumen InputPerDay=Eingang pro Tag InputPerWeek=Eingang pro Woche -InputDetail=Input detail +InputDetail=Eingabedetail TimeAlreadyRecorded=Zeitaufwand für diese Aufgabe/Tag und Benutzer %s bereits aufgenommen ProjectsWithThisUserAsContact=Projekte mit diesem Anwender als Kontakt TasksWithThisUserAsContact=Aufgaben zugeordnet zu diesem Anwender ResourceNotAssignedToProject=Zugewiesen zu Projekt ResourceNotAssignedToTheTask=nicht der Aufgabe zugewiesen -TimeSpentBy=Time spent by +TimeSpentBy=Zeitaufwand durch TasksAssignedTo=Aufgabe zugewiesen an AssignTaskToMe=Aufgabe mir selbst zuweisen AssignTaskToUser=Aufgabe an %s zuweisen @@ -211,9 +211,12 @@ OppStatusPENDING=Anstehend OppStatusWON=Gewonnen 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=%s neueste Projekte LatestModifiedProjects=Neueste %s modifizierte Projekte -OtherFilteredTasks=Other filtered tasks +OtherFilteredTasks=Andere gefilterte Aufgaben +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects +AllowCommentOnTask=Alle Benutzerkommentare zur Aufgabe +AllowCommentOnProject=Benutzer dürfen Projekte kommentieren + diff --git a/htdocs/langs/de_DE/salaries.lang b/htdocs/langs/de_DE/salaries.lang index bcbdab8543dfc..6961691aee2fd 100644 --- a/htdocs/langs/de_DE/salaries.lang +++ b/htdocs/langs/de_DE/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=Standard Buchhaltungskonto für Benutzer Partner +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=Das in der Benutzerkarte hinterlegte Konto wird nur für die Nebenbücher verwendet. Dieses Konto wird für das Hauptbuch und als Vorgabewert für die Nebnbücher verwendet, wenn beim Benutzer kein Konto hinterlegt ist. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Standard Buchhaltungskonto für persönliche Aufwendungen Salary=Lohn Salaries=Löhne @@ -13,5 +13,5 @@ TJM=Durchschnittlicher Tagessatz CurrentSalary=aktueller Lohn THMDescription=Dieser Wert kann verwendet werden, um die Kosten für die verbrauchte Zeit eines Anwender zu berechnen, wenn das Modul Projektverwaltung verwendet wird, TJMDescription=Dieser Wert ist aktuell nur zu Informationszwecken und wird nicht für eine Berechnung verwendet -LastSalaries=Latest %s salary payments -AllSalaries=All salary payments +LastSalaries=Letzte %sLohnzahlungen +AllSalaries=Alle Lohnzahlungen diff --git a/htdocs/langs/de_DE/sendings.lang b/htdocs/langs/de_DE/sendings.lang index 550841ebd595e..ae2c2c25474a9 100644 --- a/htdocs/langs/de_DE/sendings.lang +++ b/htdocs/langs/de_DE/sendings.lang @@ -18,13 +18,13 @@ SendingCard=Lieferung - Karte NewSending=Neue Auslieferung CreateShipment=Auslieferung erstellen QtyShipped=Liefermenge -QtyShippedShort=Qty ship. +QtyShippedShort=Gelieferte Menge QtyPreparedOrShipped=Menge vorbereitet oder versendet QtyToShip=Versandmenge QtyReceived=Erhaltene Menge QtyInOtherShipments=Menge in anderen Lieferungen KeepToShip=Zum Versand behalten -KeepToShipShort=Remain +KeepToShipShort=übrigbleiben OtherSendingsForSameOrder=Weitere Lieferungen zu dieser Bestellung SendingsAndReceivingForSameOrder=Warenerhalt und Versand dieser Bestellung SendingsToValidate=Freizugebende Auslieferungen diff --git a/htdocs/langs/de_DE/sms.lang b/htdocs/langs/de_DE/sms.lang index ab8cf17e6b1f6..d0ac5b1e01374 100644 --- a/htdocs/langs/de_DE/sms.lang +++ b/htdocs/langs/de_DE/sms.lang @@ -48,4 +48,4 @@ SmsInfoNumero= (Format der Rufnummer: ++33899701761) DelayBeforeSending=Warten vor dem Senden (in Minuten) SmsNoPossibleSenderFound=Kein Sender verfügbar. Prüfen Sie die Einstellungen Ihres SMS Providers. SmsNoPossibleRecipientFound=Keine möglichen Empfänger gefunden. Prüfen Sie die Einstellungen Ihres SMS Anbieters. -DisableStopIfSupported=Disable STOP message (if supported) +DisableStopIfSupported=STOP-Meldung deaktivieren (falls unterstützt) diff --git a/htdocs/langs/de_DE/stocks.lang b/htdocs/langs/de_DE/stocks.lang index 2af37dee2960e..8d1021d4b706a 100644 --- a/htdocs/langs/de_DE/stocks.lang +++ b/htdocs/langs/de_DE/stocks.lang @@ -34,7 +34,7 @@ LastMovement=Letzte Bewegung LastMovements=Letzte Bewegungen Units=Einheiten Unit=Einheit -StockCorrection=Stock correction +StockCorrection=Lagerkorrektur CorrectStock=Lagerstandsanpassung StockTransfer=Lagerbewegung TransferStock=Bestand umbuchen @@ -50,7 +50,7 @@ EnhancedValue=Warenwert PMPValue=Gewichteter Warenwert PMPValueShort=DSWP EnhancedValueOfWarehouses=Lagerwert -UserWarehouseAutoCreate=Create a user warehouse automatically when creating a user +UserWarehouseAutoCreate=Automatisch ein Lager erstellen wenn ein neuer Benutzer erstellt wird AllowAddLimitStockByWarehouse=Ermöglicht es, Grenzwerte und erwünschten Lagerbestand pro Produkt+Warenlager zu definieren, anstelle nur pro Produkt IndependantSubProductStock=Produkt Lager und Unterprodukt Lager sind unabhängig QtyDispatched=Versandmenge @@ -131,7 +131,7 @@ StockMustBeEnoughForInvoice=Der Lagerbestand muss ausreichend sein um ein Produk StockMustBeEnoughForOrder=Der Lagerbestand muss ausreichend sein um ein Produkt/Dienstleistung zum Versand hinzuzufügen. (Die Prüfung erfolgt auf Basis des aktuellen realen Lagerbestandes, wenn eine Zeile zum Auftrag hinzugefügt wird, unabhängig von der Regel zur automatischen Veränderung des Lagerbestands.) StockMustBeEnoughForShipment= Der Lagerbestand muss ausreichend sein um ein Produkt/Dienstleistung zum Versand hinzuzufügen. (Die Prüfung erfolgt auf Basis des aktuellen realen Lagerbestandes, wenn eine Zeile zum Versand hinzugefügt wird, unabhängig von der Regel zur automatischen Veränderung des Lagerbestands.) MovementLabel=Titel der Lagerbewegung -DateMovement=Date of movement +DateMovement=Datum Lagerbewegung InventoryCode=Bewegungs- oder Bestandscode IsInPackage=In Paket enthalten WarehouseAllowNegativeTransfer=Bestand kann negativ sein diff --git a/htdocs/langs/de_DE/stripe.lang b/htdocs/langs/de_DE/stripe.lang index 827e93185f72d..1f238c537b4b5 100644 --- a/htdocs/langs/de_DE/stripe.lang +++ b/htdocs/langs/de_DE/stripe.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - stripe StripeSetup=Strip Moduleeinstellungen -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, ...) +StripeDesc=Modul zur Bereitstellung einer Online-Zahlungsseite für Zahlungen mit Kredit- / Debitkarten über Stripe . Dies kann verwendet werden, um Ihren Kunden eine kostenlose Zahlung oder eine Zahlung für ein bestimmtes Dolibarr-Objekt (Rechnung, Bestellung, ...) zu ermöglichen. StripeOrCBDoPayment=Zahlen mit Kreditkarte oder Stripe FollowingUrlAreAvailableToMakePayments=Für Kundenzahlungen stehen Ihnen die folgenden URLs zur Verfügung: PaymentForm=Zahlungsformular @@ -12,7 +12,7 @@ YourEMail=E-Mail-Adresse für die Zahlungsbestätigung STRIPE_PAYONLINE_SENDEMAIL=Status-E-Mail nach einer Zahlung (erfolgreich oder nicht) Creditor=Zahlungsempfänger PaymentCode=Zahlungscode -StripeDoPayment=Pay with Credit or Debit Card (Stripe) +StripeDoPayment=Bezahlen mit Kredit- oder Debitkarte (Stripe) YouWillBeRedirectedOnStripe=Zur Eingabe Ihrer Kreditkartendaten werden Sie auf die sichere Bezahlseite von Stripe weitergeleitet. Continue=Nächster ToOfferALinkForOnlinePayment=URL für %s Zahlung diff --git a/htdocs/langs/de_DE/suppliers.lang b/htdocs/langs/de_DE/suppliers.lang index 3510301423571..82acc05c0288b 100644 --- a/htdocs/langs/de_DE/suppliers.lang +++ b/htdocs/langs/de_DE/suppliers.lang @@ -43,5 +43,5 @@ NotTheGoodQualitySupplier=Ungültige Qualität ReputationForThisProduct=Reputation BuyerName=Käufer AllProductServicePrices=Alle Produkt/Leistung Preise -AllProductReferencesOfSupplier=All product / service references of supplier +AllProductReferencesOfSupplier=Alle Produkt- / Service-Referenzen des Lieferanten BuyingPriceNumShort=Lieferantenpreise diff --git a/htdocs/langs/de_DE/trips.lang b/htdocs/langs/de_DE/trips.lang index 24733634237ec..1faffe69958a3 100644 --- a/htdocs/langs/de_DE/trips.lang +++ b/htdocs/langs/de_DE/trips.lang @@ -1,17 +1,17 @@ # Dolibarr language file - Source file is en_US - trips ShowExpenseReport=Spesenabrechnung anzeigen Trips=Spesenabrechnungen -TripsAndExpenses=Reise- und Fahrtspesen +TripsAndExpenses=Spesenabrechnungen TripsAndExpensesStatistics=Reise- und Fahrtspesen Statistik TripCard=Reisekosten - Karte -AddTrip=Reisekostenabrechnung erstellen +AddTrip=Spesenabrechnung erstellen ListOfTrips=Aufstellung Spesenabrechnungen ListOfFees=Liste der Spesen TypeFees=Gebührenarten ShowTrip=Spesenabrechnung anzeigen NewTrip=neue Spesenabrechnung -LastExpenseReports=Latest %s expense reports -AllExpenseReports=All expense reports +LastExpenseReports=Letzte %s Spesenabrechnungen +AllExpenseReports=Alle Spesenabrechnungen CompanyVisited=Besuchter Partner FeesKilometersOrAmout=Spesenbetrag bzw. Kilometergeld DeleteTrip=Spesenabrechnung löschen @@ -62,16 +62,16 @@ EX_CAR=Car rental EX_DOC=Documentation EX_CUR=Customers receiving EX_OTR=Other receiving -EX_POS=Postage +EX_POS=Porto EX_CAM=CV maintenance and repair EX_EMM=Employees meal EX_GUM=Guests meal -EX_BRE=Breakfast +EX_BRE=Frühstück EX_FUE_VP=Fuel PV EX_TOL_VP=Toll PV EX_PAR_VP=Parking PV EX_CAM_VP=PV maintenance and repair -DefaultCategoryCar=Default transportation mode +DefaultCategoryCar=Standardmäßiges Verkehrsmittel DefaultRangeNumber=Default range number ErrorDoubleDeclaration=Sie haben bereits eine andere Spesenabrechnung in einem ähnlichen Datumsbereich erstellt. @@ -121,8 +121,8 @@ ExpenseReportRulesDesc=You can create or update any rules of calculation. This p expenseReportOffset=Wertsprung expenseReportCoef=Coefficient expenseReportTotalForFive=Example with d = 5 -expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %d +expenseReportRangeFromTo=von %d bis %d +expenseReportRangeMoreThan=mehr als %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 diff --git a/htdocs/langs/de_DE/website.lang b/htdocs/langs/de_DE/website.lang index 5a6af13b27651..8689c22eab61f 100644 --- a/htdocs/langs/de_DE/website.lang +++ b/htdocs/langs/de_DE/website.lang @@ -3,57 +3,64 @@ Shortname=Code WebsiteSetupDesc=Erstellen Sie hier für jede benötigte Website einen Eintrag. Gehen Sie anschließend in das Menü Websites zur Bearbeitung. DeleteWebsite=Website löschen ConfirmDeleteWebsite=Möchten Sie diese Website wirklich löschen? Alle Seiten inkl. Inhalt werden auch gelöscht. +WEBSITE_TYPE_CONTAINER=Art der Seite/Containers WEBSITE_PAGENAME=Seitenname/Alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL der externen CSS-Datei -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Web site .htaccess file -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. +WEBSITE_CSS_INLINE=CSS-Dateiinhalt (für alle Seiten gleich) +WEBSITE_JS_INLINE=Javascript-Dateiinhalt (für alle Seiten gleich) +WEBSITE_HTML_HEADER=Diesen Code am Schluss des HTML Headers anhängen (Für alle Seiten gleich) +WEBSITE_ROBOT=Roboterdatei (robots.txt) +WEBSITE_HTACCESS=Website .htaccess-Datei +HtmlHeaderPage=HTML Header (Nur für diese Seite) +PageNameAliasHelp=Name oder Alias der Seite.
Dieser Alias wird auch zum erstellen einer SEO URL verwendet, wenn die Webseite auf einem Virtuellen Webserver läuft. Verwenden Sie der Button "%s" um den Alias zu ändern. +EditTheWebSiteForACommonHeader=Hinweis: Um einen personalisierten Header für alles Seiten zu erstellen, muss der Header auf Site-Level bearbeitet werden, anstelle auf Seiten/Containerebene. MediaFiles=Medienbibliothek -EditCss=Edit Style/CSS or HTML header +EditCss=Bearbeiten Sie Style / CSS oder HTML-Header EditMenu=Menü bearbeiten -EditMedias=Edit medias +EditMedias=Medien bearbeiten EditPageMeta=Meta bearbeiten -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container -HomePage=Home Page -PageContainer=Page/container +AddWebsite=Website hinzufügen +Webpage=Webseite / Container +AddPage=Seite/Container hinzufügen +HomePage=Startseite +PageContainer=Seite / Container PreviewOfSiteNotYetAvailable=Vorschau ihrer Webseite %s noch nicht Verfügbar. Zuerst muss eine Seite hinzugefügt werden. -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=Die Seite mit id %s hat keinen Inhalt oder die Cachedatei .tpl.php wurde gelöscht. Editieren Sie den Inhalt der Seite um das Problem zu lösen. +PageContent=Seite / Container +PageDeleted=Seite / Container '%s' der Website %s gelöscht +PageAdded=Seite / Container '%s' hinzugefügt ViewSiteInNewTab=Webseite in neuen Tab anzeigen ViewPageInNewTab=Seite in neuem Tab anzeigen SetAsHomePage=Als Startseite festlegen RealURL=Echte URL ViewWebsiteInProduction=Anzeige der Webseite über die Startseite\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\n\nüber die URL der Homepage -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 direct web server access, and not only using Dolibarr server. +SetHereVirtualHost=Wenn Sie auf Ihrem Webserver einen dedizierten virtuellen Host mit dem Hauptverzeichnis %s und aktiviertem PHP einrichten können, geben Sie hier den virtuellen Host-Namen ein, so dass die Vorschau dann über den direkten Web-Server Zugriff funktioniert und nicht nur der Dolibarr Server benutzt werden kann. PreviewSiteServedByWebServer=Vorschau %s in neuem Tab.

%s wird durch einen externen Webserver (Wie Apache, Nginx, IIS) ausgeliefert. Dieser Server muss installiert sein. Verzeichnis
%s
als URL
%s durch den externen Webserver freigeben -PreviewSiteServedByDolibarr=Preview %s in a new tab.

The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
The inconvenient is that URL of pages are not user friendly and start with path of your Dolibarr.
URL served by Dolibarr:
%s

To use your own external web server to serve this web site, create a virtual host on your web server that point on directory
%s
then enter the name of this virtual server and click on the other preview button. -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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 -CloneSite=Clone site -SiteAdded=Web site added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create empty page from scratch... -FetchAndCreate=Fetch and Create -ExportSite=Export site -IDOfPage=Id of page -WebsiteAccount=Web site account -WebsiteAccounts=Web site accounts -AddWebsiteAccount=Create web site account -BackToListOfThirdParty=Back to list for Third Party +PreviewSiteServedByDolibarr=Vorschau %sin neuem Tab.

%swird durch den Dolibarr Server ausgeliefert, so dass kein zusätzlicher Webserver (Wie Apache, Nginx, IIS) notwendig ist.
Dadurch erhalten die Seiten URL's die nicht so Benutzerfreundlich sind und der Pfad beginnt mit ihrer Dolibarr Installation.
URL durch Dolibarr ausgeliefert:
%s

Um einen externen Webserver zu verwenden, muss ein Virtualhost auf Ihrem Webserver eingerichtet werden, welchers das Verzeichnis
%s
auf dem neuen virtuellen Server freigibt. Vorschau durch klick auf den anderen Vorschaubutton. +VirtualHostUrlNotDefined=URL des virtuellen Hosts, der von einem externen Webserver bedient wird, ist nicht definiert +NoPageYet=Noch keine Seiten +SyntaxHelp=Hilfe zu bestimmten Syntaxtipps +YouCanEditHtmlSourceckeditor=Sie können den HTML-Quellcode über die Schaltfläche "Quelle" im Editor bearbeiten. +YouCanEditHtmlSource=
Sie können hier PHP-Code einfügen, indem Sie die Tags <?php? > verwenden. Die folgenden globalen Variablen sind verfügbar: $conf, $langs, $db, $mysoc, $user, $website.

Sie können auch Inhalt einer anderen Seite / Container mit folgender Syntax einbinden:
<?php includeContainer ('alias_of_container_to_include'); ?>

Um einen Link zum Herunterladen eines im Dokumentenverzeichnis, verwenden Sie den document.php -Wrapper:
Beispiel, für eine Datei in Dokumente / ecm (muss protokolliert werden) lautet die Syntax:
<a href = "/document.php?modulefct=ecm&file=[relative_dir/]filename.ext" >
Für eine Datei in Dokumente / Medien (offenes Verzeichnis für den öffentlichen Zugriff) lautet die Syntax:
<a href = "/ document.php? modulepart = medias & file = [relative_dir /] filename.ext" >
Für eine Datei, die mit einem Share-Link geteilt wird (offener Zugriff mit dem Sharing-Hash-Schlüssel der Datei), ist die Syntax:
<a href = "/ dokument.php? hashp = publicsharekeyoffile" >

Für ein Bild gespeichert im Verzeichnis Dokumente , verwenden Sie den Wrapper viewimage.php .
Beispiel für ein Bild in Dokumente / Medien (Open Access), Syntax:
<a href = "/ viewimage.php? modulpart = medias&file = [relative_verz /] filename.ext" >
+ClonePage=Seite klonen +CloneSite=Seite klonen +SiteAdded=Website hinzugefügt +ConfirmClonePage=Bitte geben Sie den Code / Alias ​​einer neuen Seite ein und ob es sich um eine Übersetzung der geklonten Seite handelt. +PageIsANewTranslation=Die neue Seite ist eine Übersetzung der aktuellen Seite? +LanguageMustNotBeSameThanClonedPage=Sie klonen eine Seite als Übersetzung. Die Sprache der neuen Seite muss sich von der Sprache der Quellseite unterscheiden. +ParentPageId=ID der übergeordneten Seite +WebsiteId=Website-ID +CreateByFetchingExternalPage=Erstellen Sie eine Seite / einen Container, indem Sie die Seite von einer externen URL abrufen ... +OrEnterPageInfoManually=Oder leere Seite von Grund auf erstellen ... +FetchAndCreate=Abrufen und erstellen +ExportSite=Website exportieren +IDOfPage=ID der Seite +Banner=Banner +BlogPost=Blog Eintrag +WebsiteAccount=Website-Konto +WebsiteAccounts=Website-Konten +AddWebsiteAccount=Erstellen Sie ein Website-Konto +BackToListOfThirdParty=Zurück zur Liste für Drittanbieter +DisableSiteFirst=Webseite zuerst deaktivieren +MyContainerTitle=Titel der Webseite +AnotherContainer=Ein weiterer Container diff --git a/htdocs/langs/de_DE/withdrawals.lang b/htdocs/langs/de_DE/withdrawals.lang index 136ab2f22ee19..7e15f4b5c3cd9 100644 --- a/htdocs/langs/de_DE/withdrawals.lang +++ b/htdocs/langs/de_DE/withdrawals.lang @@ -20,7 +20,7 @@ WithdrawsRefused=Lastschrift-Einzug abgelehnt NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. ResponsibleUser=Verantwortlicher Benutzer WithdrawalsSetup=Einstellungen für Lastschriftaufträge -WithdrawStatistics=Direct debit payment statistics +WithdrawStatistics=Statistik Lastschriftzahlungen WithdrawRejectStatistics=Statistik abgelehnter Lastschriftzahlungen LastWithdrawalReceipt=Latest %s direct debit receipts MakeWithdrawRequest=Make a direct debit payment request diff --git a/htdocs/langs/el_GR/accountancy.lang b/htdocs/langs/el_GR/accountancy.lang index 9fcd1b44d0107..ba7d192701b28 100644 --- a/htdocs/langs/el_GR/accountancy.lang +++ b/htdocs/langs/el_GR/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Λίστα των λογιστικών λογαριασμών 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Πρότυπο εξαγωγής -OptionsDeactivatedForThisExportModel=Γι 'αυτό το μοντέλο εξαγωγών, οι επιλογές είναι απενεργοποιημένες Selectmodelcsv=Επιλέξτε ένα πρότυπο από την εξαγωγή Modelcsv_normal=Κλασική εξαγωγή Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang index 590cbe506f724..3bc21667a6104 100644 --- a/htdocs/langs/el_GR/admin.lang +++ b/htdocs/langs/el_GR/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Εισαγωγή RSS feed εντός των σελίδων του Module330Name=Σελιδοδείκτες Module330Desc=Διαχείριση σελιδοδεικτών Module400Name=Έργα/Ευκαιρίες/Leads -Module400Desc=Διαχείριση έργων, ευκαιρίες ή 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=Ημερολόγιο ιστού Module410Desc=Διεπαφή ημερολογίου ιστού Module500Name=Ειδικά έξοδα @@ -890,7 +890,7 @@ DictionaryStaff=Προσωπικό DictionaryAvailability=Καθυστέρηση παράδοσης DictionaryOrderMethods=Μέθοδος Παραγγελίας DictionarySource=Προέλευση των προτάσεων/παραγγελιών -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Μοντέλα λογιστικού σχεδίου DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Πρότυπα email @@ -904,6 +904,7 @@ SetupSaved=Οι ρυθμίσεις αποθηκεύτηκαν SetupNotSaved=Setup not saved BackToModuleList=Πίσω στη λίστα με τα modules BackToDictionaryList=Επιστροφή στη λίστα λεξικών +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/el_GR/banks.lang b/htdocs/langs/el_GR/banks.lang index 5152960952983..4429a22d8540a 100644 --- a/htdocs/langs/el_GR/banks.lang +++ b/htdocs/langs/el_GR/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Αριθμός LineRecord=Συναλλαγή AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Πραγματοποίηση Συναλλαγής από DateConciliating=Ημερομ. Πραγματοποίησης Συναλλαγής BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/el_GR/bills.lang b/htdocs/langs/el_GR/bills.lang index 7cc01cbda4607..2e22aa41acf92 100644 --- a/htdocs/langs/el_GR/bills.lang +++ b/htdocs/langs/el_GR/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Καθυστερημένες Πληρωμές BillsStatistics=Στατιστικά για τα τιμολόγια των πελατών BillsStatisticsSuppliers=Στατιστικά για τα τιμολόγια των προμηθευτών +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Απενεργοποιημένο επειδή δεν μπορεί να διαγραφή InvoiceStandard=Τυπικό Τιμολόγιο InvoiceStandardAsk=Τυπικό Τιμολόγιο @@ -176,6 +178,7 @@ 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=Παραμένουν απλήρωτα (%s %s) έχει μια έκπτωση που χορηγήθηκε επειδή η πληρωμή έγινε πριν από την περίοδο. Έχει τακτοποιηθεί το ΦΠΑ με πιστωτικό τιμολόγιο. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Παραμένουν απλήρωτα (%s %s) έχει μια έκπτωση που χορηγήθηκε επειδή η πληρωμή έγινε πριν από την περίοδο. Δέχομαι να χάσω το ΦΠΑ για την έκπτωση αυτή. ConfirmClassifyPaidPartiallyReasonDiscountVat=Παραμένουν απλήρωτα (%s %s) έχει μια έκπτωση που χορηγήθηκε επειδή η πληρωμή έγινε πριν από την περίοδο. Έχω την επιστροφή του ΦΠΑ για την έκπτωση αυτή χωρίς πιστωτικό τιμολόγιο. ConfirmClassifyPaidPartiallyReasonBadCustomer=Κακός πελάτης diff --git a/htdocs/langs/el_GR/compta.lang b/htdocs/langs/el_GR/compta.lang index 3461dc91f3685..4bc4a6eb11863 100644 --- a/htdocs/langs/el_GR/compta.lang +++ b/htdocs/langs/el_GR/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Η πληρωμή δεν είναι συνδεδεμ PaymentsNotLinkedToUser=Η πληρωμή δεν είναι συνδεδεμένη με κάποιον πελάτη Profit=Κέρδος AccountingResult=Λογιστικό αποτέλεσμα +BalanceBefore=Balance (before) Balance=Ισοζύγιο Debit=Χρέωση Credit=Πίστωση diff --git a/htdocs/langs/el_GR/donations.lang b/htdocs/langs/el_GR/donations.lang index dd1ef9822ac07..ea2fdaccb7875 100644 --- a/htdocs/langs/el_GR/donations.lang +++ b/htdocs/langs/el_GR/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Δείτε το άρθρο 200 από το CGI αν ανησυχ DONATION_ART238=Δείτε το άρθρο 238 από το CGI αν ανησυχείτε DONATION_ART885=Δείτε το άρθρο 885 από το CGI αν ανησυχείτε DonationPayment=Πληρωμή Δωρεάς +DonationValidated=Donation %s validated diff --git a/htdocs/langs/el_GR/errors.lang b/htdocs/langs/el_GR/errors.lang index befa6f0defaa2..9bf1c660882c7 100644 --- a/htdocs/langs/el_GR/errors.lang +++ b/htdocs/langs/el_GR/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Κενή έκφραση ErrorPriceExpression21=Κενό αποτέλεσμα '%s' ErrorPriceExpression22=Αρνητικό αποτέλεσμα '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Εσωτερικό σφάλμα '%s' ErrorPriceExpressionUnknown=Άγνωστο σφάλμα '%s' ErrorSrcAndTargetWarehouseMustDiffers=Η πηγή και ο στόχος των αποθηκών πρέπει να είναι διαφορετικός. diff --git a/htdocs/langs/el_GR/install.lang b/htdocs/langs/el_GR/install.lang index 4661602c4b5f8..b1c5b231c8ec3 100644 --- a/htdocs/langs/el_GR/install.lang +++ b/htdocs/langs/el_GR/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Χρησιμοποιείτε τον οδηγό εγκα 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Ενημέρωση φορέα τιμών πεδίου στον πίνακα llx_societe_remise MigrationRemiseExceptEntity=Ενημέρωση φορέα τιμών πεδίου στον πίνακα llx_societe_remise_except MigrationReloadModule=Επαναφόρτωση ενθεμάτων %s +MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Εμφάνιση μη διαθέσιμων επιλογών HideNotAvailableOptions=Απόκρυψη μη μη διαθέσιμων επιλογών ErrorFoundDuringMigration=Αναφέρθηκε σφάλμα κατά τη διαδικασία μεταφοράς, οπότε το επόμενο βήμα δεν είναι δυνατό. Για να αγνοήστε το σφάλμα, μπορείτε να πατήσετε εδώ, αλλά η εφαρμογή ή κάποιες λειτουργείες μπορεί να μην λειτουργού σωστά μέχρι να διορθωθεί. diff --git a/htdocs/langs/el_GR/languages.lang b/htdocs/langs/el_GR/languages.lang index fb4f38eff91ff..8f4ae0c5555ae 100644 --- a/htdocs/langs/el_GR/languages.lang +++ b/htdocs/langs/el_GR/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Ισπανικά (Παραγουάη) Language_es_PE=Ισπανικά (Περού) Language_es_PR=Ισπανικά (Πουέρτο Ρίκο) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Ισπανικά (Βενεζουέλας) Language_et_EE=Εσθονίας Language_eu_ES=Βάσκων diff --git a/htdocs/langs/el_GR/main.lang b/htdocs/langs/el_GR/main.lang index 18cb96a070fe2..eb0ee52a61283 100644 --- a/htdocs/langs/el_GR/main.lang +++ b/htdocs/langs/el_GR/main.lang @@ -548,6 +548,18 @@ MonthShort09=Σεπ MonthShort10=Οκτ MonthShort11=Νοέ MonthShort12=Δεκ +MonthVeryShort01=J +MonthVeryShort02=Π +MonthVeryShort03=Δ +MonthVeryShort04=A +MonthVeryShort05=Δ +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Κ +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Επισυναπτόμενα αρχεία και έγγραφα JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Προσδιορίστε Τραπεζικό λογαριασμό AccountCurrency=Account currency ViewPrivateNote=Προβολή σημειώσεων XMoreLines=%s γραμμή (ές) κρυμμένη -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Δημόσια URL AddBox=Προσθήκη πεδίου SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Όλοι +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/el_GR/other.lang b/htdocs/langs/el_GR/other.lang index 2b5ad81f65980..4a0e5f1b33a00 100644 --- a/htdocs/langs/el_GR/other.lang +++ b/htdocs/langs/el_GR/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Εάν το ποσό υπερβαίνει %s SourcesRepository=Αποθετήριο για τις πηγές Chart=Γράφημα PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang index 3c84d4d8a2568..e087a98e8ce91 100644 --- a/htdocs/langs/el_GR/products.lang +++ b/htdocs/langs/el_GR/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Τρέχουσα Τιμή AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price PriceByQuantity=Διαφορετικές τιμές από την ποσότητα +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 diff --git a/htdocs/langs/el_GR/projects.lang b/htdocs/langs/el_GR/projects.lang index af010b9324dc9..bd0dfd0e9d42b 100644 --- a/htdocs/langs/el_GR/projects.lang +++ b/htdocs/langs/el_GR/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Εκκρεμεί OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/el_GR/website.lang b/htdocs/langs/el_GR/website.lang index 64500e6cc9ceb..ad8722058c324 100644 --- a/htdocs/langs/el_GR/website.lang +++ b/htdocs/langs/el_GR/website.lang @@ -3,15 +3,17 @@ Shortname=Κώδικας WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. DeleteWebsite=Διαγραφή ιστοχώρου 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_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Βιβλιοθήκη πολυμέσων EditCss=Edit Style/CSS or HTML header EditMenu=Επεξεργασία μενού @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/en_GB/accountancy.lang b/htdocs/langs/en_GB/accountancy.lang index 381e8cb2d90c6..8639f6dde528e 100644 --- a/htdocs/langs/en_GB/accountancy.lang +++ b/htdocs/langs/en_GB/accountancy.lang @@ -107,7 +107,6 @@ Modelcsv_ciel=Export to Sage Ciel Compta or Compta Evolution Modelcsv_quadratus=Export to Quadratus QuadraCompta Modelcsv_ebp=Export to EBP Modelcsv_cogilog=Export to Cogilog -Modelcsv_agiris=Export to Agiris (Test) ChartofaccountsId=Chart of accounts ID DefaultBindingDesc=This page can be used to set a default account for linking transaction records about payments, salaries, donations, taxes and vat when no specific finance account had already been set. OptionModeProductSell=Type of sale diff --git a/htdocs/langs/en_GB/admin.lang b/htdocs/langs/en_GB/admin.lang index 69cd399f5c02b..a9f12d8b90c84 100644 --- a/htdocs/langs/en_GB/admin.lang +++ b/htdocs/langs/en_GB/admin.lang @@ -82,6 +82,8 @@ NumberOfModelFilesFound=Number of ODT/ODS template files found in those director ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
To learn how to create your .odt document templates, before storing them in those directories, read wiki documentation: DescWeather=The following pictures will be shown on the dashboard when the number of late actions reaches the following values: +ThisForceAlsoTheme=This menu manager will use its own theme irrespective of user choice. This menu manager is also specialised for some but not all, smartphones. Use another menu manager if you experience problems with yours. +ConnectionTimeout=Connection timeout Module330Desc=Bookmark management Module50200Name=PayPal Permission300=Read barcodes diff --git a/htdocs/langs/en_GB/main.lang b/htdocs/langs/en_GB/main.lang index 619f78a673800..2dd70365ce420 100644 --- a/htdocs/langs/en_GB/main.lang +++ b/htdocs/langs/en_GB/main.lang @@ -43,7 +43,6 @@ Favorite=Favourite ActionUncomplete=Incomplete GeneratedOn=Built on %s OtherInformations=Other information -Check=Cheque Canceled=Cancelled Color=Colour Informations=Information diff --git a/htdocs/langs/es_CL/accountancy.lang b/htdocs/langs/es_CL/accountancy.lang index 6967a52506b7f..c98c669ebe4aa 100644 --- a/htdocs/langs/es_CL/accountancy.lang +++ b/htdocs/langs/es_CL/accountancy.lang @@ -8,7 +8,6 @@ ACCOUNTING_EXPORT_AMOUNT=Monto de exportación ACCOUNTING_EXPORT_DEVISE=Moneda de exportación Selectformat=Seleccione el formato para el archivo ACCOUNTING_EXPORT_FORMAT=Seleccione el formato para el archivo -ACCOUNTING_EXPORT_ENDLINE=Seleccione el tipo de retorno de carro ACCOUNTING_EXPORT_PREFIX_SPEC=Especifíque el prefijo para el nombre de archivo DefaultForService=Predeterminado para servicio DefaultForProduct=Predeterminado para producto @@ -32,7 +31,6 @@ NotYetInGeneralLedger=Aún no se ha contabilizado en libros mayores GroupIsEmptyCheckSetup=El grupo está vacío, verifique la configuración del grupo de contabilidad personalizado DetailByAccount=Mostrar detalles por cuenta AccountWithNonZeroValues=Cuentas con valores distintos de cero -ListOfAccounts=Lista de cuentas MainAccountForCustomersNotDefined=Cuenta de contabilidad principal para los clientes no definidos en la configuración MainAccountForSuppliersNotDefined=Cuenta de contabilidad principal para proveedores no definidos en la configuración MainAccountForUsersNotDefined=Cuenta de contabilidad principal para los usuarios no definidos en la configuración @@ -41,14 +39,14 @@ AccountancyArea=Área de contabilidad AccountancyAreaDescActionOnce=Las siguientes acciones generalmente se ejecutan una sola vez o una vez al año ... AccountancyAreaDescActionOnceBis=Deben seguirse los pasos para ahorrarle tiempo en el futuro al sugerirle la cuenta de contabilidad predeterminada correcta al hacer la publicación (registro de escritura en Revistas y Libro mayor) AccountancyAreaDescActionFreq=Las siguientes acciones generalmente se ejecutan cada mes, semana o día para empresas muy grandes ... -AccountancyAreaDescJournalSetup=PASO %s: cree o verifique el contenido de su lista de publicaciones desde el menú %s +AccountancyAreaDescJournalSetup=PASO %s: Cree o verifique el contenido de su lista de publicaciones desde el menú %s AccountancyAreaDescChartModel=PASO %s: Cree un modelo de tabla de cuenta desde el menú %s AccountancyAreaDescChart=PASO %s: Cree o verifique el contenido de su plan de cuentas desde el menú %s -AccountancyAreaDescVat=PASO %s: defina cuentas contables para cada tasa de IVA. Para esto, use la entrada del menú %s. -AccountancyAreaDescExpenseReport=PASO %s: defina las cuentas de contabilidad predeterminadas para cada tipo de informe de gastos. Para esto, use la entrada del menú %s. +AccountancyAreaDescVat=PASO %s: Defina cuentas contables para cada tasa de IVA. Para esto, use la entrada del menú %s. +AccountancyAreaDescExpenseReport=PASO %s: Defina las cuentas de contabilidad predeterminadas para cada tipo de informe de gastos. Para esto, use la entrada del menú %s. AccountancyAreaDescSal=PASO %s: Defina cuentas de contabilidad predeterminadas para el pago de salarios. Para esto, use la entrada del menú %s. -AccountancyAreaDescContrib=PASO %s: Defina cuentas de contabilidad predeterminadas para gastos especiales (impuestos varios). Para esto, use la entrada del menú %s. -AccountancyAreaDescDonation=PASO %s: defina las cuentas de contabilidad predeterminadas para la donación. Para esto, use la entrada del menú %s. +AccountancyAreaDescContrib=PASO %s: Defina cuentas de contabilidad predeterminadas para pagos especiales (impuestos varios). Para esto, use la entrada del menú %s. +AccountancyAreaDescDonation=PASO %s: Defina las cuentas de contabilidad predeterminadas para la donación. Para esto, use la entrada del menú %s. AccountancyAreaDescMisc=PASO %s: Defina la cuenta predeterminada obligatoria y cuentas de contabilidad predeterminadas para transacciones misceláneas. Para esto, use la entrada del menú %s. AccountancyAreaDescLoan=PASO %s: defina cuentas de contabilidad predeterminadas para préstamos. Para esto, use la entrada del menú %s. AccountancyAreaDescBank=PASO %s: Defina las cuentas de contabilidad y el código del diario para cada banco y cuenta financiera. Para esto, use la entrada del menú %s. @@ -60,7 +58,7 @@ AccountancyAreaDescClosePeriod=PASO %s: Cierre el período para que no podamos r TheJournalCodeIsNotDefinedOnSomeBankAccount=Un paso obligatorio en la configuración no fue completo (diario de códigos de contabilidad no definido para todas las cuentas bancarias) Selectchartofaccounts=Seleccione gráfico de cuentas activo Addanaccount=Agregar cuenta contable -SubledgerAccount=Cuenta de Subledger +SubledgerAccount=Cuenta de libro auxiliar ShowAccountingAccount=Mostrar cuenta contable MenuDefaultAccounts=Cuentas predeterminadas MenuBankAccounts=cuentas bancarias @@ -77,7 +75,7 @@ ValidTransaction=Validar transacción WriteBookKeeping=Registrar transacciones en Ledger Bookkeeping=Libro mayor ObjectsRef=Referencia de objeto de origen -CAHTF=Proveedor total de compras antes de impuestos +CAHTF=Total de compras a proveedor antes de impuestos TotalExpenseReport=Informe de gastos totales InvoiceLines=Líneas de facturas para enlazar InvoiceLinesDone=Líneas de facturas encuadernadas @@ -102,6 +100,7 @@ ACCOUNTING_LENGTH_GACCOUNT=Longitud de las cuentas de contabilidad generales (si ACCOUNTING_LENGTH_AACCOUNT=Longitud de las cuentas de contabilidad de terceros (si establece el valor en 6 aquí, la cuenta '401' aparecerá como '401000' en la pantalla) ACCOUNTING_MANAGE_ZERO=Permitir administrar un número diferente de cero al final de una cuenta de contabilidad. Necesario para algunos países (como Suiza). Si se mantiene desactivado (predeterminado), puede configurar los 2 parámetros siguientes para solicitar a la aplicación que agregue cero virtual. BANK_DISABLE_DIRECT_INPUT=Deshabilitar la grabación directa de transacciones en cuenta bancaria +ACCOUNTING_SELL_JOURNAL=Libro de ventas ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario misceláneo ACCOUNTING_EXPENSEREPORT_JOURNAL=Diario del informe de gastos ACCOUNTING_ACCOUNT_TRANSFER_CASH=Cuenta contable de transferencia @@ -117,12 +116,10 @@ LabelOperation=Operación de etiqueta Sens=Significado NumPiece=Pieza número TransactionNumShort=Num. transacción -AccountingAccountGroupsDesc=Puede definir aquí algunos grupos de cuentas contables. Se usará en el informe %s para mostrar su ingreso / gasto con datos agrupados de acuerdo con estos grupos. DeleteMvt=Eliminar líneas de libro mayor DelYear=Año para borrar DelJournal=Diario para eliminar ConfirmDeleteMvt=Esto eliminará todas las líneas del Libro mayor por año y / o desde un diario específico. Se requiere al menos un criterio. -ConfirmDeleteMvtPartial=Esto eliminará la transacción del libro mayor (se eliminarán todas las líneas relacionadas con la misma transacción) DelBookKeeping=Eliminar el registro del Libro mayor FinanceJournal=Diario de finanzas ExpenseReportsJournal=Diario de informes de gastos @@ -153,7 +150,7 @@ DescVentilDoneCustomer=Consulte aquí la lista de las líneas de clientes de fac DescVentilTodoCustomer=Vincular líneas de factura que ya no están vinculadas con una cuenta de contabilidad de producto ChangeAccount=Cambie la cuenta de contabilidad de producto / servicio para líneas seleccionadas con la siguiente cuenta de contabilidad: DescVentilSupplier=Consulte aquí la lista de líneas de factura de proveedores vinculadas o aún no vinculadas a una cuenta de contabilidad de producto -DescVentilDoneSupplier=Consulte aquí la lista de las líneas de proveedor de facturas y su cuenta de contabilidad +DescVentilDoneSupplier=Consulte aquí la lista de las líneas de proveedor de facturas y su cuenta de contable DescVentilTodoExpenseReport=Vincular las líneas de informe de gastos que ya no están vinculadas con una cuenta de contabilidad de tarifas DescVentilExpenseReport=Consulte aquí la lista de líneas de informe de gastos vinculadas (o no) a una cuenta de contabilidad de tasas DescVentilExpenseReportMore=Si configura la cuenta de contabilidad en el tipo de líneas de informe de gastos, la aplicación podrá realizar todos los enlaces entre sus líneas de informe de gastos y la cuenta de contabilidad de su plan de cuentas, solo con un clic con el botón "%s". Si la cuenta no se configuró en el diccionario de tarifas o si aún tiene algunas líneas no vinculadas a ninguna cuenta, deberá realizar una vinculación manual desde el menú "%s". @@ -171,20 +168,19 @@ ChangeBinding=Cambiar la encuadernación ApplyMassCategories=Aplicar categorías de masa AddAccountFromBookKeepingWithNoCategories=Cuenta disponible aún no en un grupo personalizado CategoryDeleted=La categoría de la cuenta de contabilidad ha sido eliminada -AccountingJournals=Revistas contables +AccountingJournals=Libros contables AccountingJournal=Diario de contabilidad NewAccountingJournal=Nueva revista de contabilidad AccountingJournalType1=Operación miscelánea AccountingJournalType5=Informe de gastos ErrorAccountingJournalIsAlreadyUse=Este diario ya es uso ExportDraftJournal=Exportar borrador del diario -OptionsDeactivatedForThisExportModel=Opciones desactivadas para este modelo de exportación Selectmodelcsv=Seleccione un modelo Modelcsv_normal=Exportación clasica Modelcsv_CEGID=Exportación hacia CEGID Expert Comptabilité Modelcsv_ebp=Exportar hacia EBP Modelcsv_cogilog=Exportar hacia Cogilog -Modelcsv_agiris=Exportar hacia Agiris (Prueba) +Modelcsv_agiris=Exportar hacia Agiris Modelcsv_configurable=Exportable Configurable ChartofaccountsId=Plan de cuentas Id InitAccountancy=Contabilidad inicial diff --git a/htdocs/langs/es_CL/admin.lang b/htdocs/langs/es_CL/admin.lang index 75c7c137799c8..cbf83f9eb3b02 100644 --- a/htdocs/langs/es_CL/admin.lang +++ b/htdocs/langs/es_CL/admin.lang @@ -29,8 +29,6 @@ WebUserGroup=Usuario / grupo del servidor web NoSessionFound=Parece que su PHP no permite listar sesiones activas. El directorio utilizado para guardar sesiones (%s) puede estar protegido (por ejemplo, por permisos del sistema operativo o por la directiva PHP open_basedir). DBStoringCharset=Juego de caracteres de base de datos para almacenar datos DBSortingCharset=Juego de caracteres de base de datos para ordenar los datos -ClientCharset=Juego de caracteres del cliente -ClientSortingCharset=Colación de clientes WarningModuleNotActive=El módulo %s debe estar habilitado. WarningOnlyPermissionOfActivatedModules=Aquí solo se muestran los permisos relacionados con los módulos activados. Puede activar otros módulos en la página Inicio-> Configuración-> Módulos. DolibarrSetup=Instalación o actualización de Dolibarr @@ -103,7 +101,7 @@ HoursOnThisPageAreOnServerTZ=Advertencia, a diferencia de otras pantallas, las h MaxNbOfLinesForBoxes=Número máximo de líneas para widgets PositionByDefault=Orden predeterminada MenusDesc=Los administradores de menú establecen el contenido de las dos barras de menú (horizontal y vertical). -MenusEditorDesc=El editor de menú le permite definir entradas de menú personalizadas. Úselo con cuidado para evitar la inestabilidad y las entradas de menú permanentemente inalcanzables. Algunos módulos agregan entradas de menú (en el menú Todo principalmente). Si elimina algunas de estas entradas por error, puede restablecerlas deshabilitando y volviendo a habilitar el módulo. +MenusEditorDesc=El editor de menú le permite definir entradas de menú personalizadas. Úselo con cuidado para evitar la inestabilidad y las entradas de menú permanentemente inalcanzables.
Algunos módulos agregan entradas de menú (en el menú Todo principalmente). Si elimina algunas de estas entradas por error, puede restablecerlas deshabilitando y volviendo a habilitar el módulo. MenuForUsers=Menú para usuarios SystemInfo=Información del sistema SystemToolsArea=Área de herramientas del sistema @@ -118,7 +116,7 @@ PurgeNDirectoriesDeleted=%s archivos o directorios eliminados. PurgeNDirectoriesFailed=Error al eliminar directorios o archivos %s. PurgeAuditEvents=Purgar todos los eventos de seguridad ConfirmPurgeAuditEvents=¿Estás seguro de que quieres purgar todos los eventos de seguridad? Se eliminarán todos los registros de seguridad, no se eliminarán otros datos. -Backup=Apoyo +Backup=Respaldo Restore=Restaurar RunCommandSummary=La copia de seguridad se ha lanzado con el siguiente comando BackupFileSuccessfullyCreated=Archivo de respaldo generado con éxito @@ -127,7 +125,6 @@ NoBackupFileAvailable=No hay archivos de respaldo disponibles. ToBuildBackupFileClickHere=Para crear un archivo de copia de seguridad, haga clic aquí . ImportMySqlDesc=Para importar un archivo de copia de seguridad, debe usar el comando mysql desde la línea de comando: ImportPostgreSqlDesc=Para importar un archivo de copia de seguridad, debe usar el comando pg_restore desde la línea de comando: -ImportMySqlCommand=%s %s echa un vistazo a la Wiki de Dolibarr:
%s < / b> -ForAnswersSeeForum=Para cualquier otra pregunta / ayuda, puede utilizar el foro de Dolibarr:
%s +ForDocumentationSeeWiki=Para documentación del usuario o desarrollador (Doc, Preguntas frecuentes ...),
echa un vistazo a la Wiki de Dolibarr:
%s +ForAnswersSeeForum=Para cualquier otra pregunta/ayuda, puede utilizar el foro de Dolibarr:
%s HelpCenterDesc1=Esta área puede ayudarlo a obtener un servicio de ayuda de Ayuda en Dolibarr. -HelpCenterDesc2=Alguna parte de este servicio está disponible solo en inglés . +HelpCenterDesc2=Alguna parte de este servicio está disponible solo en inglés. CurrentMenuHandler=Manejador de menú actual SpaceX=Espacio X SpaceY=Espacio Y @@ -234,19 +231,19 @@ UnpackPackageInModulesRoot=Para implementar/instalar un módulo externo, descomp SetupIsReadyForUse=La implementación del módulo ha finalizado. Sin embargo, debe habilitar y configurar el módulo en su aplicación yendo a la página para configurar los módulos: %s . NotExistsDirect=El directorio raíz alternativo no está definido en un directorio existente.
InfDirAlt=Desde la versión 3, es posible definir un directorio raíz alternativo. Esto le permite almacenar, en un directorio dedicado, complementos y plantillas personalizadas.
Simplemente cree un directorio en la raíz de Dolibarr (p. Ej .: personalizado).
-InfDirExample=
Entonces, declararlo en el archivo conf.php
$ dolibarr_main_url_root_alt = '/ custom'
$ dolibarr_main_document_root_alt = '/ path / of / dolibarr / htdocs / custom'
Si estas líneas se comentan con "#", para habilitarlas, simplemente elimine el comentario del carácter "#". +InfDirExample=
Entonces, declare en el archivo conf.php
$dolibarr_main_url_root_alt = '/ custom'
$ dolibarr_main_document_root_alt = '/path/of /dolibarr/htdocs /custom'
Si estas líneas se comentan con "#", para habilitarlas, simplemente elimine el comentario del carácter "#". YouCanSubmitFile=Para este paso, puede enviar el archivo .zip del paquete de módulo aquí: CallUpdatePage=Vaya a la página que actualiza la estructura de la base de datos y los datos: %s. LastActivationIP=Última activación IP UpdateServerOffline=Actualizar servidor fuera de línea WithCounter=Administrar un contador -GenericMaskCodes=Puede ingresar cualquier máscara de numeración. En esta máscara, se podrían usar las siguientes etiquetas:
{000000} corresponde a un número que se incrementará en cada %s. Ingrese tantos ceros como la longitud deseada del contador. El contador se completará con ceros desde la izquierda para tener tantos ceros como la máscara.
{000000 + 000} igual que el anterior, pero se aplica un desplazamiento correspondiente al número a la derecha del signo + a partir del primer %s.
{000000 @ x} igual que el anterior pero el contador se restablece a cero cuando se alcanza el mes x (x entre 1 y 12, o 0 para usar los primeros meses del año fiscal definidos en su configuración, o 99 para restablecer a cero cada mes). Si se usa esta opción y x es 2 o mayor, también se requiere la secuencia {aa} {mm} o {aaaa} {mm}.
{dd} día (01 a 31).
{mm} mes (01 a 12).
{yy} < / b>, {aaaa} o {y} años en 2, 4 o 1 números.
-GenericMaskCodes2= {cccc} el código del cliente en n caracteres
{cccc000} el código del cliente en n caracteres va seguido de un contador dedicado para el cliente. Este contador dedicado al cliente se restablece al mismo tiempo que el contador global.
{tttt} El código de tipo de tercero en n caracteres (consulte el menú Inicio - Configuración - Diccionario - Tipos de terceros) . Si agrega esta etiqueta, el contador será diferente para cada tipo de tercero.
+GenericMaskCodes=Puede ingresar cualquier máscara de numeración. En esta máscara, se podrían usar las siguientes etiquetas:
{000000} corresponde a un número que se incrementará en cada %s. Ingrese tantos ceros como la longitud deseada del contador. El contador se completará con ceros desde la izquierda para tener tantos ceros como la máscara.
{000000+000} igual que el anterior, pero se aplica un desplazamiento correspondiente al número a la derecha del signo + a partir del primer %s.
{000000@x} igual que el anterior pero el contador se restablece a cero cuando se alcanza el mes x (x entre 1 y 12, o 0 para usar los primeros meses del año fiscal definidos en su configuración, o 99 para restablecer a cero cada mes). Si se usa esta opción y x es 2 o mayor, también se requiere la secuencia {aa} {mm} o {aaaa} {mm}.
{dd} día (01 a 31).
{mm} mes (01 a 12).
{yy}, {aaaa} o {y} años en 2, 4 o 1 números.
+GenericMaskCodes2={cccc} el código del cliente en n caracteres
{cccc000} el código del cliente en n caracteres va seguido de un contador dedicado para el cliente. Este contador dedicado al cliente se restablece al mismo tiempo que el contador global.
{tttt} El código de tipo de tercero en n caracteres (consulte el menú Inicio - Configuración - Diccionario - Tipos de terceros) . Si agrega esta etiqueta, el contador será diferente para cada tipo de tercero.
GenericMaskCodes3=Todos los demás personajes de la máscara permanecerán intactos.
No se permiten espacios.
-GenericMaskCodes4a= Ejemplo en el 99º %s del tercero TheCompany, con fecha 2007-01-31:
-GenericMaskCodes4b= Ejemplo de un tercero creado en 2007-03-01:
-GenericMaskCodes4c= Ejemplo de producto creado el 2007-03-01:
-GenericMaskCodes5= ABC {yy} {mm} - {000000} dará ABC0701-000099
{0000 + 100 @ 1} -ZZZ / {dd} / XXX dará 0199-ZZZ / 31 / XXX
IN {aa} {mm} - {0000} - {t} dará IN0701-0099-A si el tipo de compañía es 'Responsable Inscripto' con código para el tipo 'A_RI' +GenericMaskCodes4a=Ejemplo en el 99º %s del tercero TheCompany, con fecha 2007-01-31:
+GenericMaskCodes4b=Ejemplo de un tercero creado en 2007-03-01:
+GenericMaskCodes4c=Ejemplo de producto creado el 2007-03-01:
+GenericMaskCodes5=ABC{yy}{mm}-{000000} dará ABC0701-000099
{0000+100@1}-ZZZ/{dd}/XXX dará 0199-ZZZ/31/XXX
IN{yy}{mm}-{0000}-{t}dará IN0701-0099-A si el tipo de compañía es 'Responsable Inscripto' con código para el tipo 'A_RI' GenericNumRefModelDesc=Devuelve un número personalizable según una máscara definida. ServerAvailableOnIPOrPort=El servidor está disponible en la dirección %s en el puerto %s ServerNotAvailableOnIPOrPort=El servidor no esta disponible en la dirección %s en el puerto %s @@ -259,7 +256,7 @@ UMask=Parámetro UMask para nuevos archivos en el sistema de archivos Unix / Lin UMaskExplanation=Este parámetro le permite definir permisos establecidos por defecto en los archivos creados por Dolibarr en el servidor (durante la carga, por ejemplo).
Debe ser el valor octal (por ejemplo, 0666 significa leer y escribir para todos).
parámetro es inútil en un servidor de Windows. SeeWikiForAllTeam=Echa un vistazo a la página wiki para ver una lista completa de todos los actores y su organización UseACacheDelay=Retardo para la respuesta de exportación en caché en segundos (0 o vacío para no caché) -DisableLinkToHelpCenter=Ocultar enlace " Necesita ayuda o soporte " en la página de inicio de sesión +DisableLinkToHelpCenter=Ocultar enlace "Necesita ayuda o soporte" en la página de inicio de sesión DisableLinkToHelp=Ocultar link para ayuda online "%s" AddCRIfTooLong=No hay ajuste automático, por lo que si la línea está fuera de página en los documentos porque es demasiado larga, debe agregar los retornos de carro en el área de texto. ConfirmPurge=¿Estás seguro de que deseas ejecutar esta purga?
Esto eliminará definitivamente todos tus archivos de datos sin forma de restaurarlos (archivos ECM, archivos adjuntos ...). @@ -267,7 +264,7 @@ MinLength=Longitud mínima LanguageFilesCachedIntoShmopSharedMemory=Archivos .lang cargados en la memoria compartida ExamplesWithCurrentSetup=Ejemplos con la configuración de ejecución actual ListOfDirectories=Lista de directorios de plantillas de OpenDocument -ListOfDirectoriesForModelGenODT=Lista de directorios que contienen archivos de plantillas con formato OpenDocument.

Ponga aquí la ruta completa de directorios.
Agregue un retorno de carro entre el directorio eah.
Para agregar un directorio del módulo GED, agregue aquí DOL_DATA_ROOT / ecm / yourdirectoryname .

Los archivos en esos directorios deben terminar con .odt o .ods . +ListOfDirectoriesForModelGenODT=Lista de directorios que contienen archivos de plantillas con formato OpenDocument.

Ponga aquí la ruta completa de directorios.
Agregue un retorno de carro entre cada directorio.
Para agregar un directorio del módulo GED, agregue aquí DOL_DATA_ROOT/ecm/yourdirectoryname.

Los archivos en esos directorios deben terminar con .odt o .ods. NumberOfModelFilesFound=Número de archivos de plantillas ODT / ODS encontrados en esos directorios ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
Para saber cómo crear sus plantillas de documento Odt, antes de almacenarlas en esos directorios, lea la documentación wiki: @@ -287,8 +284,8 @@ PDFDesc=Puede establecer cada opción global relacionada con la generación de P PDFAddressForging=Reglas para forjar cuadros de direcciones HideAnyVATInformationOnPDF=Ocultar toda la información relacionada con el IVA en PDF generado HideLocalTaxOnPDF=Ocultar %s tasa en venta de impuestos en la columna de PDF -HideDescOnPDF=Ocultar descripción de productos en PDF generado -HideRefOnPDF=Ocultar productos ref. en PDF generado +HideDescOnPDF=Ocultar la descripción de productos en PDF generado +HideRefOnPDF=Ocultar REF. de productos en PDF generado HideDetailsOnPDF=Ocultar detalles de líneas de productos en PDF generado PlaceCustomerAddressToIsoLocation=Utilice la posición estándar francesa (La Poste) para la posición de la dirección del cliente Library=Biblioteca @@ -313,15 +310,15 @@ ExtrafieldCheckBox=Casillas de verificación ExtrafieldCheckBoxFromList=Casillas de verificación de la mesa ExtrafieldLink=Enlace a un objeto ComputedFormula=Campo computado -ComputedFormulaDesc=Puede ingresar aquí una fórmula usando otras propiedades del objeto o cualquier código PHP para obtener un valor calculado dinámico. Puede usar cualquier fórmula compatible con PHP, incluido el "?" operador de condición y objeto global siguiente: $ db, $ conf, $ langs, $ mysoc, $ usuario, $ object .
ADVERTENCIA : solo algunas propiedades de $ objeto puede estar disponible. Si necesita propiedades no cargadas, simplemente busque el objeto en su fórmula como en el segundo ejemplo.
Usar un campo calculado significa que no puede ingresar ningún valor desde la interfaz. Además, si hay un error de sintaxis, la fórmula puede devolver nada.

Ejemplo de fórmula:
$ object-> id <10? round ($ object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) substr ($ mysoc-> zip, 1, 2)

Ejemplo para recargar objeto
(($ 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'

Otro ejemplo de fórmula para forzar la carga del objeto y su objeto principal:
(($ reloadedobj = nueva tarea ($ db)) && ($ reloadedobj-> fetch ($ object-> id)> 0) && ($ secondloadedobj = new Project ($ db)) && ($ secondloadedobj-> fetch ($ reloadedobj-> fk_project )> 0))? $ secondloadedobj-> ref: 'Proyecto principal no encontrado' -ExtrafieldParamHelpselect=La lista de valores debe ser líneas con formato clave, valor (donde la clave no puede ser '0')

por ejemplo:
1, valor1
2, valor2
código3, valor3 < br> ...

Para que la lista dependa de otra lista de atributos complementarios:
1, valor1 | opciones_ parent_list_code : parent_key
2, value2 | options_ parent_list_code : parent_key

Para que la lista dependa de otra lista:
1, value1 | parent_list_code : parent_key
2, value2 | parent_list_code : parent_key -ExtrafieldParamHelpcheckbox=La lista de valores debe ser líneas con formato clave, valor (donde la clave no puede ser '0')

por ejemplo:
1, valor1
2, valor2
3, valor3 < br> ... -ExtrafieldParamHelpradio=La lista de valores debe ser líneas con formato clave, valor (donde la clave no puede ser '0')

por ejemplo:
1, valor1
2, valor2
3, valor3 < br> ... -ExtrafieldParamHelpsellist=Lista de valores proviene de una tabla
Sintaxis: table_name: label_field: id_field :: filter
Ejemplo: c_typent: libelle: id :: filter

- idfilter es necesariamente una clave int primaria
- filtro puede ser una prueba simple (por ejemplo, activo = 1) para mostrar solo valor activo
También puede usar $ ID $ en filtro que es la identificación actual del objeto actual
Para hacer un SELECCIONAR en filtro use $ SEL $
si quieres filtrar en extrafields utiliza la sintaxis extra.fieldcode = ... (donde el código de campo es el código de extrafield)

Para que la lista dependa de otra lista de atributos complementarios: < br> c_typent: libelle: id: options_ parent_list_code | parent_column: filter

Para que la lista dependa de otra lista:
c_typent: libelle: id: parent_list_code | parent_column: filter -ExtrafieldParamHelpchkbxlst=La lista de valores proviene de una tabla
Sintaxis: table_name: label_field: id_field :: filter
Ejemplo: c_typent: libelle: id :: filter

el filtro puede ser una prueba simple (por ejemplo, active = 1 ) para mostrar solo el valor activo
También puede usar $ ID $ en el filtro bruja es la identificación actual del objeto actual
Para hacer un SELECCIONAR en filtro use $ SEL $ si desea filtrar el uso de campos extraños sintaxis extra.fieldcode = ... (donde el código de campo es el código de extrafield)

Para que la lista dependa de otra lista de atributos complementarios:
c_typent: libelle: id: options_ parent_list_code | parent_column: filter

Para que la lista dependa de otra lista:
c_typent: libelle: id: parent_list_code | parent_column: filter +ComputedFormulaDesc=Puede ingresar aquí una fórmula usando otras propiedades del objeto o cualquier código PHP para obtener un valor calculado dinámico. Puede usar cualquier fórmula compatible con PHP, incluido el "?" operador de condición y objeto global siguiente: $db, $conf, $langs, $mysoc, $user, $object.
ADVERTENCIA: solo algunas propiedades de $object puede estar disponible. Si necesita propiedades no cargadas, simplemente busque el objeto en su fórmula como en el segundo ejemplo.
Usar un campo calculado significa que no puede ingresar ningún valor desde la interfaz. Además, si hay un error de sintaxis, la fórmula puede devolver nada.

Ejemplo de fórmula:
$object-> id <10? round ($ object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) substr ($ mysoc-> zip, 1, 2)

Ejemplo para recargar objeto
(($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'

Otro ejemplo de fórmula para forzar la carga del objeto y su objeto principal:
(($reloadedobj = new task ($ db)) && ($ reloadedobj-> fetch ($ object-> id)> 0) && ($ secondloadedobj = new Project ($ db)) && ($secondloadedobj-> fetch ($reloadedobj-> fk_project )> 0))? $secondloadedobj-> ref: 'Proyecto principal no encontrado' +ExtrafieldParamHelpselect=La lista de valores debe ser líneas con formato clave, valor (donde la clave no puede ser '0')

por ejemplo:
1, valor1
2, valor2
código3, valor3
...

Para que la lista dependa de otra lista de atributos complementarios:
1, valor1 | opciones_ parent_list_code: parent_key
2, value2 | options_parent_list_code:parent_key

Para que la lista dependa de otra lista:
1, value1 | parent_list_code :parent_key
2,value2| parent_list_code :parent_key +ExtrafieldParamHelpcheckbox=La lista de valores debe ser líneas con formato clave, valor (donde la clave no puede ser '0')

por ejemplo:
1, valor1
2, valor2
3, valor3
... +ExtrafieldParamHelpradio=La lista de valores debe ser líneas con formato clave, valor (donde la clave no puede ser '0')

por ejemplo:
1, valor1
2, valor2
3, valor3
... +ExtrafieldParamHelpsellist=Lista de valores proviene de una tabla
Sintaxis: table_name: label_field: id_field :: filter
Ejemplo: c_typent: libelle: id :: filter

-idfilter es necesariamente una clave int primaria
- filtro puede ser una prueba simple (por ejemplo, activo = 1) para mostrar solo valor activo
También puede usar $ ID $ en filtro que es la identificación actual del objeto actual
Para hacer un SELECCIONAR en filtro use $ SEL $
si quieres filtrar en extrafields utiliza la sintaxis extra.fieldcode = ... (donde el código de campo es el código de extrafield)

Para que la lista dependa de otra lista de atributos complementarios:
c_typent: libelle: id: options_ parent_list_code |parent_column: filter

Para que la lista dependa de otra lista:
c_typent: libelle: id: parent_list_code |parent_column:filter +ExtrafieldParamHelpchkbxlst=La lista de valores proviene de una tabla
Sintaxis: table_name: label_field: id_field :: filter
Ejemplo: c_typent: libelle: id :: filter

el filtro puede ser una prueba simple (por ejemplo, active = 1 ) para mostrar solo el valor activo
También puede usar $ ID $ en el filtro bruja es la identificación actual del objeto actual
Para hacer un SELECCIONAR en filtro use $ SEL $
si desea filtrar el uso de campos extraños sintaxis extra.fieldcode = ... (donde el código de campo es el código de extrafield)

Para que la lista dependa de otra lista de atributos complementarios:
c_typent: libelle: id: options_ parent_list_code|parent_column: filter

Para que la lista dependa de otra lista:
c_typent: libelle: id: parent_list_codelparent_column: filter ExtrafieldParamHelplink=Los parámetros deben ser ObjectName: Classpath
Sintaxis: ObjectName: Classpath
Ejemplo: Societe: societe / class / societe.class.php LibraryToBuildPDF=Biblioteca utilizada para la generación de PDF -WarningUsingFPDF=Advertencia: su conf.php contiene la directiva dolibarr_pdf_force_fpdf = 1 . Esto significa que usa la biblioteca FPDF para generar archivos PDF. Esta biblioteca es antigua y no admite muchas características (Unicode, transparencia de imagen, cirílico, árabe y asiático, ...), por lo que puede experimentar errores durante la generación de PDF.
Para solucionar esto y tener un soporte completo de la generación de PDF, descargue la biblioteca TCPDF , luego comente o elimine la línea $ dolibarr_pdf_force_fpdf = 1 , y en su lugar, agregue $ dolibarr_lib_TCPDF_PATH = 'path_to_TCPDF_dir' +WarningUsingFPDF=Advertencia: su conf.php contiene la directiva dolibarr_pdf_force_fpdf = 1. Esto significa que usa la biblioteca FPDF para generar archivos PDF. Esta biblioteca es antigua y no admite muchas características (Unicode, transparencia de imagen, cirílico, árabe y asiático, ...), por lo que puede experimentar errores durante la generación de PDF.
Para solucionar esto y tener un soporte completo de la generación de PDF, descargue la librería TCPDF, luego comente o elimine la línea $dolibarr_pdf_force_fpdf = 1, y en su lugar, agregue $dolibarr_lib_TCPDF_PATH = 'path_to_TCPDF_dir' LocalTaxDesc=Algunos países aplican 2 o 3 impuestos en cada línea de factura. Si este es el caso, elija tipo para el segundo y tercer impuesto y su tasa. El tipo posible es:
1: impuesto local se aplica a productos y servicios sin IVA (el impuesto local se calcula sobre el monto sin impuestos)
2: se aplica el impuesto local sobre productos y servicios, incluido el IVA (el impuesto local se calcula sobre el monto + impuesto principal )
3: el impuesto local se aplica a los productos sin IVA (el impuesto local se calcula sobre el monto sin impuestos)
4: se aplica el impuesto local sobre los productos, incluido IVA (el impuesto local se calcula sobre el monto + el IVA principal)
5: local se aplica impuesto sobre los servicios sin IVA (el impuesto local se calcula sobre el monto sin impuestos)
6: el impuesto local se aplica a los servicios, incluido el IVA (el impuesto local se calcula sobre el monto + impuestos) LinkToTestClickToDial=Ingrese un número de teléfono para llamar y mostrar un enlace para probar la URL de ClickToDial para el usuario %s RefreshPhoneLink=Actualizar enlace @@ -342,7 +339,7 @@ ShowDetailsInPDFPageFoot=Agregue más detalles en el pie de página de los archi NoDetails=No hay más detalles en el pie de página DisplayCompanyManagers=Mostrar nombres de administrador DisplayCompanyInfoAndManagers=Mostrar los nombres de administrador y dirección de la compañía -EnableAndSetupModuleCron=Si desea que esta factura recurrente sea generada automáticamente, el módulo * %s * debe estar habilitado y configurado correctamente. De lo contrario, la generación de facturas se debe hacer manualmente desde esta plantilla con el botón * Crear *. Tenga en cuenta que incluso si activó la generación automática, puede iniciar de forma segura la generación manual. La generación de duplicados para el mismo período no es posible. +EnableAndSetupModuleCron=Si desea que esta factura recurrente sea generada automáticamente, el módulo *%s* debe estar habilitado y configurado correctamente. De lo contrario, la generación de facturas se debe hacer manualmente desde esta plantilla con el botón * Crear *. Tenga en cuenta que incluso si activó la generación automática, puede iniciar de forma segura la generación manual. La generación de duplicados para el mismo período no es posible. ModuleCompanyCodeAquarium=Devuelva un código de contabilidad creado por:
%s seguido de un código de proveedor de terceros para un código de contabilidad de proveedor,
%s seguido de un código de cliente de terceros para un código de contabilidad de cliente. ModuleCompanyCodePanicum=Devuelve un código de contabilidad vacío. ModuleCompanyCodeDigitaria=El código de contabilidad depende del código de un tercero. El código se compone del carácter "C" en la primera posición seguido de los primeros 5 caracteres del código de terceros. @@ -362,7 +359,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) -SendEmailsReminders=Enviar recordatorios de la agenda por correo electrónico Module0Desc=Gestión de usuarios / empleados y grupos Module1Desc=Empresas y gestión de contactos (clientes, prospectos ...) Module2Desc=Administración comercial @@ -372,7 +368,6 @@ Module20Desc=Gestión de cotizaciones/propuestas comerciales Module22Name=E-mailings masivos Module22Desc=Gestión masiva de correo electrónico Module23Desc=Monitoreo del consumo de energías -Module25Name=Pedidos de los clientes 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 @@ -383,10 +378,8 @@ Module49Desc=Gestión del editor Module50Desc=Gestión de producto Module51Name=Envíos masivos Module51Desc=Gerencia de correo de papel en masa -Module52Name=Cepo Module52Desc=Gestión de stock (productos) Module53Desc=Gestión De Servicios -Module54Name=Contratos / Suscripciones Module54Desc=Gestión de contratos (servicios o suscripciones de reconexión) Module55Desc=Gestión del código de barras Module56Desc=Integración de telefonía @@ -399,7 +392,6 @@ Module75Name=Notas de gastos y viaje Module75Desc=Gestión de gastos y viajes Module80Name=Envíos Module80Desc=Gestión de envíos y entrega -Module85Name=Bancos y efectivo Module85Desc=Gestión de cuentas bancarias o de efectivo Module100Name=Sitio externo Module100Desc=Este módulo incluye un sitio web externo o una página en los menús de Dolibarr y lo visualiza en un marco de Dolibarr @@ -413,10 +405,9 @@ Module250Desc=Herramienta para importar datos en Dolibarr (con asistentes) Module310Desc=Gestión de miembros de la Fundación Module320Desc=Agregar fuente RSS dentro de las páginas de pantalla de Dolibarr Module400Name=Proyectos / Oportunidades / Leads -Module400Desc=Gestión de proyectos, oportunidades o leads. A continuación, puede asignar cualquier elemento (factura, orden, propuesta, intervención, ...) a un proyecto y obtener una vista transversal desde la vista del proyecto. +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=Gastos especiales -Module500Desc=Gestión de gastos especiales (impuestos, impuestos sociales o fiscales, dividendos) +Module500Desc=Gestión de pagos especiales (impuestos, impuestos sociales o fiscales, dividendos) Module510Name=Pago de los salarios de los empleados Module510Desc=Registre y siga el pago de los salarios de sus empleados Module520Name=Préstamo @@ -426,8 +417,7 @@ Module600Desc=Enviar notificaciones de correo electrónico (activadas por alguno Module600Long=Tenga en cuenta que este módulo está dedicado a enviar correos electrónicos en tiempo real cuando ocurre un evento comercial dedicado. Si está buscando una función para enviar recordatorios por correo electrónico de los eventos de su agenda, vaya a la configuración del módulo Agenda. Module770Name=Reporte de gastos Module770Desc=Informes de gestión y reclamación de gastos (transporte, comida, ...) -Module1120Name=Propuesta comercial del proveedor -Module1120Desc=Solicitar propuesta comercial del proveedor y precios +Module1120Desc=Solicitar presupuesto de proveedor y precios Module1200Desc=Integración Mantis Module1520Name=Generación de documentos Module1520Desc=Generación masiva de documentos de correo @@ -446,7 +436,7 @@ Module2600Desc=Habilite el servidor Dolibarr SOAP que proporciona servicios de A Module2610Name=API / servicios web (servidor REST) Module2610Desc=Habilite el servidor REST Dolibarr proporcionando servicios API Module2660Name=Llamar a WebServices (cliente SOAP) -Module2660Desc=Habilite el cliente de servicios web Dolibarr (se puede usar para enviar datos / solicitudes a servidores externos. Pedidos de proveedores admitidos solo por el momento) +Module2660Desc=Habilite el cliente de servicios web Dolibarr (se puede usar para enviar datos / solicitudes a servidores externos. Pedidos a proveedores admitidos solo por el momento) Module2700Desc=Use el servicio Gravatar en línea (www.gravatar.com) para mostrar la foto de los usuarios / miembros (que se encuentra con sus correos electrónicos). Necesita un acceso a internet Module2900Desc=Capacidades de conversiones GeoIP Maxmind Module3100Desc=Agregar un botón de Skype a los usuarios / terceros / contactos / tarjetas de miembros @@ -456,7 +446,7 @@ 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=Deje la gestión de las solicitudes +Module20000Name=Administración de peticiones días libres Module20000Desc=Declarar y seguir a los empleados deja las solicitudes Module39000Name=Lote de producto Module39000Desc=Número de lote o de serie, administración de la fecha de caducidad y de vencimiento en los productos @@ -472,7 +462,7 @@ Module59000Desc=Módulo para administrar márgenes Module60000Desc=Módulo para gestionar comisiones Module63000Desc=Administre los recursos (impresoras, automóviles, habitaciones, ...) que luego puede compartir en eventos Permission11=Lea las facturas de los clientes -Permission12=Crear / modificar facturas de clientes +Permission12=Crear/modificar facturas de clientes Permission13=Desvalorizar facturas de clientes Permission14=Validar facturas de clientes Permission15=Enviar facturas de clientes por correo electrónico @@ -486,73 +476,64 @@ Permission26=Cerrar cotizaciones Permission27=Eliminar cotizaciones Permission28=Exportar las cotizaciones Permission31=Leer productos -Permission32=Crear / modificar productos Permission36=Ver / administrar productos ocultos Permission41=Leer proyectos y tareas (proyecto compartido y proyectos para los que estoy en contacto). También puede ingresar el tiempo consumido, para mí o mi jerarquía, en las tareas asignadas (parte de horas) -Permission42=Crear / modificar proyectos (proyectos y proyectos compartidos para los que soy contacto). También puede crear tareas y asignar usuarios a proyectos y tareas +Permission42=Crear/modificar proyectos (proyectos y proyectos compartidos para los que soy contacto). También puede crear tareas y asignar usuarios a proyectos y tareas Permission44=Eliminar proyectos (proyectos compartidos y proyectos para los que soy contacto) Permission45=Proyectos de exportación Permission61=Leer intervenciones -Permission62=Crear / modificar intervenciones Permission67=Intervenciones de exportación Permission71=Leer miembros -Permission72=Crear / modificar miembros Permission75=Configurar los tipos de membresía Permission78=Leer suscripciones -Permission79=Crear / modificar suscripciones +Permission79=Crear/modificar suscripciones Permission81=Leer pedidos de clientes -Permission82=Crear / modificar pedidos de clientes Permission88=Cancelar pedidos de clientes Permission91=Leer impuestos y tina sociales o fiscales -Permission92=Crear / modificar impuestos y cánones sociales o fiscales +Permission92=Crear/modificar impuestos y cánones sociales o fiscales Permission93=Eliminar impuestos sociales y fiscales y IVA Permission94=Exportación de impuestos sociales o fiscales Permission95=Leer informes Permission101=Leer envíos -Permission102=Crear / modificar envíos +Permission102=Crear/modificar envíos Permission104=Validar envíos Permission106=Exportar envíos Permission109=Eliminar envíos Permission111=Leer cuentas financieras -Permission112=Crear / modificar / eliminar y comparar transacciones +Permission112=Crear/modificar / eliminar y comparar transacciones Permission113=Configurar cuentas financieras (crear, administrar categorías) Permission114=Conciliar transacciones Permission115=Exportar transacciones y estados de cuenta Permission116=Transferencias entre cuentas Permission117=Administrar el envío de cheques Permission121=Leer terceros vinculados al usuario -Permission122=Crear / modificar terceros vinculados al usuario +Permission122=Crear/modificar terceros vinculados al usuario Permission125=Eliminar terceros vinculados al usuario Permission126=Exportar terceros Permission141=Lee todos los proyectos y tareas (también proyectos privados para los que no estoy en contacto) -Permission142=Crear / modificar todos los proyectos y tareas (también proyectos privados para los que no estoy en contacto) +Permission142=Crear/modificar todos los proyectos y tareas (también proyectos privados para los que no estoy en contacto) Permission144=Eliminar todos los proyectos y tareas (también proyectos privados para los que no estoy en contacto) Permission146=Leer proveedores Permission147=Leer estadísticas Permission151=Lea las órdenes de pago de débito directo -Permission152=Crear / modificar una orden de pago de débito directo +Permission152=Crear/modificar una orden de pago de débito directo Permission153=Enviar / Transmitir órdenes de pago de débito directo Permission154=Registro de créditos / rechazos de órdenes de pago de débito directo -Permission161=Leer contratos / suscripciones -Permission162=Crear / modificar contratos / suscripciones +Permission161=Leer contratos/suscripciones Permission163=Activar un servicio / suscripción de un contrato Permission164=Deshabilitar un servicio / suscripción de un contrato -Permission165=Eliminar contratos / suscripciones Permission167=Contratos de exportación Permission171=Lea viajes y gastos (el suyo y sus subordinados) -Permission172=Crear / modificar viajes y gastos +Permission172=Crear/modificar viajes y gastos Permission173=Eliminar viajes y gastos Permission174=Lee todos los viajes y gastos Permission178=Viajes y gastos de exportación Permission180=Leer proveedores -Permission181=Leer pedidos de proveedores -Permission182=Crear / modificar pedidos de proveedores +Permission181=Leer pedidos a proveedores Permission183=Validar órdenes de proveedor -Permission184=Aprobar pedidos de proveedores -Permission185=Ordene o cancele pedidos de proveedores -Permission186=Reciba pedidos de proveedores -Permission187=Cerrar pedidos de proveedores -Permission188=Cancelar pedidos de proveedores +Permission185=Ordene o cancele pedidos a proveedores +Permission186=Reciba pedidos a proveedores +Permission188=Cancelar pedidos a proveedores Permission194=Lee las líneas de bandwith Permission203=Ordenar pedidos de conexiones Permission204=Solicitar conexiones @@ -563,112 +544,98 @@ Permission212=Líneas de pedido Permission213=Activar línea Permission215=Instalar proveedores Permission221=Leer correos electrónicos -Permission222=Crear / modificar correos electrónicos (tema, destinatarios ...) +Permission222=Crear/modificar correos electrónicos (tema, destinatarios ...) Permission223=Validar correos electrónicos (permite el envío) Permission229=Eliminar correos electrónicos Permission237=Ver destinatarios e información Permission238=Enviar correos manualmente Permission239=Eliminar correos después de la validación o enviado Permission241=Leer categorías -Permission242=Crear / modificar categorías Permission244=Ver los contenidos de las categorías ocultas Permission251=Leer otros usuarios y grupos PermissionAdvanced251=Leer otros usuarios Permission252=Permisos de lectura de otros usuarios -Permission253=Crear / modificar otros usuarios, grupos y permisos -PermissionAdvanced253=Crear / modificar usuarios y permisos internos / externos -Permission254=Crear / modificar solo usuarios externos +Permission253=Crear/modificar otros usuarios, grupos y permisos +PermissionAdvanced253=Crear/modificar usuarios y permisos internos / externos +Permission254=Crear/modificar solo usuarios externos Permission256=Eliminar o deshabilitar a otros usuarios Permission262=Ampliar el acceso a todos los terceros (no solo a terceros que el usuario sea un representante de ventas). No es efectivo para usuarios externos (siempre se limitan a ellos mismos para propuestas, pedidos, facturas, contratos, etc.). No es efectivo para proyectos (solo reglas sobre permisos de proyecto, visibilidad y asuntos de asignación). Permission271=Lee CA Permission272=Leer facturas Permission273=Emitir facturas Permission281=Leer contactos -Permission282=Crear / modificar contactos Permission291=Tarifas de lectura Permission292=Establecer permisos sobre las tarifas Permission293=Modificar las tarifas de los clientes Permission300=Leer códigos de barras -Permission301=Crear / modificar códigos de barras Permission302=Eliminar códigos de barras -Permission311=Servicios de lectura +Permission311=Leer Servicios Permission312=Asignar servicio / suscripción al contrato Permission331=Leer marcadores -Permission332=Crear / modificar marcadores Permission341=Lea sus propios permisos -Permission342=Crear / modificar su propia información de usuario +Permission342=Crear/modificar su propia información de usuario Permission351=Grupos de lectura Permission352=Lea los permisos de los grupos -Permission353=Crear / modificar grupos +Permission353=Crear/modificar grupos Permission354=Eliminar o deshabilitar grupos -Permission358=Usuarios de exportación Permission401=Leer descuentos -Permission402=Crear / modificar descuentos +Permission402=Crear/modificar descuentos Permission403=Validar descuentos Permission404=Eliminar descuentos -Permission501=Leer los contratos / salarios de los empleados -Permission502=Crear / modificar contratos de empleados / salarios +Permission501=Leer contratos/salarios de empleados +Permission502=Crear/modificar contratos/salarios de empleados Permission511=Leer el pago de los salarios -Permission512=Crear / modificar el pago de los salarios +Permission512=Crear/modificar el pago de los salarios Permission517=Salarios de exportación Permission520=Leer préstamos -Permission522=Crear / modificar préstamos +Permission522=Crear/modificar préstamos Permission524=Eliminar préstamos Permission525=Calculadora de préstamo de acceso Permission527=Préstamos a la exportación -Permission531=Servicios de lectura -Permission532=Crear / modificar servicios +Permission531=Leer Servicios Permission536=Ver / administrar servicios ocultos Permission538=Servicios de exportación Permission701=Leer donaciones -Permission702=Crear / modificar donaciones Permission771=Lea los informes de gastos (el suyo y sus subordinados) -Permission772=Crear / modificar informes de gastos +Permission772=Crear/modificar informes de gastos Permission773=Eliminar informes de gastos Permission774=Lea todos los informes de gastos (incluso para usuarios no subordinados) Permission775=Aprobar informes de gastos Permission776=Pagar informes de gastos Permission779=Informes de gastos de exportación -Permission1001=Leer acciones -Permission1002=Crear / modificar almacenes -Permission1004=Leer movimientos de acciones -Permission1005=Crear / modificar movimientos de stock +Permission1001=Leer stocks Permission1101=Leer órdenes de entrega -Permission1102=Crear / modificar órdenes de entrega +Permission1102=Crear/modificar órdenes de entrega Permission1104=Validar órdenes de entrega Permission1109=Eliminar pedidos de entrega Permission1181=Leer proveedores -Permission1182=Leer pedidos de proveedores -Permission1183=Crear / modificar pedidos de proveedores +Permission1182=Leer pedidos a proveedores +Permission1183=Crear/modificar pedidos a proveedores Permission1184=Validar órdenes de proveedor -Permission1185=Aprobar pedidos de proveedores -Permission1186=Ordene pedidos de proveedores -Permission1187=Acuse de recibo de pedidos de proveedores -Permission1188=Eliminar pedidos de proveedores -Permission1190=Aprobar (segunda aprobación) pedidos de proveedores +Permission1186=Ordene pedidos a proveedores +Permission1187=Acuse de recibo de pedidos a proveedores +Permission1188=Eliminar pedidos a proveedores Permission1201=Obtener el resultado de una exportación Permission1202=Crear / Modificar una exportación -Permission1231=Lea las facturas del proveedor -Permission1232=Crear / modificar facturas de proveedores +Permission1231=Leer facturas de proveedores +Permission1232=Crear/modificar facturas de proveedores Permission1235=Enviar facturas de proveedores por correo electrónico Permission1236=Exportar facturas, atributos y pagos de proveedores -Permission1237=Exportar pedidos de proveedores y sus detalles +Permission1237=Exportar pedidos a proveedores y sus detalles Permission1251=Ejecutar las importaciones masivas de datos externos en la base de datos (carga de datos) Permission1321=Exportar facturas, atributos y pagos de clientes Permission1322=Reabrir una factura paga Permission1421=Exportar pedidos y atributos de los clientes Permission20001=Lea las solicitudes de ausencia (la suya y la de sus subordinados) -Permission20002=Crea / modifica tus solicitudes de permiso +Permission20002=Crea/modifica tus solicitudes de permiso Permission20003=Eliminar solicitudes de permiso -Permission20004=Lea todas las solicitudes de licencia (incluso usuarios no subordinados) -Permission20005=Crear / modificar solicitudes de permiso para todos +Permission20004=Leer todas las solicitudes de permisos (incluso usuarios no subordinados) +Permission20005=Crear/modificar solicitudes de permiso para todos Permission20006=Solicitudes de permiso de administrador (configuración y saldo de actualización) Permission23001=Leer trabajo programado Permission23002=Crear / actualizar trabajo programado Permission23003=Eliminar trabajo programado Permission23004=Ejecutar trabajo programado -Permission2402=Crear / modificar acciones (eventos o tareas) vinculadas a su cuenta -Permission2412=Crear / modificar acciones (eventos o tareas) de otros Permission2414=Exportar acciones / tareas de otros Permission2501=Leer / Descargar documentos Permission2502=Descargar documentos @@ -680,9 +647,7 @@ Permission50101=Use el punto de venta Permission50201=Leer transacciones Permission50202=Transacciones de importación Permission54001=Impresión -Permission55002=Crear / modificar encuestas Permission59003=Lea cada margen de usuario -Permission63002=Crear / modificar recursos Permission63004=Enlace de recursos a eventos de la agenda DictionaryCompanyJuridicalType=Formas legales de terceros DictionaryProspectLevel=Nivel de potencial prospectivo @@ -699,19 +664,17 @@ DictionaryStaff=Personal DictionaryAvailability=Retraso en la entrega DictionarySource=Origen de las propuestas / órdenes DictionaryAccountancysystem=Modelos para el cuadro de cuentas -DictionaryAccountancyJournal=Revistas contables +DictionaryAccountancyJournal=Libros contables DictionaryEMailTemplates=Plantillas de correos electrónicos DictionaryProspectStatus=Estado de prospección -DictionaryHolidayTypes=Tipos de hojas +DictionaryHolidayTypes=Tipos de Vacaciones DictionaryOpportunityStatus=Estado de oportunidad para el proyecto / plomo -DictionaryExpenseTaxCat=Informe de gastos - Categorías de transporte -DictionaryExpenseTaxRange=Informe de gastos - Rango por categoría de transporte +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. VATIsUsedExampleFR=En Francia, significa empresas u organizaciones que tienen un sistema fiscal real (real simplificado real o real). Un sistema en el que se declara el IVA. VATIsNotUsedExampleFR=En Francia, significa las asociaciones que no están declaradas con IVA o las empresas, organizaciones o profesiones liberales que han elegido el sistema fiscal de microempresas (IVA en franquicia) y pagaron una franquicia con IVA sin ninguna declaración de IVA. Esta elección mostrará la referencia "IVA no aplicable - art-293B de CGI" en las facturas. -LTRate=Tarifa LocalTax1IsNotUsed=No use el segundo impuesto LocalTax1IsUsedDesc=Use un segundo tipo de impuesto (que no sea el IVA) LocalTax1IsNotUsedDesc=No use otro tipo de impuesto (que no sea el IVA) @@ -734,7 +697,7 @@ CalcLocaltax2Desc=Los informes de impuestos locales son el total de compras de i CalcLocaltax3Desc=Los informes de impuestos locales son el total de las ventas de impuestos locales LabelUsedByDefault=Etiqueta usada por defecto si no se puede encontrar traducción para el código LabelOnDocuments=Etiqueta en documentos -NbOfDays=Nb de días +NbOfDays=N° de días AtEndOfMonth=Al final del mes CurrentNext=Actual / Siguiente Offset=Compensar @@ -749,11 +712,11 @@ DatabasePort=Puerto de base DatabaseUser=Usuario de la base DatabasePassword=Contraseña de la base Tables=Mesas -NbOfRecord=Nb de registros +NbOfRecord=N° de registros DriverType=Tipo de controlador SummarySystem=Resumen de información del sistema SummaryConst=Lista de todos los parámetros de configuración de Dolibarr -MenuCompanySetup=Empresa / Organización +MenuCompanySetup=Empresa/Organización DefaultMenuManager=Administrador de menú estándar DefaultMenuSmartphoneManager=Administrador de menú de teléfono inteligente Skin=Tema de la piel @@ -767,11 +730,9 @@ PermanentLeftSearchForm=Formulario de búsqueda permanente en el menú de la izq DefaultLanguage=Lenguaje predeterminado para usar (código de idioma) EnableMultilangInterface=Habilitar interfaz multilingüe EnableShowLogo=Mostrar logo en el menú de la izquierda -CompanyInfo=Información de la empresa / organización -CompanyIds=Identidades de empresa / organización +CompanyInfo=Información empresa/organización +CompanyIds=Identidades de empresa/organización CompanyName=Nombre -CompanyZip=Cremallera -CompanyTown=Pueblo CompanyCurrency=Moneda principal DoNotSuggestPaymentMode=No sugiera NoActiveBankAccountDefined=No se definió una cuenta bancaria activa @@ -784,7 +745,7 @@ 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 de proveedores aún no procesados +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 @@ -809,7 +770,7 @@ InfoDatabase=Acerca de la base InfoPerf=Sobre representaciones BrowserOS=Sistema operativo del navegador ListOfSecurityEvents=Lista de eventos de seguridad de Dolibarr -LogEventDesc=Puede habilitar aquí el registro de eventos de seguridad de Dolibarr. Los administradores pueden ver su contenido a través del menú Herramientas del sistema - Auditoría . Advertencia, esta característica puede consumir una gran cantidad de datos en la base de datos. +LogEventDesc=Puede habilitar aquí el registro de eventos de seguridad de Dolibarr. Los administradores pueden ver su contenido a través del menú Herramientas del sistema - Auditoría. Advertencia, esta característica puede consumir una gran cantidad de datos en la base de datos. AreaForAdminOnly=Los usuarios administradores solo pueden configurar los parámetros de configuración. SystemInfoDesc=La información del sistema es información técnica miscelánea que obtienes en modo solo lectura y visible solo para los administradores. SystemAreaForAdminOnly=Esta área está disponible solo para usuarios administradores. Ninguno de los permisos de Dolibarr puede reducir este límite. @@ -827,7 +788,7 @@ TriggerAlwaysActive=Los activadores en este archivo están siempre activos, cual TriggerActiveAsModuleActive=Los disparadores en este archivo están activos ya que el módulo %s está habilitado. GeneratedPasswordDesc=Define aquí qué regla quieres usar para generar una nueva contraseña si pides tener contraseña generada automáticamente DictionaryDesc=Inserta todos los datos de referencia. Puede agregar sus valores a los valores predeterminados. -ConstDesc=Esta página le permite editar todos los demás parámetros no disponibles en páginas anteriores. Estos son principalmente parámetros reservados para desarrolladores o resolución avanzada de problemas. Para obtener una lista de opciones, marque aquí . +ConstDesc=Esta página le permite editar todos los demás parámetros no disponibles en páginas anteriores. Estos son principalmente parámetros reservados para desarrolladores o resolución avanzada de problemas. Para obtener una lista de opciones revise aquí. MiscellaneousDesc=Todos los demás parámetros relacionados con la seguridad se definen aquí. LimitsSetup=Límites / configuración de precisión LimitsDesc=Puede definir los límites, las precisiones y las optimizaciones utilizadas por Dolibarr aquí @@ -857,7 +818,7 @@ WeekStartOnDay=Primer dia de la semana RunningUpdateProcessMayBeRequired=Parece que es necesario ejecutar el proceso de actualización (la versión de programas %s difiere de la de la base de datos %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Debe ejecutar este comando desde la línea de comando después de iniciar sesión en un shell con el usuario %s o debe agregar la opción -W al final de la línea de comandos para proporcionar una contraseña de %s. DownloadMoreSkins=Más pieles para descargar -SimpleNumRefModelDesc=Devuelve el número de referencia con el formato %syymm-nnnn donde yy es año, mm es mes y nnnn es una secuencia sin orificio y sin reinicio +SimpleNumRefModelDesc=Devuelve el número de referencia con el formato %syymm-nnnn donde yy es año, mm es mes y nnnn es una secuencia sin saltos ni reinicio ShowProfIdInAddress=Mostrar id. Profesional con direcciones en documentos ShowVATIntaInAddress=Ocultar IVA Intra num con direcciones en documentos MAIN_DISABLE_METEO=Desactivar vista meteo @@ -872,13 +833,12 @@ MAIN_PROXY_PASS=Contraseña para usar el servidor proxy DefineHereComplementaryAttributes=Defina aquí todos los atributos, que aún no están disponibles de manera predeterminada, y que desea que sean compatibles con %s. ExtraFields=Atributos complementarios ExtraFieldsLines=Atributos complementarios (líneas) -ExtraFieldsLinesRec=Atributos complementarios (líneas de facturas de plantillas) -ExtraFieldsThirdParties=Atributos complementarios (tercera parte) -ExtraFieldsContacts=Atributos complementarios (contacto / dirección) +ExtraFieldsLinesRec=Atributos complementarios (líneas plantillas de facturas) +ExtraFieldsThirdParties=Atributos complementarios (terceros) +ExtraFieldsContacts=Atributos complementarios (contacto/dirección) ExtraFieldsMember=Atributos complementarios (miembro) ExtraFieldsMemberType=Atributos complementarios (tipo de miembro) ExtraFieldsCustomerInvoices=Atributos complementarios (facturas) -ExtraFieldsCustomerInvoicesRec=Atributos complementarios (facturas de plantillas) ExtraFieldsSupplierOrders=Atributos complementarios (pedidos) ExtraFieldsSupplierInvoices=Atributos complementarios (facturas) ExtraFieldsProject=Atributos complementarios (proyectos) @@ -925,7 +885,7 @@ RuleForGeneratedPasswords=Regla para generar contraseñas sugeridas o validar co DisableForgetPasswordLinkOnLogonPage=No mostrar el enlace "Olvidé mi contraseña" en la página de inicio de sesión UsersSetup=Configuración del módulo de usuarios UserMailRequired=Se requiere correo electrónico para crear un nuevo usuario -HRMSetup=Configuración del módulo HRM +HRMSetup=Configuración del módulo RRHH 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 contables (cliente o proveedor) @@ -969,7 +929,7 @@ BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Preguntar por el destino de la cuent OrdersSetup=Configuración de administración de pedidos OrdersNumberingModules=Modelos de numeración de pedidos OrdersModelModule=Modelos de documentos de pedido -WatermarkOnDraftOrders=Marca de agua en los borradores de órdenes (ninguna si está vacía) +WatermarkOnDraftOrders=Marca de agua a borradores de pedidos (ninguna si está vacía) ShippableOrderIconInList=Agregue un ícono en la lista de Pedidos que indique si el pedido se puede enviar BANK_ASK_PAYMENT_BANK_DURING_ORDER=Preguntar por el destino de la cuenta bancaria de la orden InterventionsSetup=Configuración del módulo de intervenciones @@ -1047,23 +1007,21 @@ LDAPFieldPasswordNotCrypted=La contraseña no está encriptada LDAPFieldPasswordExample=Ejemplo: userPassword LDAPFieldCommonNameExample=Ejemplo: cn LDAPFieldNameExample=Ejemplo: sn -LDAPFieldFirstName=Nombre de pila +LDAPFieldFirstName=Primer nombre LDAPFieldFirstNameExample=Ejemplo: givenName LDAPFieldMail=Dirección de correo electrónico LDAPFieldMailExample=Ejemplo: correo LDAPFieldPhone=Número de teléfono profesional LDAPFieldPhoneExample=Ejemplo: número telefonico LDAPFieldHomePhone=Número de teléfono personal -LDAPFieldHomePhoneExample=Ejemplo: teléfono de casa +LDAPFieldHomePhoneExample=Ejemplo: teléfono particular LDAPFieldMobile=Teléfono celular LDAPFieldMobileExample=Ejemplo: móvil LDAPFieldFax=Número de fax LDAPFieldFaxExample=Ejemplo: facsimiletelephonenumber LDAPFieldAddress=Calle LDAPFieldAddressExample=Ejemplo: calle -LDAPFieldZip=Cremallera LDAPFieldZipExample=Ejemplo: código postal -LDAPFieldTown=Pueblo LDAPFieldTownExample=Ejemplo: l LDAPFieldDescriptionExample=Ejemplo: descripción LDAPFieldNotePublic=Nota pública @@ -1298,7 +1256,7 @@ ListOfNotificationsPerUser=Lista de notificaciones por usuario * ListOfNotificationsPerUserOrContact=Lista de notificaciones por usuario * o por contacto ** ListOfFixedNotifications=Lista de notificaciones fijas GoOntoUserCardToAddMore=Vaya a la pestaña "Notificaciones" de un usuario para agregar o eliminar notificaciones para los usuarios -GoOntoContactCardToAddMore=Vaya a la pestaña "Notificaciones" de un tercero para agregar o eliminar notificaciones de contactos / direcciones +GoOntoContactCardToAddMore=Vaya a la pestaña "Notificaciones" de un tercero para agregar o eliminar notificaciones de contactos/direcciones Threshold=Límite BackupDumpWizard=Asistente para compilar un archivo de volcado de copia de seguridad SomethingMakeInstallFromWebNotPossible=La instalación del módulo externo no es posible desde la interfaz web por el siguiente motivo: @@ -1374,12 +1332,12 @@ DetectionNotPossible=La detección no es posible UrlToGetKeyToUseAPIs=URL para obtener token para utilizar API (una vez que se ha recibido el token, se guarda en la tabla de usuario de la base de datos y se debe proporcionar en cada llamada de API) ListOfAvailableAPIs=Lista de API disponibles activateModuleDependNotSatisfied=El módulo "%s" depende del módulo "%s" que falta, por lo que el módulo "%1$s" puede no funcionar correctamente. Instale el módulo "%2$s" o deshabilite el módulo "%1$s" si quiere estar a salvo de cualquier sorpresa -CommandIsNotInsideAllowedCommands=El comando que intenta ejecutar no está dentro de la lista de comandos permitidos definidos en el parámetro $ dolibarr_main_restrict_os_commands en el archivo conf.php . +CommandIsNotInsideAllowedCommands=El comando que intenta ejecutar no está dentro de la lista de comandos permitidos definidos en el parámetro $dolibarr_main_restrict_os_commands en el archivo conf.php. LandingPage=Página de destino SamePriceAlsoForSharedCompanies=Si utiliza un módulo multicompañía, con la opción "precio único", el precio también será el mismo para todas las empresas si los productos se comparten entre entornos ModuleEnabledAdminMustCheckRights=Módulo ha sido activado. Los permisos para los módulos activados se otorgaron solo a los usuarios administradores. Es posible que deba otorgar permisos a otros usuarios o grupos manualmente si es necesario. UserHasNoPermissions=Este usuario no tiene permiso definido -TypeCdr=Use "Ninguno" si la fecha del plazo de pago es la fecha de la factura más un delta en días (delta es el campo "Nb de días")
Utilice "Al final del mes" si, después del delta, la fecha debe aumentarse para llegar al final del mes (+ un "Offset" opcional en días)
Utilice "Current / Next" para que la fecha del plazo de pago sea la primera Nth del mes (N se almacena en el campo "Nb of days") +TypeCdr=Use "Ninguno" si la fecha del plazo de pago es la fecha de la factura más un delta en días (delta es el campo "N° de días")
Utilice "Al final del mes" si, después del delta, la fecha debe aumentarse para llegar al final del mes (+ un "Offset" opcional en días)
Utilice "Current / Next" para que la fecha del plazo de pago sea la primera Nth del mes (N se almacena en el campo "N° of days") BaseCurrency=Moneda de referencia de la empresa (entre en la configuración de la empresa para cambiar esto) WarningNoteModulePOSForFrenchLaw=Este módulo %s cumple con las leyes francesas (Loi Finance 2016) porque el módulo Registros no reversibles se activa automáticamente. 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. @@ -1387,3 +1345,4 @@ 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). DisabledResourceLinkUser=Enlace de recurso desactivado al usuario DisabledResourceLinkContact=Enlace de recurso desactivado al contacto +ConfirmUnactivation=Confirmar restablecimiento del módulo diff --git a/htdocs/langs/es_CL/agenda.lang b/htdocs/langs/es_CL/agenda.lang index be3fa584f9ecc..8b8203105cdb1 100644 --- a/htdocs/langs/es_CL/agenda.lang +++ b/htdocs/langs/es_CL/agenda.lang @@ -67,7 +67,7 @@ DefaultWorkingDays=Rango predeterminado de días laborables en la semana (Ejempl DefaultWorkingHours=Horas de trabajo predeterminadas en el día (Ejemplo: 9-18) ExtSites=Importar calendarios externos ExtSitesEnableThisTool=Mostrar los calendarios externos (definidos en la configuración global) en la agenda. No afecta los calendarios externos definidos por los usuarios. -AgendaExtNb=Calendario nb %s +AgendaExtNb=Calendario N° %s ExtSiteUrlAgenda=URL para acceder al archivo .ical DateActionBegin=Fecha del evento de inicio ConfirmCloneEvent=¿Seguro que quieres clonar el evento %s? diff --git a/htdocs/langs/es_CL/banks.lang b/htdocs/langs/es_CL/banks.lang index 203e7fa53b0cd..3134b917ba14b 100644 --- a/htdocs/langs/es_CL/banks.lang +++ b/htdocs/langs/es_CL/banks.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - banks -MenuBankCash=Banco / efectivo +MenuBankCash=Banco/Caja MenuVariousPayment=Pagos diversos MenuNewVariousPayment=Nuevo pago misceláneo BankAccount=cuenta bancaria -BankAccounts=cuentas bancarias +BankAccounts=Cuentas bancarias AccountRef=Ref de cuenta financiera AccountLabel=Etiqueta de cuenta financiera CashAccount=Cuenta de efectivo @@ -28,9 +28,6 @@ AccountStatementShort=Declaración AccountStatements=Estados de cuenta LastAccountStatements=Últimos estados de cuenta IOMonthlyReporting=Informes mensuales -BankAccountDomiciliation=Dirección de cuenta -BankAccountOwner=Nombre del propietario de la cuenta -BankAccountOwnerAddress=Dirección del propietario de la cuenta RIBControlError=La verificación de integridad de los valores falla. Esto significa que la información para este número de cuenta no está completa o es incorrecta (ver país, números e IBAN). CreateAccount=Crear una cuenta MenuNewFinancialAccount=Nueva cuenta financiera @@ -72,7 +69,7 @@ BankLineConciliated=Entrada reconciliada CustomerInvoicePayment=Pago del Cliente SupplierInvoicePayment=Pago del proveedor WithdrawalPayment=Pago de retiros -SocialContributionPayment=Pago de impuestos sociales / fiscales +SocialContributionPayment=Pago de impuestos sociales/fiscales BankTransfer=transferencia bancaria BankTransfers=transferencias bancarias TransferDesc=Transferencia de una cuenta a otra, Dolibarr escribirá dos registros (un débito en la cuenta de origen y un crédito en la cuenta de destino. Se usará la misma cantidad (excepto el signo), la etiqueta y la fecha para esta transacción) @@ -86,7 +83,7 @@ ConfirmDeleteCheckReceipt=¿Seguro que quieres eliminar este recibo de cheque? BankChecks=Cheques bancarios BankChecksToReceipt=Cheques en espera de depósito ShowCheckReceipt=Mostrar recibo de depósito de cheques -NumberOfCheques=Nb de cheque +NumberOfCheques=N° de cheque DeleteTransaction=Eliminar la entrada ConfirmDeleteTransaction=¿Seguro que quieres eliminar esta entrada? ThisWillAlsoDeleteBankRecord=Esto también eliminará la entrada bancaria generada @@ -107,7 +104,6 @@ InputReceiptNumber=Elija el extracto bancario relacionado con la conciliación. EventualyAddCategory=Eventualmente, especifique una categoría en la cual clasificar los registros ToConciliate=¿Para reconciliar? ThenCheckLinesAndConciliate=Luego, verifique las líneas presentes en el extracto bancario y haga clic -DefaultRIB=Predeterminado BAN AllRIB=Todos BAN NoBANRecord=Sin registro de BAN DeleteARib=Eliminar registro BAN diff --git a/htdocs/langs/es_CL/bills.lang b/htdocs/langs/es_CL/bills.lang index b760cd69f0fe1..0110156b9ef7e 100644 --- a/htdocs/langs/es_CL/bills.lang +++ b/htdocs/langs/es_CL/bills.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - bills -BillsCustomers=Facturas del cliente +BillsCustomers=Facturas de cliente BillsCustomer=Factura del cliente BillsCustomersUnpaid=Facturas pendientes de pago de los clientes BillsCustomersUnpaidForCompany=Facturas impagadas de los clientes para %s @@ -7,6 +7,8 @@ BillsSuppliersUnpaid=Facturas pendientes de pago del proveedor BillsSuppliersUnpaidForCompany=Facturas pendientes de pago para %s BillsLate=Pagos atrasados BillsStatistics=Estadísticas de facturas de clientes +DisabledBecauseDispatchedInBookkeeping=Desactivado porque la factura se envió a la contabilidad +DisabledBecauseNotLastInvoice=Desactivado porque la factura no se puede borrar. Algunas facturas se registraron después de esta y crearán agujeros en el contador. DisabledBecauseNotErasable=Deshabilitado porque no se puede borrar InvoiceStandardDesc=Este tipo de factura es la factura común. InvoiceDepositDesc=Este tipo de factura se realiza cuando se ha recibido un anticipo. @@ -15,10 +17,10 @@ InvoiceProFormaAsk=Factura de proforma InvoiceProFormaDesc= Factura proforma es una imagen de una factura verdadera pero no tiene valor contable. InvoiceReplacement=Factura de reemplazo InvoiceReplacementAsk=Reemplazo de factura por factura -InvoiceReplacementDesc= La factura de reemplazo se utiliza para cancelar y reemplazar completamente una factura sin pago recibido.

Nota: Solo se pueden reemplazar las facturas sin pago. Si la factura que reemplaza aún no está cerrada, se cerrará automáticamente a 'abandonada'. +InvoiceReplacementDesc=La factura de reemplazo se utiliza para cancelar y reemplazar completamente una factura sin pago recibido.

Nota: Solo se pueden reemplazar las facturas sin pago. Si la factura que reemplaza aún no está cerrada, se cerrará automáticamente a 'abandonada'. InvoiceAvoir=Nota de crédito InvoiceAvoirAsk=Nota de crédito para corregir la factura -InvoiceAvoirDesc=La nota de crédito es una factura negativa utilizada para resolver el hecho de que una factura tiene una cantidad diferente a la cantidad realmente pagada (porque el cliente pagó demasiado por error o no pagó por completo ya que devolvió algunos productos para ejemplo). +InvoiceAvoirDesc=La nota de crédito es una factura negativa utilizada para resolver el hecho de que una factura tiene una cantidad diferente a la cantidad realmente pagada (porque el cliente pagó demasiado por error o no pagó por completo ya que devolvió algunos productos para ejemplo). invoiceAvoirWithLines=Crear nota de crédito con líneas de la factura de origen invoiceAvoirWithPaymentRestAmount=Crear nota de crédito con la factura pendiente de pago de origen invoiceAvoirLineWithPaymentRestAmount=Nota de crédito por el monto restante no pagado @@ -46,7 +48,7 @@ CustomerInvoicePaymentBack=Pago de vuelta PaymentsBack=Pagos de vuelta paymentInInvoiceCurrency=en la moneda de las facturas DeletePayment=Eliminar pago -ConfirmDeletePayment=Are you sure you want to delete this payment ? +ConfirmDeletePayment=¿Seguro que quieres eliminar este pago? ConfirmConvertToReduc=¿Desea convertir este %s en un descuento absoluto?
El importe se guardará entre todos los descuentos y podría utilizarse como descuento para una factura actual o futura para este cliente. SupplierPayments=Pagos de proveedores ReceivedCustomersPayments=Pagos recibidos de los clientes @@ -121,12 +123,12 @@ RecurringInvoiceTemplate=Plantilla / factura recurrente NoQualifiedRecurringInvoiceTemplateFound=No hay una factura recurrente de la plantilla calificada para la generación. FoundXQualifiedRecurringInvoiceTemplate=Se encontró %s factura (s) de plantilla recurrente calificadas para la generación. NotARecurringInvoiceTemplate=No es una factura de plantilla recurrente -LatestTemplateInvoices=Las últimas facturas de plantilla %s -LatestCustomerTemplateInvoices=Las últimas facturas de plantilla de cliente %s -LatestSupplierTemplateInvoices=Las últimas facturas de plantilla de proveedor %s +LatestTemplateInvoices=%s últimas plantillas de facturas +LatestCustomerTemplateInvoices=%s últimas plantillas de facturas de cliente +LatestSupplierTemplateInvoices=%s últimas plantillas de facturas de proveedor LastCustomersBills=Últimas facturas de clientes %s LastSuppliersBills=Últimas facturas del proveedor %s -AllCustomerTemplateInvoices=Todas las facturas de plantilla +AllCustomerTemplateInvoices=Todas las plantillas de facturas DraftBills=Borrador de facturas CustomersDraftInvoices=Factura del cliente SuppliersDraftInvoices=Facturas de giro del proveedor @@ -156,8 +158,8 @@ ConfirmCustomerPayment=¿Confirma esta entrada de pago para %s %s? ConfirmSupplierPayment=¿Confirma esta entrada de pago para %s %s? ConfirmValidatePayment=¿Seguro que quieres validar este pago? No se puede hacer ningún cambio una vez que se valida el pago. UnvalidateBill=Desvalidar factura -NumberOfBills=Nb de facturas -NumberOfBillsByMonth=Nb de facturas por mes +NumberOfBills=N° de facturas +NumberOfBillsByMonth=N° de facturas por mes AmountOfBills=Cantidad de facturas AmountOfBillsByMonthHT=Importe de facturas por mes (neto de impuestos) ShowSocialContribution=Mostrar impuesto social / fiscal @@ -192,7 +194,7 @@ SendReminderBillByMail=Enviar recordatorio por correo electrónico RelatedCommercialProposals=Cotizaciones asociadas RelatedRecurringCustomerInvoices=Facturas de clientes recurrentes relacionadas MenuToValid=Para valido -DateMaxPayment=Pago debido en +DateMaxPayment=Compromiso de pago el DateInvoice=Fecha de la factura DatePointOfTax=Punto de impuesto NoInvoice=Sin factura @@ -205,7 +207,7 @@ SetMode=Establecer el modo de pago SetRevenuStamp=Establecer sello de ingresos Billed=Pagado RepeatableInvoice=Factura de la plantilla -RepeatableInvoices=Facturas de plantilla +RepeatableInvoices=Plantillas de factura Repeatable=Modelo ChangeIntoRepeatableInvoice=Convertir en factura de plantilla CreateRepeatableInvoice=Crear factura de plantilla @@ -214,7 +216,9 @@ CustomersInvoicesAndInvoiceLines=Facturas del cliente y líneas de la factura CustomersInvoicesAndPayments=Facturas y pagos de clientes ExportDataset_invoice_1=Lista de facturas del cliente y líneas de la factura ExportDataset_invoice_2=Facturas y pagos de clientes +ReductionShort=Dcto. Reductions=Reducciones +ReductionsShort=Dcto. AddDiscount=Crear descuento AddRelativeDiscount=Crear descuentos relativos AddGlobalDiscount=Crea un descuento absoluto @@ -253,8 +257,8 @@ WatermarkOnDraftBill=Marca de agua en borradores de facturas (nada si está vac InvoiceNotChecked=Sin factura seleccionada ConfirmCloneInvoice=¿Seguro que quieres clonar esta factura %s? DisabledBecauseReplacedInvoice=Acción deshabilitada porque la factura ha sido reemplazada -DescTaxAndDividendsArea=Esta área presenta un resumen de todos los pagos realizados para gastos especiales. Solo registro con pago durante el año fijo se incluyen aquí. -NbOfPayments=Nb de pagos +DescTaxAndDividendsArea=Esta área presenta un resumen de todos los pagos realizados para pagos especiales. Solo registro con pago durante el año fijo se incluyen aquí. +NbOfPayments=N° de pagos SplitDiscount=Split de descuento en dos ConfirmSplitDiscount=¿Seguro que quieres dividir este descuento del %s %s en 2 descuentos más bajos? TypeAmountOfEachNewDiscount=Cantidad de entrada para cada una de las dos partes: @@ -275,21 +279,17 @@ ListOfNextSituationInvoices=Lista de próximas facturas de situación 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 -NextDateToExecutionShort=Fecha próxima generación DateLastGeneration=Fecha de última generación -DateLastGenerationShort=Fecha última generación -MaxPeriodNumber=Máx nb de generación de factura -NbOfGenerationDone=Nb de generación de facturas ya hecho -NbOfGenerationDoneShort=Nb de generación hecho -MaxGenerationReached=Máximo nb de generaciones alcanzadas +MaxPeriodNumber=Máx N° de generación de factura +NbOfGenerationDone=N° de generación de facturas ya hecho +NbOfGenerationDoneShort=N° de generación hecho +MaxGenerationReached=Máximo N° de generaciones alcanzadas GeneratedFromRecurringInvoice=Generado a partir de la factura recurrente de la plantilla %s DateIsNotEnough=Fecha no alcanzada todavía InvoiceGeneratedFromTemplate=Factura %s generada a partir de la factura recurrente de la plantilla %s WarningInvoiceDateInFuture=Advertencia, la fecha de la factura es más alta que la fecha actual WarningInvoiceDateTooFarInFuture=Advertencia, la fecha de la factura está muy lejos de la fecha actual ViewAvailableGlobalDiscounts=Ver descuentos disponibles -PaymentConditionShortRECEP=Debido a la recepción -PaymentConditionRECEP=Debido a la recepción PaymentConditionShort30D=30 dias PaymentCondition30D=30 dias PaymentConditionShort30DENDMONTH=30 días de fin de mes @@ -315,8 +315,6 @@ PaymentTypePRE=Orden de pago de débito directo PaymentTypeShortPRE=Orden de pago de débito PaymentTypeCB=Tarjeta de crédito PaymentTypeShortCB=Tarjeta de crédito -PaymentTypeCHQ=Comprobar -PaymentTypeShortCHQ=Comprobar PaymentTypeTIP=TIP (Documentos contra pago) PaymentTypeVAD=Pago en línea PaymentTypeShortVAD=Pago en línea @@ -329,15 +327,15 @@ BankAccountNumberKey=Llave Residence=Débito directo IBANNumber=Número IBAN BIC=BIC / SWIFT -BICNumber=Número BIC / SWIFT +BICNumber=Identificador BIC/SWIFT ExtraInfos=Infos adicionales RegulatedOn=Regulado en ChequeNumber=Verificar N ° ChequeOrTransferNumber=Verificar / Transferir N ° ChequeBordereau=Verifique el horario -ChequeMaker=Comprobar / Transferir transmisor +ChequeMaker=Portador Cheque/Transferencia ChequeBank=Banco de cheque -CheckBank=Comprobar +CheckBank=Cheque PrettyLittleSentence=Acepte la cantidad de pagos adeudados por cheques emitidos a mi nombre como miembro de una asociación contable aprobada por la Administración Fiscal. IntracommunityVATNumber=Número intracomunitario de IVA PaymentByChequeOrderedTo=El pago del cheque (incluido el impuesto) se paga a %s enviar a @@ -420,6 +418,3 @@ DeleteRepeatableInvoice=Eliminar factura de plantilla ConfirmDeleteRepeatableInvoice=¿Estás seguro de que deseas eliminar la factura de la plantilla? CreateOneBillByThird=Cree una factura por un tercero (de lo contrario, una factura por pedido) BillCreated=%s factura (s) creada (s) -StatusOfGeneratedDocuments=Estado de la generación de documentos -DoNotGenerateDoc=No generar archivo de documento -AutogenerateDoc=Generar automáticamente archivo de documento diff --git a/htdocs/langs/es_CL/boxes.lang b/htdocs/langs/es_CL/boxes.lang index e81ceefcd2fad..ef99d84fefde0 100644 --- a/htdocs/langs/es_CL/boxes.lang +++ b/htdocs/langs/es_CL/boxes.lang @@ -1,29 +1,25 @@ # Dolibarr language file - Source file is en_US - boxes -BoxLoginInformation=Información Entrar +BoxLoginInformation=Información Login BoxLastRssInfos=Rss información BoxLastProducts=Últimos %s productos / servicios -BoxLastProductsInContract=Últimos %s productos / servicios contratados BoxLastSupplierBills=Últimas facturas del proveedor BoxLastCustomerBills=Últimas facturas de clientes BoxOldestUnpaidCustomerBills=Las facturas impagas más antiguas de los clientes BoxOldestUnpaidSupplierBills=Las facturas impagas más antiguas de proveedores BoxLastProposals=Últimas propuestas comerciales -BoxLastProspects=Últimas perspectivas modificadas +BoxLastProspects=Últimas prospectos modificados BoxLastCustomerOrders=Últimos pedidos de clientes -BoxLastContacts=Últimos contactos / direcciones BoxCurrentAccounts=Abre el saldo de cuentas BoxTitleLastRssInfos=Las últimas %s noticias de %s -BoxTitleLastProducts=Últimos productos/servicios %s modificados -BoxTitleProductsAlertStock=Productos en stock de alerta -BoxTitleLastCustomersOrProspects=Los últimos %s clientes o prospectos +BoxTitleProductsAlertStock=Productos con alerta de stock +BoxTitleLastCustomersOrProspects=Últimos %s clientes o prospectos BoxTitleLastCustomerBills=Últimas facturas de clientes %s BoxTitleLastSupplierBills=Últimas facturas del proveedor %s -BoxTitleLastModifiedProspects=Últimas %s perspectivas modificadas +BoxTitleLastModifiedProspects=Últimos %s prospectos modificados BoxTitleLastFicheInter=Últimas intervenciones modificadas con %s -BoxTitleOldestUnpaidCustomerBills=Las facturas pendientes más antiguas del cliente %s -BoxTitleOldestUnpaidSupplierBills=Las facturas de proveedor impagas %s más antiguas -BoxTitleCurrentAccounts=Abre saldos de cuentas -BoxTitleLastModifiedContacts=Últimos %s contactos / direcciones modificados +BoxTitleOldestUnpaidCustomerBills=Las %s facturas más antiguas impagas por cliente +BoxTitleOldestUnpaidSupplierBills=Las %s facturas más antiguas impagas a proveedor +BoxTitleCurrentAccounts=Cuentas con balances abiertos BoxOldestExpiredServices=Servicios expirados activos más antiguos BoxLastExpiredServices=Últimos %s contactos más antiguos con servicios activos caducados BoxTitleLastActionsToDo=Últimas %s acciones para hacer @@ -46,19 +42,16 @@ NoUnpaidSupplierBills=Sin facturas impagas de proveedores NoModifiedSupplierBills=Sin facturas registradas del proveedor NoRecordedProducts=Sin productos / servicios grabados NoRecordedProspects=Sin perspectivas registradas -NoContractedProducts=No hay productos / servicios contratados +NoContractedProducts=No hay productos/servicios contratados NoRecordedContracts=Sin contratos grabados NoRecordedInterventions=Sin intervenciones registradas -BoxLatestSupplierOrders=Últimos pedidos de proveedores BoxCustomersInvoicesPerMonth=Facturas de clientes por mes -BoxSuppliersOrdersPerMonth=Pedidos de proveedores por mes BoxProposalsPerMonth=Cotizaciones por mes NoTooLowStockProducts=Ningún producto bajo el límite de stock bajo BoxProductDistribution=Distribución de productos / servicios -BoxTitleLastModifiedSupplierBills=Últimas facturas de proveedor modificadas %s +BoxTitleLastModifiedSupplierBills=Últimas %s facturas de proveedor modificadas BoxTitleLatestModifiedSupplierOrders=Últimas %s órdenes de proveedor modificadas BoxTitleLastModifiedCustomerBills=Últimas %s facturas modificadas del cliente -BoxTitleLastModifiedCustomerOrders=Últimas %s pedidos de clientes modificados BoxTitleLastModifiedPropals=Últimas %s propuestas modificadas ForCustomersInvoices=Facturas de clientes ForProposals=Cotizaciones diff --git a/htdocs/langs/es_CL/commercial.lang b/htdocs/langs/es_CL/commercial.lang index a749504a326cb..20ee2378ddf6e 100644 --- a/htdocs/langs/es_CL/commercial.lang +++ b/htdocs/langs/es_CL/commercial.lang @@ -16,14 +16,14 @@ ShowCustomer=Mostrar cliente ShowProspect=Mostrar perspectiva ListOfProspects=Lista de prospectos ListOfCustomers=Lista de clientes -LastActionsToDo=Older %s acciones no completadas +LastDoneTasks=%s últimas acciones completadas +LastActionsToDo=%s acciones más antiguas no completadas DoneAndToDoActions=Eventos completados y pendientes DoneActions=Eventos completados ToDoActions=Eventos incompletos SendPropalRef=Envío de la cotización %s SendOrderRef=Presentación del pedido %s StatusNotApplicable=No aplica -StatusActionToDo=Que hacer StatusActionDone=Completar StatusActionInProcess=En proceso TasksHistoryForThisContact=Eventos para este contacto @@ -40,7 +40,7 @@ ActionAC_RDV=Reuniones ActionAC_INT=Intervención en el sitio ActionAC_FAC=Enviar la factura del cliente por correo ActionAC_REL=Enviar la factura del cliente por correo (recordatorio) -ActionAC_CLO=Cerca +ActionAC_CLO=Cerrar ActionAC_EMAILING=Enviar correo masivo ActionAC_COM=Enviar la orden del cliente por correo ActionAC_SHIP=Enviar el envío por correo @@ -54,5 +54,4 @@ Stats=Estadísticas de ventas StatusProsp=Estado de la perspectiva DraftPropals=Cotizaciones borrador WelcomeOnOnlineSignaturePage=Bienvenido a la página para aceptar propuestas comerciales de %s -ThisScreenAllowsYouToSignDocFrom=Esta pantalla le permite aceptar y firmar, o rechazar, una propuesta de cotización / comercial -SignatureProposalRef=Firma del presupuesto / propuesta comercial %s +ThisScreenAllowsYouToSignDocFrom=Esta pantalla le permite aceptar y firmar, o rechazar, un presupuesto/propuesta comercial diff --git a/htdocs/langs/es_CL/companies.lang b/htdocs/langs/es_CL/companies.lang index 999158baeabe0..22f96498a7309 100644 --- a/htdocs/langs/es_CL/companies.lang +++ b/htdocs/langs/es_CL/companies.lang @@ -15,13 +15,14 @@ ProspectionArea=Área de Prospección IdThirdParty=Id tercero IdCompany=ID de la compañía IdContact=ID de contacto -Contacts=Contactos / Direcciones +Contacts=Contactos/Direcciones ThirdPartyContacts=Contactos de terceros ThirdPartyContact=Contacto / dirección de terceros AliasNames=Nombre de alias (comercial, marca registrada, ...) +AliasNameShort=Alias Companies=Compañías CountryIsInEEC=El país está dentro de la Comunidad Económica Europea -ThirdPartyName=Nombre de un tercero +ThirdPartyName=Nombre de tercero ThirdPartyEmail=Correo electrónico de terceros ThirdPartyProspects=Perspectivas ThirdPartyProspectsStats=Perspectivas @@ -34,14 +35,12 @@ ReportByCustomers=Informe de los clientes CivilityCode=Código de civilidad RegisteredOffice=Oficina registrada Lastname=Apellido -Firstname=Nombre de pila -UserTitle=Título +Firstname=Primer nombre NatureOfThirdParty=Naturaleza de un tercero State=Estado / Provincia CountryCode=Código de país CountryId=Identificación del país Call=Llamada -PhonePro=Prof. teléfono PhonePerso=Pers. teléfono No_Email=Rechazar correos electrónicos masivos Town=Ciudad @@ -87,9 +86,9 @@ ProfId2TN=Prof Id 2 (matrícula fiscal) ProfId3TN=Prof Id 3 (código de Douane) ProfId1US=ID del profesor VATIntra=Número de valor agregado -VATIntraShort=Número de valor agregado +VATIntraShort=Numero IVA VATIntraSyntaxIsValid=La sintaxis es valida -ProspectCustomer=Perspectiva / Cliente +ProspectCustomer=Prospecto/Cliente Prospect=Prospectar CustomerCard=Tarjeta Cliente CustomerRelativeDiscount=Descuento relativo del cliente @@ -104,7 +103,6 @@ CustomerAbsoluteDiscountMy=Descuentos absolutos (otorgados por usted) AddContactAddress=Crear contacto / dirección EditContactAddress=Editar contacto / dirección ContactId=ID de contacto -ContactsAddresses=Contactos / Direcciones NoContactDefinedForThirdParty=Sin contacto definido para este tercero NoContactDefined=Sin contacto definido DefaultContact=Contacto / dirección predeterminados @@ -121,8 +119,8 @@ ValidityControledByModule=Validez controlada por módulo ThisIsModuleRules=Estas son las reglas para este módulo ProspectToContact=Perspectiva de contactar CompanyDeleted=La compañía "%s" eliminada de la base de datos. -ListOfContacts=Lista de contactos / direcciones -ListOfContactsAddresses=Lista de contactos / direcciones +ListOfContacts=Lista de contactos/direcciones +ListOfContactsAddresses=Lista de contactos/direcciones ListOfThirdParties=Lista de terceros ShowCompany=Mostrar un tercero ContactsAllShort=Todo (Sin filtro) @@ -137,15 +135,14 @@ NoContactForAnyOrderOrShipments=Este contacto no es un contacto para ningún ped NoContactForAnyProposal=Este contacto no es contacto de ninguna cotización NoContactForAnyContract=Este contacto no es un contacto para ningún contrato NoContactForAnyInvoice=Este contacto no es un contacto para ninguna factura -NewContactAddress=Nuevo contacto / dirección EditCompany=Editar empresa ThisUserIsNot=Este usuario no es un prospecto, cliente ni proveedor -VATIntraCheck=Comprobar +VATIntraCheck=Cheque VATIntraCheckDesc=El enlace %s permite preguntar al servicio europeo de verificación de IVA. Se requiere un acceso externo a Internet desde el servidor para que este servicio funcione. VATIntraCheckableOnEUSite=Consultar el IVA intracomunitario en el sitio de la comisión europea VATIntraManualCheck=También puede verificar manualmente desde el sitio web europeo %s -ErrorVATCheckMS_UNAVAILABLE=Comprobar no es posible. El estado miembro no proporciona el servicio de verificación (%s). -NorProspectNorCustomer=Ni perspectiva, ni cliente +ErrorVATCheckMS_UNAVAILABLE=No es posible comprobar. El servicio de verificación no proporcionado por el estado miembro (%s). +NorProspectNorCustomer=Ni prospecto, ni cliente Staff=Personal ProspectLevel=Potencial prospectivo OthersNotLinkedToThirdParty=Otros, no vinculados a un tercero @@ -174,7 +171,6 @@ NoDolibarrAccess=Sin acceso a Dolibarr ExportDataset_company_1=Terceros (Empresas / fundaciones / personas físicas) y propiedades ExportDataset_company_2=Contactos y propiedades ImportDataset_company_1=Terceros (Empresas / fundaciones / personas físicas) y propiedades -ImportDataset_company_2=Contactos / Direcciones (de terceros o no) y atributos ImportDataset_company_3=Detalles del banco ImportDataset_company_4=Terceros / representantes de ventas (afectar a los representantes de ventas de los usuarios a las empresas) DeliveryAddress=Dirección de entrega diff --git a/htdocs/langs/es_CL/compta.lang b/htdocs/langs/es_CL/compta.lang index 7ccdd44338598..a4c3095b54653 100644 --- a/htdocs/langs/es_CL/compta.lang +++ b/htdocs/langs/es_CL/compta.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - compta -MenuFinancial=Pago de facturación +MenuFinancial=Facturación/Pagos TaxModuleSetupToModifyRules=Vaya a Configuración del módulo de impuestos para modificar las reglas de cálculo TaxModuleSetupToModifyRulesLT=Vaya a Configuración de la empresa para modificar las reglas de cálculo OptionMode=Opción para contabilidad @@ -26,9 +26,9 @@ Credit=Crédito Piece=Contabilidad Doc. AmountHTVATRealReceived=Neto recaudado AmountHTVATRealPaid=Neto pagado -VATToPay=IVA vende +VATToPay=IVA Debito VATReceived=Impuesto recibido -VATToCollect=Compras de impuestos +VATToCollect=IVA Crédito VATSummary=Balance de impuestos VATPaid=Impuesto pagado LT1Summary=Resumen de impuestos 2 @@ -57,17 +57,15 @@ SpecialExpensesArea=Área para todos los pagos especiales SocialContribution=Impuesto social o fiscal LabelContrib=Contribución de etiqueta TypeContrib=Tipo contribución -MenuSpecialExpenses=Gastos especiales MenuTaxAndDividends=Impuestos y dividendos -MenuSocialContributions=Impuestos sociales / fiscales MenuNewSocialContribution=Nuevo impuesto social / fiscal NewSocialContribution=Nuevo impuesto social / fiscal AddSocialContribution=Agregar impuesto social / fiscal -ContributionsToPay=Impuestos sociales / fiscales a pagar +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 +PaymentSocialContribution=Pago de impuestos sociales/fiscales PaymentVat=Pago del IVA ListPayment=Lista de pagos ListOfCustomerPayments=Lista de pagos de clientes @@ -87,7 +85,7 @@ VATPayment=Pago de impuestos a las ventas VATPayments=Pagos de impuestos de ventas VATRefund=Reembolso del impuesto a las ventas Refund=Reembolso -SocialContributionsPayments=Pagos de impuestos sociales / fiscales +SocialContributionsPayments=Pagos de impuestos sociales/fiscales ShowVatPayment=Mostrar el pago del IVA BalanceVisibilityDependsOnSortAndFilters=El saldo es visible en esta lista solo si la tabla se ordena de forma ascendente en %s y se filtra para 1 cuenta bancaria CustomerAccountancyCode=Código de contabilidad del cliente @@ -106,11 +104,11 @@ NewCheckDeposit=Nuevo depósito de cheque NewCheckDepositOn=Crear recibo para el depósito en la cuenta: %s NoWaitingChecks=No hay cheques pendientes de depósito. DateChequeReceived=Verificar fecha de recepción -NbOfCheques=Nb de cheques +NbOfCheques=N° de cheques PaySocialContribution=Pagar un impuesto social / fiscal ConfirmPaySocialContribution=¿Estás seguro de que quieres clasificar este impuesto social o fiscal como pagado? DeleteSocialContribution=Eliminar un pago de impuestos sociales o fiscales -ConfirmDeleteSocialContribution=¿Estás seguro de que deseas eliminar este pago de impuestos sociales / fiscales? +ConfirmDeleteSocialContribution=¿Estás seguro de que deseas eliminar este pago de impuestos sociales/fiscales? ExportDataset_tax_1=Impuestos y pagos sociales y fiscales CalcModeVATDebt=Modo %sIVA sobre compromisos contables%s. CalcModeVATEngagement=Modo %s IVA en ingresos-gastos%s. @@ -166,15 +164,16 @@ Dispatch=Despacho Dispatched=Despachado ToDispatch=Para despachar ThirdPartyMustBeEditAsCustomer=El tercero debe definirse como un cliente +SellsJournal=Libro de Ventas +DescSellsJournal=Libro de Ventas CodeNotDef=No definida WarningDepositsNotIncluded=Las facturas de anticipo no están incluidas en esta versión con este módulo contable. DatePaymentTermCantBeLowerThanObjectDate=La fecha del plazo de pago no puede ser menor que la fecha del objeto. -Pcg_version=Modelos de plan de cuentas Pcg_type=Tipo de Pcg Pcg_subtype=Subtipo Pcg InvoiceLinesToDispatch=Líneas de factura para enviar RefExt=Ref externo -ToCreateAPredefinedInvoice=Para crear una factura de plantilla, cree una factura estándar, luego, sin validarla, haga clic en el botón "%s". +ToCreateAPredefinedInvoice=Para crear una plantilla de factura, cree una factura estándar, luego, sin validarla, haga clic en el botón "%s". LinkedOrder=Enlace a la orden CalculationRuleDesc=Para calcular el IVA total, hay dos métodos:
El método 1 es redondear el IVA en cada línea y luego sumarlas.
El método 2 es sumar todos los IVA en cada línea, luego redondear el resultado.
El resultado final puede diferir de algunos centavos. El modo predeterminado es el modo %s. CalculationRuleDescSupplier=De acuerdo con el proveedor, elija el método apropiado para aplicar la misma regla de cálculo y obtenga el mismo resultado esperado por su proveedor. @@ -183,7 +182,7 @@ AccountancyJournal=Revista de códigos contables ACCOUNTING_VAT_SOLD_ACCOUNT=Cuenta de contabilidad por defecto para cobrar el IVA - IVA sobre las ventas (se usa si no está definido en la configuración del diccionario del IVA) ACCOUNTING_VAT_BUY_ACCOUNT=Cuenta de contabilidad por defecto para el IVA recuperado - IVA en compras (utilizado si no está definido en la configuración del diccionario de IVA) ACCOUNTING_VAT_PAY_ACCOUNT=Cuenta de contabilidad por defecto para pagar el IVA -ACCOUNTING_ACCOUNT_CUSTOMER=Cuenta de contabilidad utilizada para terceros de clientes +ACCOUNTING_ACCOUNT_CUSTOMER=Cuenta de contabilidad utilizada para terceros clientes ACCOUNTING_ACCOUNT_CUSTOMER_Desc=La cuenta de contabilidad dedicada definida en la tarjeta de un tercero se utilizará solo para los contadores de Subledger. Este se usará para el Libro mayor y como valor predeterminado de la contabilidad del Libro mayor auxiliar si no se define una cuenta de cliente dedicada dedicada a terceros. ACCOUNTING_ACCOUNT_SUPPLIER=Cuenta de contabilidad utilizada para terceros proveedores ACCOUNTING_ACCOUNT_SUPPLIER_Desc=La cuenta de contabilidad dedicada definida en la tarjeta de un tercero se utilizará solo para los contadores de Subledger. Este se usará para el Libro mayor y como valor predeterminado de la contabilidad del Libro mayor auxiliar si no se define una cuenta de abono del proveedor dedicada a un tercero. @@ -196,7 +195,6 @@ BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=En funció SameCountryCustomersWithVAT=Informe nacional de clientes BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Según las dos primeras letras del número de IVA, es el mismo que el código de país de su empresa LinkedFichinter=Enlace a una intervención -ImportDataset_tax_contrib=Impuestos sociales / fiscales ImportDataset_tax_vat=Pagos de IVA ErrorBankAccountNotFound=Error: cuenta bancaria no encontrada FiscalPeriod=Período contable diff --git a/htdocs/langs/es_CL/ecm.lang b/htdocs/langs/es_CL/ecm.lang index e3a8b8ed01b6d..455403b320a3c 100644 --- a/htdocs/langs/es_CL/ecm.lang +++ b/htdocs/langs/es_CL/ecm.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - ecm -ECMNbOfDocs=Nb de documentos en el directorio +ECMNbOfDocs=N° de documentos en el directorio ECMAddSection=Agregar directorio ECMCreationDate=Fecha de creación ECMNbOfSubDir=Cantidad de subdirectorios @@ -29,4 +29,3 @@ ECMSelectASection=Seleccione un directorio en el árbol de la izquierda ... DirNotSynchronizedSyncFirst=Este directorio parece ser creado o modificado fuera del módulo ECM. Primero debe hacer clic en el botón "Resincronizar" para sincronizar el disco y la base de datos para obtener el contenido de este directorio. HashOfFileContent=Hash del contenido del archivo FileNotYetIndexedInDatabase=Archivo aún no indexado en la base de datos (intente volver a subirlo) -NoDirectoriesFound=No se encontraron directorios diff --git a/htdocs/langs/es_CL/install.lang b/htdocs/langs/es_CL/install.lang index 5f2d4d5df7987..e5d97d9ae471f 100644 --- a/htdocs/langs/es_CL/install.lang +++ b/htdocs/langs/es_CL/install.lang @@ -44,7 +44,7 @@ CreateDatabase=Crear base de datos CreateUser=Crear propietario u otorgarle permiso en la base de datos DatabaseSuperUserAccess=Servidor de base de datos: acceso de superusuario CheckToCreateDatabase=Marque la casilla si la base de datos no existe y debe crearse.
En este caso, debe completar el nombre de usuario / contraseña para la cuenta de superusuario en la parte inferior de esta página. -CheckToCreateUser=Marque la casilla si el propietario de la base de datos no existe y debe crearse, o si existe, pero la base de datos no existe y se deben otorgar permisos. En este caso, debe elegir su nombre de usuario y contraseña y también completar el nombre de usuario / contraseña para la cuenta de superusuario en la parte inferior de esta página. Si esta casilla no está marcada, la base de datos del propietario y sus contraseñas deben existir. +CheckToCreateUser=Marque la casilla si el propietario de la base de datos no existe y debe crearse, o si existe, pero la base de datos no existe y se deben otorgar permisos.
En este caso, debe elegir su nombre de usuario y contraseña y también completar el nombre de usuario/contraseña para la cuenta de superusuario en la parte inferior de esta página. Si esta casilla no está marcada, la base de datos del propietario y sus contraseñas deben existir. DatabaseRootLoginDescription=El inicio de sesión del usuario le permite crear nuevas bases de datos o nuevos usuarios, obligatorio si su base de datos o su propietario aún no existe. KeepEmptyIfNoPassword=Déjelo en blanco si el usuario no tiene contraseña (evítelo) SaveConfigurationFile=Guardar valores @@ -168,7 +168,6 @@ MigrationActioncommElement=Actualizar datos sobre acciones MigrationPaymentMode=Migración de datos para el modo de pago MigrationCategorieAssociation=Migración de categorías MigrationEvents=Migración de eventos para agregar el propietario del evento a la tabla de asignación -MigrationEventsContact=Migración de eventos para agregar contacto de evento en la tabla de asignación MigrationRemiseEntity=Actualizar el valor del campo de entidad de llx_societe_remise MigrationRemiseExceptEntity=Actualizar el valor del campo de entidad de llx_societe_remise_except ErrorFoundDuringMigration=Se informó un error durante el proceso de migración, por lo que el siguiente paso no está disponible. Para ignorar los errores, puede hacer clic aquí , pero la aplicación o algunas características pueden no funcionar correctamente hasta que se solucionen. diff --git a/htdocs/langs/es_CL/interventions.lang b/htdocs/langs/es_CL/interventions.lang index 9b6cfe4e25b36..c9f94d2bd0bba 100644 --- a/htdocs/langs/es_CL/interventions.lang +++ b/htdocs/langs/es_CL/interventions.lang @@ -34,7 +34,7 @@ TypeContact_fichinter_external_CUSTOMER=Seguimiento de contacto con el cliente PrintProductsOnFichinter=Imprima también líneas de tipo "producto" (no solo servicios) en la tarjeta de intervención PrintProductsOnFichinterDetails=intervenciones generadas a partir de órdenes UseServicesDurationOnFichinter=Usar la duración de los servicios para las intervenciones generadas a partir de órdenes -NbOfinterventions=Nb de tarjetas de intervención +NbOfinterventions=N° de tarjetas de intervención NumberOfInterventionsByMonth=Número de tarjetas de intervención por mes (fecha de validación) AmountOfInteventionNotIncludedByDefault=La cantidad de intervención no se incluye por defecto en los beneficios (en la mayoría de los casos, las hojas de tiempo se utilizan para contar el tiempo invertido). Agregue la opción PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT a 1 en home-setup-other para incluirlos. InterId=Id de intervención diff --git a/htdocs/langs/es_CL/main.lang b/htdocs/langs/es_CL/main.lang index a5f07fa5bb2e2..85e09b6399c48 100644 --- a/htdocs/langs/es_CL/main.lang +++ b/htdocs/langs/es_CL/main.lang @@ -31,7 +31,7 @@ ErrorCanNotCreateDir=No se puede crear el dir %s ErrorCanNotReadDir=No se puede leer dir %s ErrorConstantNotDefined=El parámetro %s no está definido ErrorLogoFileNotFound=No se encontró el archivo de logotipo '%s' -ErrorGoToGlobalSetup=Ir a la configuración de 'Empresa / Organización' para arreglar esto +ErrorGoToGlobalSetup=Ir a la configuración de 'Empresa/Organización' para arreglar esto ErrorGoToModuleSetup=Ir a la configuración del módulo para arreglar esto ErrorFailedToSendMail=Error al enviar el correo (remitente = %s, receptor = %s) ErrorFileNotUploaded=El archivo no fue cargado. Compruebe que el tamaño no exceda el máximo permitido, que el espacio libre esté disponible en el disco y que no haya un archivo con el mismo nombre en este directorio. @@ -46,10 +46,10 @@ ErrorSomeErrorWereFoundRollbackIsDone=Se encontraron algunos errores. Revertimos ErrorConfigParameterNotDefined=El parámetro %s no está definido en el archivo de configuración conf.php Dolibarr. ErrorCantLoadUserFromDolibarrDatabase=Falló al encontrar el usuario %s en la base de datos Dolibarr. ErrorNoVATRateDefinedForSellerCountry=Error, sin tasas de IVA definidas para el país '%s'. -ErrorNoSocialContributionForSellerCountry=Error, ningún tipo de impuestos sociales / fiscales definidos para el país '%s'. +ErrorNoSocialContributionForSellerCountry=Error, ningún tipo de impuestos sociales/fiscales definidos para el país '%s'. ErrorFailedToSaveFile=Error, no se pudo guardar el archivo. ErrorCannotAddThisParentWarehouse=Está intentando agregar un almacén principal que ya es hijo de uno actual -MaxNbOfRecordPerPage=Máx nb de registro por página +MaxNbOfRecordPerPage=N° máx de registro por página NotAuthorized=Usted no está autorizado a hacer eso. SetDate=Establece la fecha SeeAlso=Véase también %s @@ -87,7 +87,6 @@ NotePrivate=Nota (privado) PrecisionUnitIsLimitedToXDecimals=Dolibarr se configuró para limitar la precisión del precio unitario a %s decimales. DoTest=Prueba WarningYouHaveAtLeastOneTaskLate=Advertencia, tiene al menos un elemento que ha excedido el retraso de tolerancia. -Home=Casa OnlineHelp=Ayuda en linea Under=debajo Period=Período @@ -95,11 +94,10 @@ PeriodEndDate=Fecha de finalización del período NotClosed=No se ha cerrado Enabled=Habilitado Disable=Inhabilitar -Disabled=Discapacitado +Disabled=Deshabilitado AddLink=Agregar enlace AddToDraft=Agregar al borrador Update=Actualizar -Close=Cerca CloseBox=Retire el widget de su tablero de instrumentos ConfirmSendCardByMail=¿Realmente quieres mandar el contenido de esta tarjeta al email %s? Delete=Borrar @@ -108,15 +106,15 @@ Resiliate=Terminar Cancel=Cancelar ValidateAndApprove=Validar y aprobar ToValidate=Validar -Save=Salvar +Save=Guardar SaveAs=Guardar como TestConnection=Conexión de prueba -ToClone=Clon +ToClone=Clonar ConfirmClone=Elija los datos que desea clonar: NoCloneOptionsSpecified=No hay datos para clonar definidos. Run=correr -Show=Espectáculo -Hide=Esconder +Show=Mostrar +Hide=Ocultar ShowCardHere=Mostrar tarjeta SearchOf=Buscar Valid=Válido @@ -128,7 +126,6 @@ PasswordRetype=Reescribe tu contraseña NoteSomeFeaturesAreDisabled=Tenga en cuenta que muchas características / módulos están deshabilitados en esta demostración. PersonalValue=Valor personal MultiLanguage=Multi lenguaje -RefOrLabel=Árbitro. o etiqueta Info=Iniciar sesión Model=Plantilla de documento DefaultModel=Plantilla de documento predeterminada @@ -139,7 +136,6 @@ Logout=Cerrar sesión NoLogoutProcessWithAuthMode=Sin función de desconexión aplicativa con modo de autenticación %s Setup=Configurar Cards=Tarjetas -Card=Tarjeta DateToday=El día de hoy DateEnd=Fecha final DateCreationShort=Creat. fecha @@ -147,7 +143,7 @@ DateModificationShort=Modif. fecha DateValue=Fecha de valor DateValueShort=Fecha de valor DateOperation=Fecha de operación -DateOperationShort=Oper. Fecha +DateOperationShort=Fecha Oper. DateRequest=Fecha de solicitud DateProcess=Fecha de procesamiento DateBuild=Fecha de creación del informe @@ -159,9 +155,8 @@ UserCreationShort=Creat. usuario UserModificationShort=Modif. usuario UserValidationShort=Válido. usuario Tomorrow=mañana -HourShort=MARIDO MinuteShort=Minnesota -Rate=Tarifa +Rate=Tasa UseLocalTax=Incluye impuestos UserAuthor=Usuario de creación b=segundo. @@ -173,17 +168,17 @@ DefaultValues=Valores predeterminados UnitPriceHT=Precio unitario (neto) UnitPriceTTC=Precio unitario PriceU=ARRIBA. -PriceUHT=ARRIBA. (red) +PriceUHT=P.U. (net) PriceUHTCurrency=U.P (moneda) PriceUTTC=ARRIBA. (inc. impuesto) Amount=Cantidad AmountInvoice=Importe de la factura AmountPayment=Monto del pago AmountHTShort=Monto (neto) -AmountTTCShort=Monto (impuesto inc.) +AmountTTCShort=Monto (IVA inc.) AmountHT=Monto (neto de impuestos) AmountTTC=Monto (impuesto inc.) -AmountVAT=Impuesto a la cantidad +AmountVAT=IVA MulticurrencyAlreadyPaid=Ya pagó, moneda original MulticurrencyRemainderToPay=Permanecer en el pago, moneda original MulticurrencyPaymentAmount=Importe del pago, moneda original @@ -197,11 +192,11 @@ AmountTotal=Cantidad total AmountAverage=Cantidad promedio PriceQtyMinHT=Cantidad de precio min. (impuesto neto) SubTotal=Total parcial -TotalHTShort=Neto total) +TotalHTShort=Total (neto) TotalHTShortCurrency=Total (neto en moneda) -TotalTTCShort=Total (impuesto inc.) -TotalHT=Total (neto de impuestos) -TotalHTforthispage=Total (neto de impuestos) para esta página +TotalTTCShort=Total (IVA inc.) +TotalHT=Total +TotalHTforthispage=Total para esta página Totalforthispage=Total para esta página TotalTTC=Total (impuesto inc.) TotalTTCToYourCredit=Total (impuesto inc.) A su crédito @@ -213,7 +208,6 @@ HT=Impuesto neto TTC=Inc. impuesto INCVATONLY=IVA incluido INCT=Inc. todos los impuestos -VAT=Impuesto de venta VATs=Impuestos de ventas VATINs=IGST impuestos LT1=Impuesto a las ventas 2 @@ -225,41 +219,34 @@ DefaultTaxRate=Tasa de impuesto predeterminada Average=Promedio Module=Módulo / Aplicación Modules=Módulos / Aplicaciones -List=Lista FullList=Lista llena -Statistics=Estadística -Ref=Árbitro. -ExternalRef=Árbitro. externo -RefSupplier=Árbitro. proveedor -RefPayment=Árbitro. pago +ExternalRef=Ref. externo CommercialProposalsShort=Cotizaciones ActionsToDo=Eventos para hacer ActionsToDoShort=Que hacer ActionsDoneShort=Hecho ActionNotApplicable=No aplica ActionRunningNotStarted=Para comenzar -CompanyFoundation=Empresa / Organización +CompanyFoundation=Empresa/Organización ContactsForCompany=Contactos para este tercero -ContactsAddressesForCompany=Contactos / direcciones para este tercero +ContactsAddressesForCompany=Contactos/direcciones para este tercero AddressesForCompany=Direcciones para este tercero ActionsOnCompany=Eventos sobre este tercero ActionsOnMember=Eventos sobre este miembro -ActionsOnProduct=Eventos sobre este producto NActionsLate=%s tarde RequestAlreadyDone=Solicitud ya grabada Filter=Filtrar FilterOnInto=Criterio de búsqueda '%s' en los campos %s ChartGenerated=Gráfico generado GeneratedOn=Construir en %s -DolibarrStateBoard=Estadísticas de la base -DolibarrWorkBoard=Tablero de elementos abiertos +DolibarrStateBoard=Estadísticas en Base de Datos +DolibarrWorkBoard=Tablero de items pendientes NoOpenedElementToProcess=Sin elemento abierto para procesar NotYetAvailable=No disponible aún Categories=Etiquetas / categorías Category=Etiqueta / categoría Qty=Cantidad ChangedBy=Cambiado por -Refused=Rehusó ResultKo=Fracaso Reporting=Informes Drafts=Borrador @@ -268,10 +255,9 @@ Size=tamaño Topic=Tema ByCompanies=Por terceros ByUsers=Por los usuarios -Links=Campo de golf Link=Enlazar Rejects=Rechaza -Preview=Avance +Preview=Previsualizar NextStep=Próximo paso None=Ninguna Late=Tarde @@ -288,10 +274,8 @@ MayMin=Mayo Month05=Mayo MonthShort01=Ene MonthShort04=Abr -MonthShort05=Mayo MonthShort08=Ago MonthShort12=Dic -AttachedFiles=Archivos adjuntos y documentos JoinMainDoc=Unir el documento principal DateFormatYYYYMMDD=AAAA-MM-DD DateFormatYYYYMMDDHHMM=AAAA-MM-DD HH: SS @@ -302,14 +286,14 @@ Fill=Llenar Reset=Reiniciar NotAllowed=No permitido ReadPermissionNotAllowed=Permiso de lectura no permitido -AmountInCurrency=Monto en %s moneda +AmountInCurrency=Monto en %s NoExample=Ningún ejemplo NbOfThirdParties=Cantidad de terceros NbOfLines=Número de líneas NbOfObjectReferers=Número de artículos relacionados Referers=Artículos relacionados DateFrom=Desde %s -Check=Comprobar +Check=Cheque Uncheck=Desmarcar Internals=Interno Externals=Externo @@ -320,7 +304,6 @@ CustomerPreview=Vista previa del cliente SupplierPreview=Vista previa del proveedor ShowCustomerPreview=Mostrar vista previa del cliente ShowSupplierPreview=Mostrar vista previa del proveedor -RefCustomer=Árbitro. cliente Currency=Moneda InfoAdmin=Información para administradores Undo=Deshacer @@ -354,7 +337,7 @@ CompleteOrNoMoreReceptionExpected=Completo o nada más esperado YouCanChangeValuesForThisListFromDictionarySetup=Puede cambiar los valores para esta lista desde el menú Configuración - Diccionarios YouCanChangeValuesForThisListFrom=Puede cambiar los valores para esta lista desde el menú %s YouCanSetDefaultValueInModuleSetup=Puede establecer el valor predeterminado utilizado al crear un nuevo registro en la configuración del módulo -Documents=Archivos vinculados +Documents=Archivos UploadDisabled=Carga inhabilitada MenuAgendaGoogle=Agenda de Google ThisLimitIsDefinedInSetup=Límite Dolibarr (menú home-setup-security): %s Kb, límite PHP: %s Kb @@ -403,7 +386,6 @@ ClickToEdit=Haz click para editar EditHTMLSource=Editar fuente HTML ByCountry=Por país ByTown=Por la ciudad -ByMonthYear=Por mes / año BySalesRepresentative=Por representante de ventas LinkedToSpecificUsers=Vinculado a un contacto de usuario particular NoResults=No hay resultados @@ -464,7 +446,6 @@ EMailTemplates=Plantillas de correos electrónicos FileNotShared=Archivo no compartido para el público externo Monday=lunes Tuesday=martes -Wednesday=miércoles Thursday=jueves Friday=viernes Saturday=sábado @@ -473,12 +454,11 @@ MondayMin=Mes WednesdayMin=Nosotros Day1=lunes Day2=martes -Day3=miércoles Day4=jueves Day5=viernes Day6=sábado Day0=domingo -ShortMonday=METRO +ShortWednesday=M SelectMailModel=Seleccione una plantilla de correo electrónico Select2ResultFoundUseArrows=Algunos resultados encontrados. Usa las flechas para seleccionar. Select2NotFound=No se han encontrado resultados @@ -488,14 +468,13 @@ Select2MoreCharacters=o más personajes Select2MoreCharactersMore= Sintaxis de búsqueda:
| O (a | b)
* Cualquier carácter (a * b)
^ Comience con (^ ab)
$ Finaliza con (ab $)
Select2LoadingMoreResults=Cargando más resultados ... Select2SearchInProgress=Búsqueda en progreso ... -SearchIntoCustomerInvoices=Facturas del cliente -SearchIntoCustomerOrders=Pedidos de los clientes -SearchIntoSupplierOrders=Pedidos de proveedores +SearchIntoCustomerInvoices=Facturas de cliente +SearchIntoSupplierOrders=Pedidos a proveedores SearchIntoCustomerProposals=Propuestas de clientes SearchIntoSupplierProposals=Propuestas de proveedores SearchIntoCustomerShipments=Envíos de clientes SearchIntoExpenseReports=Reporte de gastos -SearchIntoLeaves=Hojas +SearchIntoLeaves=Vacaciones NbComments=Numero de comentarios CommentAdded=Comentario agregado Everybody=Todos diff --git a/htdocs/langs/es_CL/members.lang b/htdocs/langs/es_CL/members.lang index 17bd9e285be2f..29d57cd65b878 100644 --- a/htdocs/langs/es_CL/members.lang +++ b/htdocs/langs/es_CL/members.lang @@ -6,7 +6,7 @@ ShowMember=Mostrar tarjeta de miembro ThirdpartyNotLinkedToMember=Tercero no vinculado a un miembro MembersTickets=Entradas de los miembros FundationMembers=Miembros de la fundación -ErrorMemberIsAlreadyLinkedToThisThirdParty=Otro miembro (nombre: %s, login: %s) ya está vinculado a un tercero %s. Primero elimine este enlace porque un tercero no puede vincularse solo a un miembro (y viceversa). +ErrorMemberIsAlreadyLinkedToThisThirdParty=Otro miembro (nombre: %s, login: %s) ya está asignado al tercero %s. Primero elimine la asignación, porque un tercero no puede vincularse solo a un miembro (y viceversa). ErrorUserPermissionAllowsToLinksToItselfOnly=Por razones de seguridad, debe tener permiso para editar a todos los usuarios para poder vincular a un miembro con un usuario que no es el suyo. ThisIsContentOfYourCard=Hola.

Esto es un recordatorio de la información que obtenemos sobre usted. No dude en contactarnos si algo parece estar mal.

CardContent=Contenido de su tarjeta de miembro diff --git a/htdocs/langs/es_CL/orders.lang b/htdocs/langs/es_CL/orders.lang index 3af6c9560bb33..b224a65c2717b 100644 --- a/htdocs/langs/es_CL/orders.lang +++ b/htdocs/langs/es_CL/orders.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - orders OrdersArea=Área de pedidos de clientes -SuppliersOrdersArea=Área de pedidos de proveedores +SuppliersOrdersArea=Área de pedidos a proveedores OrderCard=Tarjeta de pedido OrderId=Solicitar ID Order=Orden @@ -8,46 +8,41 @@ OrderLine=Fila para ordenar OrderDate=Fecha de orden OrderDateShort=Fecha de orden OrderToProcess=Orden para procesar -NewOrder=Nuevo orden +NewOrder=Nueva orden ToOrder=Hacer orden MakeOrder=Hacer orden -SupplierOrder=Orden del proveedor -SuppliersOrders=Pedidos de proveedores -SuppliersOrdersRunning=Pedidos de proveedores actuales +SupplierOrder=Orden al proveedor +SuppliersOrders=Pedidos a proveedores +SuppliersOrdersRunning=Pedidos a proveedores actuales CustomerOrder=Pedido del cliente -CustomersOrders=Pedidos de los clientes CustomersOrdersRunning=Pedidos de clientes actuales OrdersDeliveredToBill=Pedidos de clientes entregados a la cuenta OrdersToBill=Pedidos de clientes entregados OrdersToProcess=Pedidos de clientes para procesar -SuppliersOrdersToProcess=Pedidos de proveedores para procesar +SuppliersOrdersToProcess=Pedidos a proveedores para procesar StatusOrderCanceledShort=Cancelado StatusOrderSentShort=En proceso StatusOrderSent=Envío en proceso -StatusOrderOnProcessShort=Ordenado StatusOrderProcessedShort=Procesada StatusOrderDelivered=Entregado StatusOrderDeliveredShort=Entregado StatusOrderToBillShort=Entregado -StatusOrderRefusedShort=Rehusó StatusOrderBilledShort=Pagado StatusOrderToProcessShort=Para procesar -StatusOrderReceivedPartiallyShort=Parcialmente recibido StatusOrderCanceled=Cancelado StatusOrderDraft=Borrador (debe ser validado) StatusOrderOnProcess=Pedido - Recepción en espera StatusOrderOnProcessWithValidation=Pedido: recepción o validación en espera StatusOrderProcessed=Procesada StatusOrderToBill=Entregado -StatusOrderRefused=Rehusó StatusOrderBilled=Pagado -StatusOrderReceivedPartially=Parcialmente recibido +StatusOrderReceivedAll=Recibidos completamente ShippingExist=Existe un envío QtyOrdered=Cantidad ordenada ProductQtyInDraft=Cantidad de producto en órdenes de giro ProductQtyInDraftOrWaitingApproved=Cantidad de producto en borradores o pedidos aprobados, aún no ordenados MenuOrdersToBill=Pedidos entregados -CreateOrder=Crear orden +CreateOrder=Crear Pedido RefuseOrder=Orden de rechazo ApproveOrder=Aprobar orden Approve2Order=Aprobar orden (segundo nivel) @@ -56,15 +51,14 @@ UnvalidateOrder=Desvalidar orden DeleteOrder=Eliminar orden CancelOrder=Cancelar orden OrderReopened=Ordene %s Reabierto -AddOrder=Crear orden AddToDraftOrders=Añadir a orden de borrador OrdersOpened=Órdenes para procesar -NoDraftOrders=No hay borradores de órdenes +NoDraftOrders=No hay borradores de pedidos NoOrder=Sin orden NoSupplierOrder=Sin orden de proveedor LastOrders=Últimas %s pedidos de clientes LastCustomerOrders=Últimas %s pedidos de clientes -LastSupplierOrders=Últimas %s pedidos de proveedores +LastSupplierOrders=%s últimos pedidos a proveedores LastModifiedOrders=Últimas %s órdenes modificadas AllOrders=Todas las órdenes NbOfOrders=Numero de ordenes @@ -81,13 +75,13 @@ ConfirmCancelOrder=¿Seguro que quieres cancelar esta orden? ConfirmMakeOrder=¿Estas seguro que deseas confirmar esta orden realizada %s? GenerateBill=Generar factura ClassifyShipped=Clasificar entregado -DraftOrders=Borradores de órdenes -DraftSuppliersOrders=Borrador de pedidos de proveedores +DraftOrders=Borradores de pedidos +DraftSuppliersOrders=Borrador de pedidos a proveedores OnProcessOrders=En órdenes de proceso -RefOrder=Árbitro. orden -RefCustomerOrder=Árbitro. orden para el cliente -RefOrderSupplier=Árbitro. orden para el proveedor -RefOrderSupplierShort=Árbitro. proveedor de la orden +RefOrder=Ref. orden +RefCustomerOrder=Ref. orden para el cliente +RefOrderSupplier=Ref. orden para el proveedor +RefOrderSupplierShort=Ref. proveedor de la orden SendOrderByMail=Enviar pedido por correo ActionsOnOrder=Eventos por encargo NoArticleOfTypeProduct=Ningún artículo del tipo 'producto' por lo que no se puede enviar un artículo para este pedido @@ -120,7 +114,7 @@ OrderByEMail=Correo electrónico PDFEinsteinDescription=Un modelo de pedido completo (logotipo ...) PDFEdisonDescription=Un modelo de orden simple PDFProformaDescription=Una factura proforma completa (logotipo ...) -CreateInvoiceForThisCustomer=Órdenes de Bill +CreateInvoiceForThisCustomer=Pagar Pedidos NoOrdersToInvoice=No hay pedidos facturables CloseProcessedOrdersAutomatically=Clasifique "Procesado" todas las órdenes seleccionadas. OrderCreation=Creación de orden @@ -129,6 +123,5 @@ OrderCreated=Tus pedidos han sido creados OrderFail=Se produjo un error durante la creación de sus pedidos ToBillSeveralOrderSelectCustomer=Para crear una factura para varios pedidos, haga clic primero en el cliente, luego elija "%s". OptionToSetOrderBilledNotEnabled=La opción (del flujo de trabajo del módulo) para configurar el pedido en 'Facturado' automáticamente cuando se valida la factura está desactivado, por lo que deberá establecer el estado de la orden en 'Facturado' manualmente. -IfValidateInvoiceIsNoOrderStayUnbilled=Si la validación de la factura es 'No', la orden permanecerá en estado 'Sin facturar' hasta que la factura sea validada. CloseReceivedSupplierOrdersAutomatically=Cierre el pedido a "%s" automáticamente si se reciben todos los productos. SetShippingMode=Establecer el modo de envío diff --git a/htdocs/langs/es_CL/other.lang b/htdocs/langs/es_CL/other.lang index c2ab4338c5bb5..dcbeb67cdb674 100644 --- a/htdocs/langs/es_CL/other.lang +++ b/htdocs/langs/es_CL/other.lang @@ -59,7 +59,7 @@ TotalSizeOfAttachedFiles=Tamaño total de los archivos / documentos adjuntos MaxSize=Talla máxima AttachANewFile=Adjunte un nuevo archivo / documento LinkedObject=Objeto vinculado -NbOfActiveNotifications=Número de notificaciones (nb de correos electrónicos de destinatarios) +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\n__ONLINE_PAYMENT_URL__\n\n__(Sinceramente)__\n\n__USER_SIGNATURE__ @@ -108,17 +108,17 @@ EnableGDLibraryDesc=Instale o habilite la biblioteca de GD en su instalación de ProfIdShortDesc=Prof Id %s es una información que depende del país de un tercero.
Por ejemplo, para el país %s, es el código%s. DolibarrDemo=Demo de Dolibarr ERP / CRM StatsByNumberOfUnits=Estadísticas para suma de cantidad de productos / servicios -StatsByNumberOfEntities=Estadísticas en número de entidades remitentes (nb de factura, u orden ...) +StatsByNumberOfEntities=Estadísticas en número de entidades remitentes (N° de factura, u orden ...) NumberOfProposals=Número de propuestas NumberOfCustomerInvoices=Número de facturas de clientes NumberOfSupplierProposals=Número de propuestas de proveedores -NumberOfSupplierOrders=Número de pedidos de proveedores +NumberOfSupplierOrders=Número de pedidos a proveedores NumberOfSupplierInvoices=Número de facturas del proveedor NumberOfUnitsProposals=Número de unidades en las propuestas NumberOfUnitsCustomerOrders=Número de unidades en pedidos de clientes NumberOfUnitsCustomerInvoices=Número de unidades en las facturas de los clientes NumberOfUnitsSupplierProposals=Número de unidades en propuestas de proveedores -NumberOfUnitsSupplierOrders=Número de unidades en pedidos de proveedores +NumberOfUnitsSupplierOrders=Número de unidades en pedidos a proveedores NumberOfUnitsSupplierInvoices=Número de unidades en las facturas del proveedor EMailTextInterventionAddedContact=Se le ha asignado una nueva intervención %s. EMailTextInterventionValidated=La intervención %s ha sido validada. @@ -155,6 +155,7 @@ ForgetIfNothing=Si no solicitó este cambio, simplemente olvide este correo elec IfAmountHigherThan=Si la cantidad es superior a %s SourcesRepository=Repositorio de fuentes PassEncoding=Codificación de contraseña +PermissionsAdd=Permisos agregados 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 774b6fec967b4..068f78e0cf332 100644 --- a/htdocs/langs/es_CL/products.lang +++ b/htdocs/langs/es_CL/products.lang @@ -15,14 +15,14 @@ ProductAccountancySellCode=Código de contabilidad (venta) ProductOrService=Producto o Servicio ProductsAndServices=Productos y Servicios ProductsOrServices=Productos o Servicios +ProductsOnSaleOnly=Productos solo para venta ProductsOnPurchaseOnly=Productos solo para compra ProductsNotOnSell=Productos no en venta y no en compra -ProductsOnSellAndOnBuy=Productos para la venta y para la compra +ProductsOnSellAndOnBuy=Productos para venta y compra ServicesOnSaleOnly=Servicios solo para venta ServicesOnPurchaseOnly=Servicios solo para compra ServicesNotOnSell=Servicios no en venta y no en compra -ServicesOnSellAndOnBuy=Servicios para la venta y para la compra -LastModifiedProductsAndServices=Últimos productos/servicios %s modificados +ServicesOnSellAndOnBuy=Servicios para venta y compra LastRecordedProducts=Últimos %s productos grabados LastRecordedServices=Últimos %s servicios grabados CardProduct0=Tarjeta de producto @@ -112,8 +112,6 @@ PriceByQuantityRange=Rango Cantidad MultipriceRules=Reglas del segmento de precios UseMultipriceRules=Utilice las reglas del segmento de precios (definidas en la configuración del módulo del producto) para autocalcular los precios de todos los demás segmentos de acuerdo con el primer segmento KeepEmptyForAutoCalculation=Manténgase vacío para que esto se calcule automáticamente a partir del peso o volumen de productos -VariantRefExample=Ejemplo: COL -VariantLabelExample=Ejemplo: Color Build=Producir ProductsMultiPrice=Productos y precios para cada segmento de precio ProductsOrServiceMultiPrice=Precios del cliente (de productos o servicios, precios múltiples) @@ -180,8 +178,6 @@ VolumeUnits=Unidad de volumen SizeUnits=Unidad de tamaño ConfirmDeleteProductBuyPrice=¿Estás seguro de que deseas eliminar este precio de compra? SubProduct=Sub producto -PossibleValues=Valores posibles -GoOnMenuToCreateVairants=Vaya al menú %s - %s para preparar variantes de atributos (como colores, tamaño, ...) ProductAttributeName=Atributo de variante %s ProductAttributeDeleteDialog=¿Estás seguro de que deseas eliminar este atributo? Todos los valores serán eliminados ProductAttributeValueDeleteDialog=¿Estás seguro de que deseas eliminar el valor "%s" con la referencia "%s" de este atributo? @@ -200,7 +196,7 @@ TooMuchCombinationsWarning=Generar muchas variantes puede dar como resultado una DoNotRemovePreviousCombinations=No eliminar variantes anteriores UsePercentageVariations=Usar variaciones porcentuales ErrorDeletingGeneratedProducts=Hubo un error al intentar eliminar las variantes de productos existentes -NbOfDifferentValues=Nb de diferentes valores +NbOfDifferentValues=N° de diferentes valores NbProducts=Nótese bien. de productos ParentProduct=Producto principal HideChildProducts=Ocultar productos variantes diff --git a/htdocs/langs/es_CL/projects.lang b/htdocs/langs/es_CL/projects.lang index 71f3dec5a3c33..19dc9aa1b695b 100644 --- a/htdocs/langs/es_CL/projects.lang +++ b/htdocs/langs/es_CL/projects.lang @@ -1,6 +1,4 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Árbitro. proyecto -ProjectRef=Proyecto ref. ProjectId=Proyecto Id ProjectLabel=Etiqueta del proyecto ProjectsArea=Área de proyectos @@ -14,12 +12,12 @@ TasksOnProjectsPublicDesc=Esta vista presenta todas las tareas en proyectos que ProjectsPublicTaskDesc=Esta vista presenta todos los proyectos y tareas que puede leer. ProjectsDesc=Esta vista presenta todos los proyectos (sus permisos de usuario le otorgan permiso para ver todo). TasksOnProjectsDesc=Esta vista presenta todas las tareas en todos los proyectos (sus permisos de usuario le otorgan permiso para ver todo). -MyTasksDesc=Esta vista se limita a proyectos o tareas para los que es contacto. +MyTasksDesc=Esta sección está limitada a proyectos o tareas en las que eres contacto. OnlyOpenedProject=Solo los proyectos abiertos son visibles (los proyectos en borrador o cerrados no son visibles). TasksPublicDesc=Esta vista presenta todos los proyectos y tareas que puede leer. TasksDesc=Esta vista presenta todos los proyectos y tareas (sus permisos de usuario le otorgan permiso para ver todo). AllTaskVisibleButEditIfYouAreAssigned=Todas las tareas para proyectos calificados son visibles, pero puede ingresar la hora solo para la tarea asignada al usuario seleccionado. Asignar tarea si necesita ingresar tiempo en ella. -OnlyYourTaskAreVisible=Solo las tareas asignadas a usted son visibles. Asignar la tarea a ti mismo si no está visible y necesitas ingresar tiempo en ella. +OnlyYourTaskAreVisible=Solo las tareas asignadas a ti son visibles. Asigna la tarea a ti mismo si no está visible y si necesitas ingresarle tiempo. ProjectCategories=Etiquetas / categorías de proyecto ConfirmDeleteAProject=¿Seguro que quieres eliminar este proyecto? ConfirmDeleteATask=¿Seguro que quieres eliminar esta tarea? @@ -29,17 +27,14 @@ ShowProject=Mostrar proyecto ShowTask=Mostrar tarea SetProject=Establecer proyecto NoProject=Ningún proyecto definido o propiedad -NbOfProjects=Nb de proyectos -NbOfTasks=Nb de tareas -TimeSpent=Tiempo usado +NbOfProjects=N° de proyectos +NbOfTasks=N° de tareas TimeSpentByYou=Tiempo pasado por ti TimeSpentByUser=Tiempo dedicado por el usuario -TimesSpent=Tiempo usado -RefTask=Árbitro. tarea +TimesSpent=Tiempo dedicado LabelTask=Etiqueta de tarea TaskTimeSpent=Tiempo dedicado a tareas -NewTimeSpent=Tiempo usado -MyTimeSpent=Mi tiempo pasó +NewTimeSpent=Tiempo dedicado TaskDateStart=Fecha de inicio de la tarea TaskDateEnd=Fecha de finalización de tarea TaskDescription=Descripción de la tarea @@ -57,8 +52,8 @@ GoToListOfTasks=Ir a la lista de tareas ListProposalsAssociatedProject=Listado de cotizaciones asociadas al proyecto ListOrdersAssociatedProject=Lista de pedidos de clientes asociados con el proyecto ListInvoicesAssociatedProject=Lista de facturas de clientes asociadas con el proyecto -ListPredefinedInvoicesAssociatedProject=Lista de facturas de plantilla de cliente asociadas con el proyecto -ListSupplierOrdersAssociatedProject=Lista de pedidos de proveedores asociados con el proyecto +ListPredefinedInvoicesAssociatedProject=Lista de plantillas de facturas de cliente asociadas al proyecto +ListSupplierOrdersAssociatedProject=Lista de pedidos a proveedores asociados con el proyecto ListSupplierInvoicesAssociatedProject=Lista de facturas de proveedores asociadas con el proyecto ListContractAssociatedProject=Lista de contratos asociados con el proyecto ListShippingAssociatedProject=Lista de envíos asociados con el proyecto @@ -73,7 +68,6 @@ ActivityOnProjectThisWeek=Actividad en proyecto esta semana ActivityOnProjectThisMonth=Actividad en proyecto este mes ActivityOnProjectThisYear=Actividad en proyecto este año ChildOfProjectTask=Hijo del proyecto / tarea -ChildOfTask=Hijo de la tarea NotOwnerOfProject=No es dueño de este proyecto privado CantRemoveProject=Este proyecto no puede eliminarse ya que otros objetos lo hacen referencia (factura, pedidos u otros). Ver la pestaña de referers. ConfirmValidateProject=¿Seguro que quieres validar este proyecto? @@ -93,7 +87,7 @@ LinkedToAnotherCompany=Vinculado a otro tercero TaskIsNotAssignedToUser=Tarea no asignada al usuario. Use el botón '%s' para asignar la tarea ahora. ErrorTimeSpentIsEmpty=El tiempo pasado está vacío ThisWillAlsoRemoveTasks=Esta acción también borrara todo las tareas del proyecto (%s tareas al momento) y todas las entradas de tiempo consumido. -IfNeedToUseOhterObjectKeepEmpty=Si algunos objetos (factura, orden, ...), pertenecientes a otro tercero, deben estar vinculados al proyecto para crear, manténgalos vacíos para que el proyecto sea de varios terceros. +IfNeedToUseOhterObjectKeepEmpty=Si algunos objetos (factura, orden, ...), pertenecen a otro tercero, deben estar vinculados al proyecto para crear, manténgalos vacíos para que el proyecto sea de varios terceros. CloneProject=Proyecto clon CloneTasks=Clonar tareas CloneContacts=Clon contactos @@ -113,15 +107,15 @@ OpportunityAmount=Cantidad de oportunidad OpportunityAmountShort=Opp. cantidad OpportunityAmountAverageShort=Opp promedio cantidad OpportunityAmountWeigthedShort=Opp ponderado cantidad -WonLostExcluded=Ganado / Perdido excluido +WonLostExcluded=Ganado/Perdido excluido TypeContact_project_internal_PROJECTLEADER=Líder del proyecto TypeContact_project_external_PROJECTLEADER=Líder del proyecto -TypeContact_project_internal_PROJECTCONTRIBUTOR=Contribuyente -TypeContact_project_external_PROJECTCONTRIBUTOR=Contribuyente -TypeContact_project_task_internal_TASKEXECUTIVE=Ejecutivo de tareas -TypeContact_project_task_external_TASKEXECUTIVE=Ejecutivo de tareas -TypeContact_project_task_internal_TASKCONTRIBUTOR=Contribuyente -TypeContact_project_task_external_TASKCONTRIBUTOR=Contribuyente +TypeContact_project_internal_PROJECTCONTRIBUTOR=Colaborador +TypeContact_project_external_PROJECTCONTRIBUTOR=Colaborador +TypeContact_project_task_internal_TASKEXECUTIVE=Ejecutor de tarea +TypeContact_project_task_external_TASKEXECUTIVE=Ejecutor de tarea +TypeContact_project_task_internal_TASKCONTRIBUTOR=Colaborador +TypeContact_project_task_external_TASKCONTRIBUTOR=Colaborador SelectElement=Seleccionar elemento AddElement=Enlace al elemento DocumentModelBeluga=Plantilla de proyecto para vista general de objetos vinculados @@ -130,7 +124,6 @@ PlannedWorkload=Carga de trabajo planificada ProjectReferers=Artículos relacionados ProjectMustBeValidatedFirst=El proyecto debe ser validado primero FirstAddRessourceToAllocateTime=Asignar un recurso de usuario a la tarea para asignar tiempo -InputDetail=Detalle de entrada TimeAlreadyRecorded=Este es el tiempo que ya se ha registrado para esta tarea / día y el usuario %s TimeSpentBy=Tiempo consumido por AssignTaskToMe=Asignarme una tarea @@ -145,7 +138,7 @@ ProjectOppAmountOfProjectsByMonth=Cantidad de oportunidades por mes ProjectWeightedOppAmountOfProjectsByMonth=Cantidad ponderada de oportunidades por mes ProjectOpenedProjectByOppStatus=Abrir proyecto / conducir por estado de oportunidad ProjectsStatistics=Estadísticas de proyectos / leads -TasksStatistics=Estadísticas sobre proyectos / tareas principales +TasksStatistics=Estadísticas sobre proyectos/tareas principales TaskAssignedToEnterTime=Tarea asignada Ingresar el tiempo en esta tarea debería ser posible. IdTaskTime=Tiempo de la tarea de identificación YouCanCompleteRef=Si desea completar la referencia con cierta información (para utilizarla como filtros de búsqueda), se recomienda agregar un carácter para separarla, por lo que la numeración automática seguirá funcionando correctamente para los próximos proyectos. Por ejemplo %s-ABC. También puede preferir agregar claves de búsqueda en la etiqueta. Pero la mejor práctica puede ser agregar un campo dedicado, también llamado atributos complementarios. @@ -156,7 +149,8 @@ OpportunityPonderatedAmount=Cantidad ponderada de oportunidades OpportunityPonderatedAmountDesc=Cantidad de oportunidades ponderada con probabilidad OppStatusQUAL=Calificación OppStatusPROPO=Cotización +AllowToLinkFromOtherCompany=Permitir vincular proyecto de otra empresa

Valores admitidos:
- Mantener vacío: puede vincular cualquier proyecto de la empresa (predeterminado)
- "todo": puede vincular cualquier proyecto, incluso proyecto de otras empresas
- Una lista de identificación de terceros separada por comas: puede vincular todos los proyectos de estos terceros definidos (Ejemplo: 123,4795,53)
LatestProjects=Últimos %s proyectos LatestModifiedProjects=Últimos proyectos modificados %s -OtherFilteredTasks=Otras tareas filtradas +NoAssignedTasks=Sin tareas asignadas (se asigna proyecto / tareas desde el cuadro de selección superior para ingresar la hora en él) AllowCommentOnProject=Permitir comentarios de los usuarios sobre los proyectos diff --git a/htdocs/langs/es_CL/workflow.lang b/htdocs/langs/es_CL/workflow.lang index 9bca2f3b442df..cd9e6580ee7aa 100644 --- a/htdocs/langs/es_CL/workflow.lang +++ b/htdocs/langs/es_CL/workflow.lang @@ -6,7 +6,7 @@ descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Crear automáticamente un pedido de cliente descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de que se firme una propuesta comercial (la nueva factura tendrá el mismo importe que la propuesta) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=Crear automáticamente una factura de cliente después de que un contrato es validado descWORKFLOW_ORDER_AUTOCREATE_INVOICE=Cree automáticamente una factura de cliente después de cerrar una orden de cliente (la nueva factura tendrá el mismo importe que la orden) -descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifique la (s) propuesta (s) fuente (s) vinculada (s) a facturar cuando el pedido del cliente se configura para facturar (y si el monto del pedido es igual al monto total de propuestas vinculadas firmadas) +descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasifique la(s) fuente(s) propuesta(s) vinculada(s) a facturar cuando el pedido del cliente se configura para facturar (y si el monto del pedido es igual al monto total de propuestas vinculadas firmadas) descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasifique la (s) propuesta (s) fuente (s) vinculada (s) para facturar cuando la factura del cliente sea validada (y si el monto de la factura es igual al monto total de las propuestas vinculadas firmadas) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasifique los pedidos de origen del cliente vinculados para facturar cuando se valida la factura del cliente (y si el importe de la factura es igual al importe total de los pedidos vinculados) descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasifique los pedidos de origen del cliente vinculados para facturar cuando la factura del cliente se establece como pagada (y si el importe de la factura es igual al importe total de los pedidos vinculados) diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang index a07b67603b458..a128bf4e65124 100644 --- a/htdocs/langs/es_CO/admin.lang +++ b/htdocs/langs/es_CO/admin.lang @@ -1,9 +1,76 @@ # Dolibarr language file - Source file is en_US - admin +VersionProgram=Versión del programa +VersionLastInstall=Versión instalación inicial +VersionLastUpgrade=Última versión de actualización 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" +VersionRecommanded=Recomendado +SessionId=ID Sesión +SessionSaveHandler=Manejador para grabar sesiones +SessionSavePath=Ubicación de almacenamiento de sesión +PurgeSessions=Limpiado de sesiones +ConfirmPurgeSessions=¿Realmente quiere eliminar todas las sesiones? Ésto desconectará todos los usuarios (excepto a usted). +NoSessionListWithThisHandler=El manejador para grabar sesiones configurado en su PHP no permite listar todas las sesiones activas. +LockNewSessions=Bloquear conexiones nuevas +ConfirmLockNewSessions=¿Está seguro que desea restringir solo a usted cualquier conexión nueva a Dolibarr? Solo el usuario %s podrá conectarse después de esto. +UnlockNewSessions=Eliminar el bloqueo de conexión +Sessions=La sesión de usuarios +WebUserGroup=Grupo/Usuario del servidor web +NoSessionFound=Al parecer su PHP no permite listar las sesiones activas. La directiva usada para grabar sesiones (%s) parece estar protegida (Por ejemplo, por permisos del SO o por la directiva PHP open_basedir). +DBStoringCharset=Conjunto de caracteres de la base de datos para almacenar datos +DBSortingCharset=Conjunto de caracteres para organizar datos +WarningModuleNotActive=El módulo %s debe estar activo +WarningOnlyPermissionOfActivatedModules=Solo los permisos relacionados a los modulos activos se muestran acá. Puede activar otros modulos en la página Inicio->Configuración->Módulos. +DolibarrSetup=Instalación o actualización de Dolibarr +GUISetup=Mostrar +SetupArea=Área de configuración +FormToTestFileUploadForm=Formulario para probar la importación de archivos (según configuración) +IfModuleEnabled=Nota: solo aplica el SI en caso de que el modulo %s esté activo +RemoveLock=Eliminar el archivo %s solo en caso de existir para permitir el uso de la herramienta actualizar. +RestoreLock=Restaurar el archivo %s, con permisos de solo lectura, para desactivar cualquier uso de la herramienta actualizar. +SecuritySetup=Configuración de seguridad +ErrorModuleRequirePHPVersion=Error, éste módulo requiere la versión de PHP %s o superior +ErrorModuleRequireDolibarrVersion=Error, éste módulo requiere la versión Dolibarr %s o superior +ErrorDecimalLargerThanAreForbidden=Error, una precisión superior a %s no está soportada. +ErrorReservedTypeSystemSystemAuto=Los valores 'system' y 'systemauto' están reservados para tipo. Puede usar 'user' como valor para agregar su propio registro +ErrorCodeCantContainZero=El código no puede contener un valor de 0 +DisableJavascript=Desactivar las funcionalidades de Ajax y JavaScript (Recomendado para personas con discapacidad visual o navegadores de solo texto) +NumberOfKeyToSearch=Nro de caracteres para activar la búsqueda: %s +NotAvailableWhenAjaxDisabled=No disponible con Ajax desactivado +JavascriptDisabled=JavaScript desactivado +UsePreviewTabs=Use las pestañas de vista previa +ShowPreview=Mostrar vista previa +ThemeCurrentlyActive=Tema activo actualmente +CurrentTimeZone=Zona horaria de PHP (servidor) +Space=Espacio +Mask=Enmascarado +NextValue=Siguiente valor +NextValueForInvoices=Siguiente valor (facturas) +NextValueForCreditNotes=Siguiente valor (notas crédito) +MustBeLowerThanPHPLimit=Nota: su PHP limita el tamaño de cada archivo para importar a %s%s, cualquiera que sea el valor de éste parámetro +NoMaxSizeByPHPLimit=Nota: en la configuración de su PHP no está definido un límite +MaxSizeForUploadedFiles=Tamaño máximo para archivos importados (0 para desactivar cualquier importación) +UseCaptchaCode=Usar código gráfico (CAPTCHA) en la página de inicio de sesión +AntiVirusCommand=Ruta completa para el comando del antivirus +AntiVirusCommandExample=Ejemplo para ClamWin: c:\\Progra~1\\ClamWin\\bin\\clamscan.exe
Ejemplo para ClamAv: /usr/bin/clamscan +AntiVirusParam=Más parámetros en la línea de comando +ComptaSetup=Configuración del módulo contable +UserSetup=Configuración de la administración de usuarios +MenuLimits=Precisión y límites +MenuIdParent=ID del menú principal +DetailMenuIdParent=ID de un menú principal (dejar vacío para menú superior) +DetailPosition=Organizar número para definir la posición del menú AllMenus=Todo SetupShort=Configuración +OtherSetup=Otra configuración +CurrentValueSeparatorDecimal=Separador de decimales +CurrentValueSeparatorThousand=Separador de miles +LanguageBrowserParameter=Parámetro %s +ClientTZ=Zona Horaria del Cliente (usuario) +ClientHour=Hora del Cliente (usuario) +OSTZ=Zona Horaria del SO del Servidor +PHPTZ=Zona Hora del servidor PHP +DaylingSavingTime=Horario de verano +CurrentHour=Hora del PHP (servidor) Position=Puesto ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\mydir
/home/mydir
DOL_DATA_ROOT/ecm/ecmdir Module42Name=Log diff --git a/htdocs/langs/es_EC/admin.lang b/htdocs/langs/es_EC/admin.lang index feb1ac47f0628..3224e30935803 100644 --- a/htdocs/langs/es_EC/admin.lang +++ b/htdocs/langs/es_EC/admin.lang @@ -28,7 +28,6 @@ WebUserGroup=Usuario/grupo del servidor web NoSessionFound=Su PHP parece no permitir la lista de sesiones activas. El directorio utilizado para guardar las sesiones (%s) puede estar protegido (por ejemplo, por los permisos del sistema operativo o por la directiva PHP open_basedir). DBStoringCharset=Conjunto de caracteres de base de datos para almacenar datos DBSortingCharset=Conjunto de caracteres de base de datos para ordenar los datos -ClientCharset=Juego de caracteres del cliente ClientSortingCharset=Intercalación de clientes WarningModuleNotActive=Módulo %s debe estar habilitado WarningOnlyPermissionOfActivatedModules=Solamente los permisos relacionados con los módulos activados se muestran aquí. Puede activar otros módulos desde: Inicio-> Configuración-> Página Módulos. @@ -366,7 +365,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) -SendEmailsReminders=Enviar recordatorios de la agenda por correo electrónico Module0Name=Usuarios & Grupos Module0Desc=Gestión de Usuarios / Empleados y Grupos Module1Name=Clientes / Proveedores @@ -422,7 +420,7 @@ Module320Name=RSS Module320Desc=Añadir RSS dentro de las páginas de Dolibarr Module330Desc=Administración de marcadores Module400Name=Proyectos / Oportunidades / Prospectos -Module400Desc=Administración de proyectos, oportunidades o prospectos. A continuación, puede asignar cualquier elemento (factura, pedido, propuesta, intervención, ...) a un proyecto y obtener una vista transversal desde la vista de proyecto. +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=Gastos especiales @@ -706,8 +704,7 @@ DictionaryEMailTemplates=Plantillas de correo electrónico DictionaryProspectStatus=Estado de la prospección DictionaryHolidayTypes=Tipos de hojas DictionaryOpportunityStatus=Estado de la oportunidad del proyecto -DictionaryExpenseTaxCat=Informe de gastos - Categorías de transporte -DictionaryExpenseTaxRange=Informe de gastos - Rango por categoría de transporte +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. @@ -1386,3 +1383,4 @@ WarningInstallationMayBecomeNotCompliantWithLaw=Intenta instalar el módulo %s q ResourceSetup=Configuración del módulo Recurso DisabledResourceLinkUser=Enlace de recurso inhabilitado al usuario DisabledResourceLinkContact=Enlace de recurso inhabilitado para contactar +ConfirmUnactivation=Confirmar restablecimiento del módulo diff --git a/htdocs/langs/es_EC/main.lang b/htdocs/langs/es_EC/main.lang index 532ca7bb612b9..3f299b9d4a54b 100644 --- a/htdocs/langs/es_EC/main.lang +++ b/htdocs/langs/es_EC/main.lang @@ -238,7 +238,6 @@ ContactsAddressesForCompany=Contactos/direcciones de clientes AddressesForCompany=Direcciones de clientes ActionsOnCompany=Eventos sobre clientes ActionsOnMember=Eventos sobre miembros -ActionsOnProduct=Eventos sobre este producto NActionsLate=%s tarde RequestAlreadyDone=La solicitud ya se registró Filter=Filtrar diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang index 42804ff41ab4e..a5e4fbdf46522 100644 --- a/htdocs/langs/es_ES/accountancy.lang +++ b/htdocs/langs/es_ES/accountancy.lang @@ -8,7 +8,7 @@ ACCOUNTING_EXPORT_AMOUNT=Exportar importe ACCOUNTING_EXPORT_DEVISE=Exportar divisa Selectformat=Seleccione el formato del archivo ACCOUNTING_EXPORT_FORMAT=Seleccione el formato del archivo -ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type +ACCOUNTING_EXPORT_ENDLINE=Seleccione el tipo de retorno de carro ACCOUNTING_EXPORT_PREFIX_SPEC=Especifique el prefijo del nombre de archivo ThisService=Este servicio ThisProduct=Este producto @@ -36,7 +36,7 @@ NotYetInGeneralLedger=No se ha registrado en el Libro Mayor GroupIsEmptyCheckSetup=El grupo está vacío, compruebe la configuración de grupos contables DetailByAccount=Ver detalles por cuenta AccountWithNonZeroValues=Cuentas con valores no cero -ListOfAccounts=List of accounts +ListOfAccounts=Lista de cuentas MainAccountForCustomersNotDefined=Cuenta contable para clientes no definida en la configuración MainAccountForSuppliersNotDefined=Cuenta contable para proveedores no definida en la configuración @@ -158,7 +158,7 @@ NumPiece=Apunte TransactionNumShort=Núm. transacción AccountingCategory=Grupos personalizados GroupByAccountAccounting=Agrupar por cuenta contable -AccountingAccountGroupsDesc=Puede definir aquí algunos grupos de cuentas contables. Se utilizarán en el informe %s para mostrar sus ingresos/gastos con los datos agrupados de acuerdo con estos grupos. +AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. ByAccounts=Por cuentas ByPredefinedAccountGroups=Por grupos predefinidos ByPersonalizedAccountGroups=Por grupos personalizados @@ -168,7 +168,7 @@ DeleteMvt=Eliminar líneas del Libro Mayor DelYear=Año a eliminar DelJournal=Diario a eliminar ConfirmDeleteMvt=Esto eliminará todas las lineas del Libro Mayor del año y/o de un diario específico. Se requiere al menos un criterio. -ConfirmDeleteMvtPartial=This will delete the transaction from the Ledger (all lines related to same transaction will be deleted) +ConfirmDeleteMvtPartial=Esto eliminará la transacción del libro mayor (se eliminarán todas las líneas relacionadas con la misma transacción) DelBookKeeping=Eliminar los registros del Libro Mayor FinanceJournal=Diario financiero ExpenseReportsJournal=Diario informe de gastos @@ -191,6 +191,7 @@ DescThirdPartyReport=Consulte aquí el listado de clientes y proveedores y sus c ListAccounts=Listado de cuentas contables UnknownAccountForThirdparty=Cuenta contable de tercero desconocida, usaremos %s UnknownAccountForThirdpartyBlocking=Cuenta contable de tercero desconocida. Error de bloqueo +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third party account and waiting account not defined. Blocking error Pcgtype=Grupo de cuenta Pcgsubtype=Subgrupo de cuenta @@ -220,7 +221,7 @@ MvtNotCorrectlyBalanced=Asiento contabilizado incorrectamente. Debe=%s. Haber=%s FicheVentilation=Ficha contable GeneralLedgerIsWritten=Transacciones escritas en el Libro Mayor GeneralLedgerSomeRecordWasNotRecorded=Algunas de las operaciones que no podrán registrarse. Si no hay un mensaje de error, es probable que ya estén contabilizadas -NoNewRecordSaved=No more record to journalize +NoNewRecordSaved=No hay más registros para el diario ListOfProductsWithoutAccountingAccount=Listado de productos sin cuentas contables ChangeBinding=Cambiar la unión @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Este diario ya esta siendo usado ## Export ExportDraftJournal=Exportar libro borrador Modelcsv=Modelo de exportación -OptionsDeactivatedForThisExportModel=Las opciones están desactivadas para este modelo de exportación Selectmodelcsv=Seleccione un modelo de exportación Modelcsv_normal=Exportación clásica Modelcsv_CEGID=Exportar hacia CEGID Expert Comptabilité @@ -254,8 +254,8 @@ Modelcsv_ciel=Exportar hacia Sage Ciel Compta o Compta Evolution Modelcsv_quadratus=Exportar hacia Quadratus QuadraCompta Modelcsv_ebp=Exportar a EBP Modelcsv_cogilog=Eportar a Cogilog -Modelcsv_agiris=Exportar a Agiris (Test) -Modelcsv_configurable=Export Configurable +Modelcsv_agiris=Exportar a Agiris +Modelcsv_configurable=Exportación configurable ChartofaccountsId=Id plan contable ## Tools - Init accounting account on product / service diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang index 288ebcfbf8846..c8e8d5cfe4361 100644 --- a/htdocs/langs/es_ES/admin.lang +++ b/htdocs/langs/es_ES/admin.lang @@ -40,8 +40,8 @@ WebUserGroup=Servidor web usuario/grupo NoSessionFound=Parece que su PHP no puede listar las sesiones activas. El directorio utilizado para el guardado de sesiones (%s) puede estar protegido (por ejemplo, por los permisos del sistema operativo o por la directiva open_basedir de su PHP). DBStoringCharset=Codificación de la base de datos para el almacenamiento de datos DBSortingCharset=Codificación de la base de datos para clasificar los datos -ClientCharset=Client charset -ClientSortingCharset=Client collation +ClientCharset=Juego de caracteres del cliente +ClientSortingCharset=Colación de clientes WarningModuleNotActive=El módulo %s debe ser activado WarningOnlyPermissionOfActivatedModules=Atención, solamente los permisos relacionados con los módulos activados se indican aquí. Puede activar los otros módulos en la página Configuración->Módulos DolibarrSetup=Instalación/Actualización de Dolibarr @@ -131,7 +131,7 @@ HoursOnThisPageAreOnServerTZ=Atención, al contrario de otras pantallas, las hor Box=Panel Boxes=Paneles MaxNbOfLinesForBoxes=Número máximo de líneas para paneles -AllWidgetsWereEnabled=All available widgets are enabled +AllWidgetsWereEnabled=Todos los widgets disponibles están habilitados PositionByDefault=Posición por defecto Position=Posición MenusDesc=Los gestores de menús definen el contenido de las dos barras de menú (horizontal y vertical) @@ -466,7 +466,7 @@ FreeLegalTextOnExpenseReports=Texto libre legal en los informes de gastos WatermarkOnDraftExpenseReports=Marca de agua en los informes de gastos AttachMainDocByDefault=Establezca esto en 1 si desea adjuntar el documento principal al e-mail de forma predeterminada (si corresponde) FilesAttachedToEmail=Adjuntar archivo -SendEmailsReminders=Send agenda reminders by emails +SendEmailsReminders=Enviar recordatorios de la agenda por correo electrónico # Modules Module0Name=Usuarios y grupos Module0Desc=Gestión de Usuarios / Empleados y grupos @@ -539,7 +539,7 @@ Module320Desc=Adición de hilos de información RSS en las pantallas Dolibarr Module330Name=Marcadores Module330Desc=Gestión de marcadores Module400Name=Proyectos/Oportunidades/Leads -Module400Desc=Gestión de proyectos, oportunidades o leads, Puede asignar cualquier elemento (factura, pedido, presupuesto, intervención, etc.) a un proyecto y obtener una vista transversal del proyecto +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=Pagos especiales @@ -601,11 +601,11 @@ Module20000Desc=Gestión de los días libres retribuidos de los empleados Module39000Name=Lotes de producto Module39000Desc=Gestión de lotes o series, fechas de caducidad y venta de los productos 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=Módulo para ofrecer pagos online aceptando pagos con tarjeta de Débito/Crédito via PayBox. Esto puede ser usado para permitir a tus clientes realizar pagos libres o pagos en un objeto de Dolibarr en particular (factura, pedido...) Module50100Name=TPV Module50100Desc=Módulo punto de venta (TPV) 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=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=Gestión contable (doble partida, libros generales y auxiliares) Module54000Name=PrintIPP @@ -884,13 +884,13 @@ DictionaryTypeContact=Tipos de contactos/direcciones DictionaryEcotaxe=Baremos CEcoParticipación (DEEE) DictionaryPaperFormat=Formatos de papel DictionaryFormatCards=Formatos de fichas -DictionaryFees=Expense report - Types of expense report lines +DictionaryFees=Informe de gastos - Tipos de líneas de informe de gastos DictionarySendingMethods=Métodos de expedición DictionaryStaff=Empleados DictionaryAvailability=Tiempos de entrega DictionaryOrderMethods=Métodos de pedido DictionarySource=Orígenes de presupuestos/pedidos -DictionaryAccountancyCategory=Grupos personalizados +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modelos de planes contables DictionaryAccountancyJournal=Diarios contables DictionaryEMailTemplates=Plantillas E-Mails @@ -898,12 +898,13 @@ DictionaryUnits=Unidades DictionaryProspectStatus=Estado cliente potencial DictionaryHolidayTypes=Tipos de honorarios DictionaryOpportunityStatus=Estado de oportunidad para el proyecto/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category +DictionaryExpenseTaxCat=Informe de gastos - Categorías de transporte +DictionaryExpenseTaxRange=Informe de gastos - Rango por categoría de transporte 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 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. @@ -1408,7 +1409,7 @@ CompressionOfResources=Compresión de las respuestas HTTP CompressionOfResourcesDesc=Por ejemplo, utilizando la directiva Apache "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=La detección automática no es posible con el navegador actual DefaultValuesDesc=Puede definir/forzar aquí el valor predeterminado que desea obtener cuando cree un nuevo registro y/o defina filtros u ordenaciones en sus registros de listados. -DefaultCreateForm=Default values (on forms to create) +DefaultCreateForm=Valores predeterminados (en formularios para crear) DefaultSearchFilters=Filtros de búsqueda por defecto DefaultSortOrder=Ordenaciones por defecto DefaultFocus=Campos de enfoque predeterminados @@ -1559,8 +1560,8 @@ AGENDA_USE_EVENT_TYPE_DEFAULT=Establecer automáticamente este valor por defecto AGENDA_DEFAULT_FILTER_TYPE=Establecer por defecto este tipo de evento en el filtro de búsqueda en la vista de la agenda AGENDA_DEFAULT_FILTER_STATUS=Establecer por defecto este estado de eventos en el filtro de búsqueda en la vista de la agenda AGENDA_DEFAULT_VIEW=Establecer la pestaña por defecto al seleccionar el menú 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_EMAIL=Habilitar recordatorio de eventos por e-mail (definido en cada evento). Nota: El módulo %s debe estar habilitado y configurado correctamente para que el recordatorio se envíe a la frecuencia correcta. +AGENDA_REMINDER_BROWSER=Habilitar recordatorio de eventos en el navegador de los usuarios (cuando llega la fecha del evento, cada usuario puede rechazar esto desde la pregunta de confirmación del navegador) AGENDA_REMINDER_BROWSER_SOUND=Activar sonido de notificación AGENDA_SHOW_LINKED_OBJECT=Mostrar el link en la agenda ##### Clicktodial ##### @@ -1765,3 +1766,4 @@ ResourceSetup=Configuración del módulo Recursos UseSearchToSelectResource=Utilice un formulario de búsqueda para elegir un recurso (en lugar de una lista desplegable). DisabledResourceLinkUser=Desactivar enlace recursos a usuario DisabledResourceLinkContact=Desactivar enlace recurso a contacto +ConfirmUnactivation=Confirme el restablecimiento del módulo diff --git a/htdocs/langs/es_ES/banks.lang b/htdocs/langs/es_ES/banks.lang index a14a1975e7e81..85bc94d9040b8 100644 --- a/htdocs/langs/es_ES/banks.lang +++ b/htdocs/langs/es_ES/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Número LineRecord=Registro AddBankRecord=Añadir registro AddBankRecordLong=Añadir registro manual +Conciliated=Reconciliado ConciliatedBy=Conciliado por DateConciliating=Fecha conciliación BankLineConciliated=Registro conciliado diff --git a/htdocs/langs/es_ES/bills.lang b/htdocs/langs/es_ES/bills.lang index e4b3d93e527ea..7cf978aba758e 100644 --- a/htdocs/langs/es_ES/bills.lang +++ b/htdocs/langs/es_ES/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Facturas pendientes de pago a %s BillsLate=Retraso en el pago BillsStatistics=Estadísticas de facturas a clientes BillsStatisticsSuppliers=Estadísticas de facturas de proveedores +DisabledBecauseDispatchedInBookkeeping=Desactivado porque la factura se contabilizó +DisabledBecauseNotLastInvoice=Desactivado porque la factura no se puede borrar. Se han creado facturas después de esta y crearían huecos en el contador. DisabledBecauseNotErasable=Desactivado ya que no puede eliminarse InvoiceStandard=Factura estándar InvoiceStandardAsk=Factura estándar @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=¿Porqué quiere clasificar esta factura como 'abandon ConfirmClassifyPaidPartially=¿Está seguro de querer cambiar el estado de la factura %s a pagado? ConfirmClassifyPaidPartiallyQuestion=Esta factura no ha sido pagado completamente. ¿Cual es la razón para cerrar esta factura? ConfirmClassifyPaidPartiallyReasonAvoir=El resto a pagar (%s %s) es un descuento otorgado por pronto pago. Regularizaré el IVA con un abono. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=El resto a pagar (%s %s) es un descuento otorgado por pronto pago. Acepto perder el IVA en este descuento. ConfirmClassifyPaidPartiallyReasonDiscountVat=El resto a pagar (%s %s) es un descuento otorgado por pronto pago. Recuperaré el IVA sin usar un abono. ConfirmClassifyPaidPartiallyReasonBadCustomer=Cliente moroso @@ -334,9 +337,9 @@ FrequencyPer_y=Cada %s años FrequencyUnit=Frecuencia toolTipFrequency=Ejemplos:
Indicar 7, Día: creará una nueva factura cada 7 días
Indicar 3, Mes: creará una nueva factura cada 3 meses NextDateToExecution=Fecha para la generación de la próxima factura -NextDateToExecutionShort=Date next gen. +NextDateToExecutionShort=Fecha próxima generación DateLastGeneration=Fecha de la última generación -DateLastGenerationShort=Date latest gen. +DateLastGenerationShort=Fecha última generación MaxPeriodNumber=Nº máximo de facturas a generar NbOfGenerationDone=Nº de facturas ya generadas NbOfGenerationDoneShort=Generados @@ -514,6 +517,6 @@ DeleteRepeatableInvoice=Eliminar plantilla de factura ConfirmDeleteRepeatableInvoice=¿Está seguro de querer borrar la plantilla para facturas? CreateOneBillByThird=Crear una factura por tercero (de lo contrario, una factura por pedido) BillCreated=%s factura(s) creadas -StatusOfGeneratedDocuments=Status of document generation -DoNotGenerateDoc=Do not generate document file -AutogenerateDoc=Auto generate document file +StatusOfGeneratedDocuments=Estado de la generación de documentos +DoNotGenerateDoc=No generar archivo de documento +AutogenerateDoc=Generar automáticamente archivo de documento diff --git a/htdocs/langs/es_ES/compta.lang b/htdocs/langs/es_ES/compta.lang index 02b78ad62534d..18eb89f6dbdc1 100644 --- a/htdocs/langs/es_ES/compta.lang +++ b/htdocs/langs/es_ES/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Pagos vinculados a ninguna factura, por lo que ningu PaymentsNotLinkedToUser=Pagos no vinculados a un usuario Profit=Beneficio AccountingResult=Resultado contable +BalanceBefore=Balance (before) Balance=Saldo Debit=Debe Credit=Haber diff --git a/htdocs/langs/es_ES/donations.lang b/htdocs/langs/es_ES/donations.lang index f115cf9aa6662..fddc435971d07 100644 --- a/htdocs/langs/es_ES/donations.lang +++ b/htdocs/langs/es_ES/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Mostrar artículo 200 del CGI si se está interesado DONATION_ART238=Mostrar artículo 238 del CGI si se está interesado DONATION_ART885=Mostrar artículo 885 del CGI si se está interesado DonationPayment=Pago de donación +DonationValidated=Donation %s validated diff --git a/htdocs/langs/es_ES/ecm.lang b/htdocs/langs/es_ES/ecm.lang index fbd0f0b1f70d3..d0dd4ed578a72 100644 --- a/htdocs/langs/es_ES/ecm.lang +++ b/htdocs/langs/es_ES/ecm.lang @@ -6,7 +6,7 @@ ECMSectionAuto=Directorio automático ECMSectionsManual=Árbol manual ECMSectionsAuto=Árbol automático ECMSections=Directorios -ECMRoot=ECM Root +ECMRoot=Raíz del ECM ECMNewSection=Nuevo directorio ECMAddSection=Añadir directorio ECMCreationDate=Fecha creación @@ -18,7 +18,7 @@ ECMArea=Área GED ECMAreaDesc=El área GED (Gestión Electrónica de Documentos) le permite guardar, compartir y buscar rápidamente todo tipo de documentos en Dolibarr. ECMAreaDesc2=Puede crear directorios manuales y adjuntar los documentos
Los directorios automáticos son rellenados automáticamente en la adición de un documento en una ficha. ECMSectionWasRemoved=El directorio %s ha sido eliminado -ECMSectionWasCreated=Directory %s has been created. +ECMSectionWasCreated=El directorio %s ha sido creado. ECMSearchByKeywords=Buscar por palabras clave ECMSearchByEntity=Buscar por objeto ECMSectionOfDocuments=Directorios de documentos @@ -47,4 +47,4 @@ ReSyncListOfDir=Resincronizar la lista de directorios HashOfFileContent=Hash de contenido de archivo FileNotYetIndexedInDatabase=Archivo aún no indexado en la base de datos (intente volver a cargarlo) FileSharedViaALink=Archivo compartido a través de un enlace -NoDirectoriesFound=No directories found +NoDirectoriesFound=No se encontraron directorios diff --git a/htdocs/langs/es_ES/errors.lang b/htdocs/langs/es_ES/errors.lang index 7f70290f9d6ce..bdd30414b9a10 100644 --- a/htdocs/langs/es_ES/errors.lang +++ b/htdocs/langs/es_ES/errors.lang @@ -155,7 +155,8 @@ ErrorPriceExpression19=Expresión no encontrada ErrorPriceExpression20=Expresión vacía ErrorPriceExpression21=Resultado '%s' vacío ErrorPriceExpression22=Resultado '%s' negativo -ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression23=Variable desconocida o no establecida '%s' en %s +ErrorPriceExpression24=La variable '%s' existe pero no tiene valor ErrorPriceExpressionInternal=Error interno '%s' ErrorPriceExpressionUnknown=Error desconocido '%s' ErrorSrcAndTargetWarehouseMustDiffers=Los almacenes de origen y destino deben de ser diferentes @@ -203,9 +204,9 @@ ErrorObjectMustHaveLinesToBeValidated=Objeto %s debe tener líneas para ser vali ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Sólo se pueden enviar facturas validadas mediante la acción masiva "Enviar por e-mail". ErrorChooseBetweenFreeEntryOrPredefinedProduct=Debe elegir si el artículo es un producto predefinido o no ErrorDiscountLargerThanRemainToPaySplitItBefore=El descuento que usted intenta aplicar es más grande que el resto a pagar. Divida el descuento en 2 descuentos más pequeños antes. -ErrorFileNotFoundWithSharedLink=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. +ErrorFileNotFoundWithSharedLink=Archivo no encontrado. Puede ser que la clave compartida se haya modificado o que el archivo se haya eliminado recientemente. +ErrorProductBarCodeAlreadyExists=El código de barras del producto %s ya existe en otra referencia de producto. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Tenga en cuenta también que no es posible utilizar productos virtuales para aumentar/disminuir automáticamente subproductos cuando al menos un subproducto (o subproducto de subproductos) necesita un número de serie/lote. # Warnings WarningPasswordSetWithNoAccount=Se fijó una contraseña para este miembro. Sin embargo, no se ha creado ninguna cuenta de usuario. Así que esta contraseña no se puede utilizar para acceder a Dolibarr. Puede ser utilizada por un módulo/interfaz externo, pero si no necesitar definir accesos de un miembro, puede desactivar la opción "Administrar un inicio de sesión para cada miembro" en la configuración del módulo miembros. Si necesita administrar un inicio de sesión, pero no necesita ninguna contraseña, puede dejar este campo vacío para evitar esta advertencia. Nota: También puede usarse el correo electrónico como inicio de sesión si el miembro está vinculada a un usuario. diff --git a/htdocs/langs/es_ES/install.lang b/htdocs/langs/es_ES/install.lang index c0fb4bdfd3463..d35c414f40cad 100644 --- a/htdocs/langs/es_ES/install.lang +++ b/htdocs/langs/es_ES/install.lang @@ -139,8 +139,9 @@ KeepDefaultValuesDeb=Está utilizando el asistente de instalación Dolibarr de u KeepDefaultValuesMamp=Está utilizando el asistente de instalación DoliMamp, los valores propuestos aquí están optimizados. Cambielos solamente si está seguro de ello. KeepDefaultValuesProxmox=Está utilizando el asistente de instalación Dolibarr desde una máquina virtual Proxmox, los valores propuestos aquí están optimizados. Cambielos solamente si está seguro de ello. UpgradeExternalModule=Ejecutar proceso dedicado para actualizar módulos externos -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete +SetAtLeastOneOptionAsUrlParameter=Establezca al menos una opción como parámetro en URL. Por ejemplo: '... repair.php?standard=confirmed' +NothingToDelete=Nada para limpiar/eliminar +NothingToDo=Nada que hacer ######### # upgrade MigrationFixData=Corrección de datos desnormalizados @@ -192,10 +193,11 @@ MigrationActioncommElement=Actualización de los datos de acciones sobre element MigrationPaymentMode=Actualización de los modos de pago MigrationCategorieAssociation=Actualización de las categorías MigrationEvents=Migración de eventos para agregar propietario de evento en la tabla de asignacion -MigrationEventsContact=Migration of events to add event contact into assignement table +MigrationEventsContact=Migración de eventos para agregar contacto de evento en la tabla de asignación MigrationRemiseEntity=Actualizando el campo entity de llx_societe_remise MigrationRemiseExceptEntity=Actualizando el campo entity de llx_societe_remise_except MigrationReloadModule=Recargar módulo %s +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. diff --git a/htdocs/langs/es_ES/languages.lang b/htdocs/langs/es_ES/languages.lang index df07ba7d72d72..d460b1e968f2c 100644 --- a/htdocs/langs/es_ES/languages.lang +++ b/htdocs/langs/es_ES/languages.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - languages Language_ar_AR=Árabe -Language_ar_EG=Arabic (Egypt) +Language_ar_EG=Árabe (Egipto) Language_ar_SA=Árabe Language_bn_BD=Bengalí Language_bg_BG=Búlgaro @@ -35,6 +35,7 @@ Language_es_PA=Español (Panamá) Language_es_PY=Español (Paraguay) Language_es_PE=Español (Perú) Language_es_PR=Español (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Español (Venezuela) Language_et_EE=Estonio Language_eu_ES=Vasco diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang index 0e416883d1e5f..729daa6ebcf96 100644 --- a/htdocs/langs/es_ES/main.lang +++ b/htdocs/langs/es_ES/main.lang @@ -425,7 +425,7 @@ ContactsAddressesForCompany=Contactos/direcciones de este tercero AddressesForCompany=Direcciones de este tercero ActionsOnCompany=Eventos respecto a este tercero ActionsOnMember=Eventos respecto a este miembro -ActionsOnProduct=Events about this product +ActionsOnProduct=Eventos sobre este producto NActionsLate=%s en retraso RequestAlreadyDone=Solicitud ya registrada Filter=Filtro @@ -548,6 +548,18 @@ MonthShort09=sep. MonthShort10=oct. MonthShort11=nov. MonthShort12=dic. +MonthVeryShort01=J +MonthVeryShort02=V +MonthVeryShort03=L +MonthVeryShort04=A +MonthVeryShort05=L +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=D +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Archivos y documentos adjuntos JoinMainDoc=Unir al documento principal DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Definir cuenta bancaria AccountCurrency=Divisa de la cuenta ViewPrivateNote=Ver notas XMoreLines=%s línea(s) ocultas -ShowMoreLines=Mostrar más líneas +ShowMoreLines=Mostrar más/menos líneas PublicUrl=URL pública AddBox=Añadir caja SelectElementAndClick=Seleccione un elemento y haga clic %s @@ -900,3 +912,5 @@ CommentPage=Espacio de comentarios CommentAdded=Comentario añadido CommentDeleted=Comentario borrado Everybody=Proyecto compartido +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/es_ES/modulebuilder.lang b/htdocs/langs/es_ES/modulebuilder.lang index 150e62b39b5da..6be47b732bf5f 100644 --- a/htdocs/langs/es_ES/modulebuilder.lang +++ b/htdocs/langs/es_ES/modulebuilder.lang @@ -60,7 +60,7 @@ ReadmeFile=Fichero leeme ChangeLog=Fichero ChangeLog TestClassFile=Archivo para la clase de PHP Test SqlFile=Fichero Sql -PageForLib=File for PHP libraries +PageForLib=Archivo para bibliotecas PHP SqlFileExtraFields=Archivo Sql para atributos complementarios SqlFileKey=Fichero Sql de claves AnObjectAlreadyExistWithThisNameAndDiffCase=Un objeto ya existe con este nombre y un caso diferente @@ -70,7 +70,7 @@ DirScanned=Directorio analizado NoTrigger=No hay trigger NoWidget=No hay widget GoToApiExplorer=Ir al Explorador de API -ListOfMenusEntries=List of menu entries +ListOfMenusEntries=Lista de entradas de menú ListOfPermissionsDefined=Listado de permisos definidos 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) @@ -85,10 +85,10 @@ TriggerDefDesc=Defina en el archivo trigger el código que desea ejecutar para c SeeIDsInUse=Ver IDs en uso en su instalación SeeReservedIDsRangeHere=Ver rango de IDs reservados ToolkitForDevelopers=Herramientas para desarrolladores de 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. -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) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted +TryToUseTheModuleBuilder=Si tiene conocimientos en SQL y PHP, puede intentar utilizar el asistente nativo de creación de módulos. Simplemente active el módulo y use el asistente haciendo clic en en el menú superior derecho. Advertencia: esta es una funcionalidad para desarrolladores, un uso inadecuado puede romper su aplicación. +SeeTopRightMenu=Ver en el menú superior derecho +AddLanguageFile=Añadir archivo de idioma +YouCanUseTranslationKey=Aquí puede usar una clave que es la clave de traducción encontrada en el archivo de idioma (ver pestaña "Idiomas") +DropTableIfEmpty=(Eliminar tabla si está vacía) +TableDoesNotExists=La tabla %s no existe +TableDropped=Tabla %s eliminada diff --git a/htdocs/langs/es_ES/opensurvey.lang b/htdocs/langs/es_ES/opensurvey.lang index d76f22d0177df..d8c903ef94339 100644 --- a/htdocs/langs/es_ES/opensurvey.lang +++ b/htdocs/langs/es_ES/opensurvey.lang @@ -57,4 +57,4 @@ ErrorInsertingComment=Se ha producido un error al insertar su comentario MoreChoices=Introduzca más opciones para los votantes SurveyExpiredInfo=La encuesta se ha cerrado o el periodo para la votación de ha terminado. EmailSomeoneVoted=%s ha rellenado una línea.\nPuede encontrar su encuesta en el enlace:\n%s -ShowSurvey=Show survey +ShowSurvey=Mostrar encuesta diff --git a/htdocs/langs/es_ES/orders.lang b/htdocs/langs/es_ES/orders.lang index 3676a11fe28b6..25e4a009ea819 100644 --- a/htdocs/langs/es_ES/orders.lang +++ b/htdocs/langs/es_ES/orders.lang @@ -152,7 +152,7 @@ OrderCreated=Sus pedidos han sido creados OrderFail=Se ha producido un error durante la creación de sus pedidos CreateOrders=Crear pedidos ToBillSeveralOrderSelectCustomer=Para crear una factura para numerosos pedidos, haga primero click sobre el cliente y luego elija "%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. +OptionToSetOrderBilledNotEnabled=La opción (del módulo Flujo de trabajo) para configurar automáticamente el pedido como 'Facturado' cuando se valida la factura está desactivado, por lo que deberá establecer el estado de la orden en 'Facturado' manualmente. +IfValidateInvoiceIsNoOrderStayUnbilled=Si la validación de la factura es 'No', la orden permanecerá en estado 'Sin facturar' hasta que la factura sea validada. CloseReceivedSupplierOrdersAutomatically=Cerrar el pedido automáticamente a "%s" si se han recibido todos los productos SetShippingMode=Indica el modo de envío diff --git a/htdocs/langs/es_ES/other.lang b/htdocs/langs/es_ES/other.lang index 32247b5643cbc..2646aea529104 100644 --- a/htdocs/langs/es_ES/other.lang +++ b/htdocs/langs/es_ES/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=si el importe es mayor que %s SourcesRepository=Repositorio de los fuentes Chart=Gráfico PassEncoding=Cifrado de contraseña +PermissionsAdd=Permisos añadidos +PermissionsDelete=Permisos eliminados ##### Export ##### ExportsArea=Área de exportaciones diff --git a/htdocs/langs/es_ES/printing.lang b/htdocs/langs/es_ES/printing.lang index 32d63a413d648..352718f6cb974 100644 --- a/htdocs/langs/es_ES/printing.lang +++ b/htdocs/langs/es_ES/printing.lang @@ -9,8 +9,8 @@ PrintingDriverDesc=Configuración variables para el driver de impresión. ListDrivers=Listado de drivers PrintTestDesc=Listado de Impresoras. FileWasSentToPrinter=El archivo %s ha sido enviado a la impresora -ViaModule=via the module -NoActivePrintingModuleFound=No active driver to print document. Check setup of module %s. +ViaModule=a través del módulo +NoActivePrintingModuleFound=No hay un controlador activo para imprimir el documento. Verifique la configuración del módulo %s. PleaseSelectaDriverfromList=Seleccione un driver del listado. PleaseConfigureDriverfromList=Configure el driver seleccionado del listado. SetupDriver=Configuración driver diff --git a/htdocs/langs/es_ES/productbatch.lang b/htdocs/langs/es_ES/productbatch.lang index fca5f648e3224..1a6500487f14a 100644 --- a/htdocs/langs/es_ES/productbatch.lang +++ b/htdocs/langs/es_ES/productbatch.lang @@ -21,4 +21,4 @@ ProductDoesNotUseBatchSerial=Este producto no usa lotes/series ProductLotSetup=Configuración del módulo lotes/series ShowCurrentStockOfLot=Mostrar el stock actual de este producto/lote ShowLogOfMovementIfLot=Ver los movimientos de stock de este producto/lote -StockDetailPerBatch=Stock detail per lot +StockDetailPerBatch=Detalle de stock por lote diff --git a/htdocs/langs/es_ES/products.lang b/htdocs/langs/es_ES/products.lang index 9b5829341f89f..394aa9e6be1e2 100644 --- a/htdocs/langs/es_ES/products.lang +++ b/htdocs/langs/es_ES/products.lang @@ -196,14 +196,15 @@ CurrentProductPrice=Precio actual AlwaysUseNewPrice=Usar siempre el precio actual AlwaysUseFixedPrice=Usar el precio fijado PriceByQuantity=Precios diferentes por cantidad +DisablePriceByQty=Desactivar precios por cantidad PriceByQuantityRange=Rango cantidad MultipriceRules=Reglas para segmento de precios UseMultipriceRules=Use las reglas de segmentación de precios (definidas en la configuración de módulo de productos) para autocalcular los precios de todos los demás segmentos de acuerdo con el primer segmento PercentVariationOver=%% variación sobre %s PercentDiscountOver=%% descuento sobre %s KeepEmptyForAutoCalculation=Manténgase vacío para que se calcule automáticamente el peso o volumen de productos -VariantRefExample=Example: COL -VariantLabelExample=Example: Color +VariantRefExample=Ejemplo: COL +VariantLabelExample=Ejemplo: Color ### composition fabrication Build=Fabricar ProductsMultiPrice=Productos y precios para cada segmento de precios @@ -287,8 +288,8 @@ ConfirmDeleteProductBuyPrice=¿Está seguro de querer eliminar este precio de co SubProduct=Subproducto ProductSheet=Hoja de producto ServiceSheet=Hoja de servicio -PossibleValues=Possible values -GoOnMenuToCreateVairants=Go on menu %s - %s to prepare attribute variants (like colors, size, ...) +PossibleValues=Valores posibles +GoOnMenuToCreateVairants=Vaya al menú %s - %s para preparar variantes de atributos (como colores, tamaño, ...) #Attributes VariantAttributes=Atributos de variantes diff --git a/htdocs/langs/es_ES/projects.lang b/htdocs/langs/es_ES/projects.lang index 1391de93c1aed..52220bc443cc4 100644 --- a/htdocs/langs/es_ES/projects.lang +++ b/htdocs/langs/es_ES/projects.lang @@ -21,7 +21,7 @@ OnlyOpenedProject=Sólo los proyectos abiertos son visibles (los proyectos en es ClosedProjectsAreHidden=Los proyectos cerrados no son visibles. TasksPublicDesc=Esta vista muestra todos los proyectos y tareas en los que usted tiene derecho a tener visibilidad. TasksDesc=Esta vista muestra todos los proyectos y tareas (sus permisos de usuario le permiten tener una visión completa). -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. +AllTaskVisibleButEditIfYouAreAssigned=Todas las tareas de este proyecto son visibles, pero solo puede indicar tiempos en las tareas que tenga asignadas. Asígnese tareas si desea indicar tiempos en ellas. OnlyYourTaskAreVisible=Sólo puede ver tareas que le son asignadas. Asignese tareas si no son visibles y desea indicar tiempos en ellas. ImportDatasetTasks=Tareas de proyectos ProjectCategories=Etiquetas/categorías de proyectos @@ -97,7 +97,7 @@ ActivityOnProjectThisWeek=Actividad en el proyecto esta semana ActivityOnProjectThisMonth=Actividad en el proyecto este mes ActivityOnProjectThisYear=Actividad en el proyecto este año ChildOfProjectTask=Hilo de la tarea -ChildOfTask=Child of task +ChildOfTask=Hijo de la tarea NotOwnerOfProject=No es responsable de este proyecto privado AffectedTo=Asignado a CantRemoveProject=Este proyecto no puede ser eliminado porque está referenciado por muchos objetos (facturas, pedidos u otras). ver la lista en la pestaña Referencias. @@ -171,13 +171,13 @@ ProjectMustBeValidatedFirst=El proyecto debe validarse primero FirstAddRessourceToAllocateTime=Asignar un usuario a la tarea para asignar tiempo InputPerDay=Entrada por día InputPerWeek=Entrada por semana -InputDetail=Input detail +InputDetail=Detalle de entrada TimeAlreadyRecorded=Tiempo dedicado ya registrado para esta tarea/día y usuario %s ProjectsWithThisUserAsContact=Proyectos con este usuario como contacto TasksWithThisUserAsContact=Tareas asignadas a este usuario ResourceNotAssignedToProject=No asignado al proyecto ResourceNotAssignedToTheTask=No asignado a la tarea -TimeSpentBy=Time spent by +TimeSpentBy=Tiempo dedicado por TasksAssignedTo=Tareas asignadas a AssignTaskToMe=Asignarme tarea AssignTaskToUser=Asignar la tarea a %s @@ -211,9 +211,12 @@ OppStatusPENDING=Pendiente OppStatusWON=Ganado OppStatusLOST=Perdido Budget=Presupuesto +AllowToLinkFromOtherCompany=Permitir vincular proyecto de otra empresa

Valores admitidos:
- Mantener vacío: puede vincular cualquier proyecto de la empresa (predeterminado)
- "todo": puede vincular cualquier proyecto, incluso proyectos de otras empresas
- Una lista de identificación de terceros separada por comas: puede vincular todos los proyectos de esos terceros definidos (Ejemplo: 123,4795,53)
LatestProjects=Últimos %s presupuestos -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks +LatestModifiedProjects=Últimos %s proyectos modificados +OtherFilteredTasks=Otras tareas filtradas +NoAssignedTasks=Sin tareas asignadas ( Asígnese tareas si desea indicar tiempos en ellas) # Comments trans AllowCommentOnTask=Permitir comentarios de los usuarios sobre las tareas AllowCommentOnProject=Permitir comentarios de los usuarios en los proyectos + diff --git a/htdocs/langs/es_ES/stripe.lang b/htdocs/langs/es_ES/stripe.lang index ea506474dc67e..36b58efe61e51 100644 --- a/htdocs/langs/es_ES/stripe.lang +++ b/htdocs/langs/es_ES/stripe.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - stripe StripeSetup=Configuración del módulo Stripe -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, ...) +StripeDesc=Este módulo le ofrece páginas para permitir el pago a clientes mediante Stripe. Puede usarse para un pago libre o para un pago de un objeto en concreto de Dolibarr (factura, pedido...) StripeOrCBDoPayment=Pagar con tarjeta de crédito o Stripe FollowingUrlAreAvailableToMakePayments=Las siguientes URL están disponibles para permitir a un cliente efectuar un pago PaymentForm=Formulario de pago diff --git a/htdocs/langs/es_ES/website.lang b/htdocs/langs/es_ES/website.lang index 5ec9344951856..38a2155f29226 100644 --- a/htdocs/langs/es_ES/website.lang +++ b/htdocs/langs/es_ES/website.lang @@ -3,15 +3,17 @@ Shortname=Código WebsiteSetupDesc=Cree aquí tanto la entrada como el número de diferentes sitios web que necesita. Entonces entre en el menú de sitios web para editarlos. DeleteWebsite=Eliminar sitio web ConfirmDeleteWebsite=¿Está seguro de querer eliminar este sitio web? Todas las páginas y contenido también sera eliminado +WEBSITE_TYPE_CONTAINER=Tipo de página/contenedor WEBSITE_PAGENAME=Nombre/alias página -WEBSITE_HTML_HEADER=Cabecera HTML -HtmlHeaderPage=Encabezado HTML específico para la página WEBSITE_CSS_URL=URL del fichero CSS externo WEBSITE_CSS_INLINE=Contenido del archivo CSS (común a todas las páginas) WEBSITE_JS_INLINE=Contenido del archivo Javascript (común a todas las páginas) +WEBSITE_HTML_HEADER=Adición en la parte inferior del encabezado HTML (común a todas las páginas) WEBSITE_ROBOT=Archivo de robots (robots.txt) WEBSITE_HTACCESS=Archivo .htaccess del sitio web +HtmlHeaderPage=Encabezado HTML (específico de esta página solamente) PageNameAliasHelp=Nombre o alias de la página.
Este alias es utilizado también para construir una URL SEO cuando el website sea lanzado desde un Host Virtual de un servidor (como Apache, Nginx...). Usar el botón "%s" para editar este alias. +EditTheWebSiteForACommonHeader=Nota: Si desea definir un encabezado personalizado para todas las páginas, edite el encabezado en el nivel del sitio en lugar de en la página/contenedor. MediaFiles=Librería de medios EditCss=Editar Estilo/CSS o cabecera HTML EditMenu=Editar menu @@ -21,7 +23,7 @@ AddWebsite=Añadir sitio web Webpage=Página web/Contenedor AddPage=Añadir página/contenedor HomePage=Página de inicio -PageContainer=Page/container +PageContainer=Página/contenedor PreviewOfSiteNotYetAvailable=Vista previa de su sitio web %s todavía no disponible. Debe de añadir primero una página. RequestedPageHasNoContentYet=La página pedida con id %s todavía no tiene contenido, o cache file.tpl.php ha sido eliminado. Editar el contenido de la página para resolverlo. PageContent=Página/Contenedor @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL del Host Virtual servido por un servidor externo no NoPageYet=No hay páginas todavía SyntaxHelp=Ayuda en la sintaxis del código YouCanEditHtmlSourceckeditor=Puede editar código fuente HTML utilizando el botón "Origen" en el 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+YouCanEditHtmlSource=Puede editar el código fuente HTML usando el botón "Origen" en el editor. También puede incluir código PHP en esta fuente mediante etiquetas <?php ?>. Las siguientes variables globales están disponibles: $conf, $langs, $db, $mysoc, $user, $website.

También puede incluir contenido de otra Página/Contenedor con la siguiente sintaxis: <?php dolIncludeHtmlContent ($websitekey. '/contentaliastoinclude.php'); ?>

Para incluir un vínculo para descargar un archivo almacenado en el directorio de documentos/medios, utilice la sintaxis:
<a href="/document.php?modulepart=medias&file=filename.ext". ClonePage=Clonar página/contenedor CloneSite=Clonar sitio SiteAdded=Sitio web agregado @@ -53,7 +55,12 @@ OrEnterPageInfoManually=O crear una página vacía desde cero ... FetchAndCreate=Buscar y crear ExportSite=Exportar sitio IDOfPage=Id de la página +Banner=Anuncio +BlogPost=Entrada en el blog WebsiteAccount=Cuenta del sitio web WebsiteAccounts=Cuentas del sitio web AddWebsiteAccount=Crear cuenta de sitio web -BackToListOfThirdParty=Back to list for Third Party +BackToListOfThirdParty=Volver a la lista de Terceros +DisableSiteFirst=Deshabilite primero el sitio web +MyContainerTitle=Título de mi sitio web +AnotherContainer=Otro contenedor diff --git a/htdocs/langs/es_ES/workflow.lang b/htdocs/langs/es_ES/workflow.lang index 90ed8ecebcb48..1f20a2bc19ed0 100644 --- a/htdocs/langs/es_ES/workflow.lang +++ b/htdocs/langs/es_ES/workflow.lang @@ -12,9 +12,9 @@ descWORKFLOW_ORDER_CLASSIFY_BILLED_PROPAL=Clasificar presupuesto(s) origen como descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Clasificar los presupuesto(s) origen como facturados cuando la factura a cliente sea validada (y si el importe de la factura es igual a la suma de los importes de los presupuestos relacionados) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Clasificar pedido(s) de cliente origen como facturado cuando la factura a cliente se valide (y si el importe de la factura es igual a la suma de los importes de los pedidos relacionados) descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasificar pedido(s) de cliente origen como facturado cuando la factura a cliente sea marcada como pagada (y si el importe de la factura es la misma que la suma de los importes de los pedidos relacionados) -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_SHIPPED_SHIPPING=Clasificar automáticamente el pedido origen como enviado cuando el envío se valide (y si la cantidad enviada por todos los envíos sea la misma que el pedido) # Autoclassify supplier order -descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source supplier proposal(s) to billed when supplier 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 supplier order(s) to billed when supplier invoice is validated (and if amount of the invoice is same than total amount of linked orders) +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasificar automáticamente el presupuestos(s) de proveedor como facturado cuando la factura se valide (y si el importe de la factura sea la misma que el total de los presupuestos enlazados) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasificar automáticamente el pedido(s) a proveedor como facturado cuando la factura se valide (y si el importe de la factura sea la misma que el total de los pedidos enlazados) AutomaticCreation=Creación automática AutomaticClassification=Clasificación automática diff --git a/htdocs/langs/es_MX/accountancy.lang b/htdocs/langs/es_MX/accountancy.lang index fe048417f2edc..845cd70b1fede 100644 --- a/htdocs/langs/es_MX/accountancy.lang +++ b/htdocs/langs/es_MX/accountancy.lang @@ -67,7 +67,6 @@ AccountingJournalType9=Tiene nuevo ErrorAccountingJournalIsAlreadyUse=Este diario ya está en uso ExportDraftJournal=Exportar borrador de diario Modelcsv_CEGID=Exportar con compatibilidad para CEGID Expert -Modelcsv_agiris=Exportar a Agiris (En pruebas aún) SomeMandatoryStepsOfSetupWereNotDone=Algunos pasos obligatorios de la instalación no se realizaron, favor de completar ExportNotSupported=El formato de exportación configurado no se admite en esta página NoJournalDefined=Ningún diario definido diff --git a/htdocs/langs/es_PE/accountancy.lang b/htdocs/langs/es_PE/accountancy.lang index 360f1e5239b7d..b1df43fc96a8a 100644 --- a/htdocs/langs/es_PE/accountancy.lang +++ b/htdocs/langs/es_PE/accountancy.lang @@ -49,5 +49,4 @@ Codejournal=Periódico DelBookKeeping=Eliminar registro del libro mayor FinanceJournal=Periodo Financiero TotalMarge=Margen total de ventas -OptionsDeactivatedForThisExportModel=Para este modelo de exportación, las opciones están desactivadas Modelcsv_CEGID=Exportar hacia CEGID Experto contable diff --git a/htdocs/langs/et_EE/accountancy.lang b/htdocs/langs/et_EE/accountancy.lang index f2d1f83b70c7a..0ab54681bf1e5 100644 --- a/htdocs/langs/et_EE/accountancy.lang +++ b/htdocs/langs/et_EE/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Eksportimise mudel -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Vali eksportimise mudel Modelcsv_normal=Tavaline eksportimine Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang index be7a6dda73919..006931843c534 100644 --- a/htdocs/langs/et_EE/admin.lang +++ b/htdocs/langs/et_EE/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Lisa RSS voog Dolibarri lehtedele Module330Name=Järjehoidjad Module330Desc=Järjehoidjate haldamine Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=WebCalendari integratsioon Module500Name=Erikulud @@ -890,7 +890,7 @@ DictionaryStaff=Personal DictionaryAvailability=Tarneaeg DictionaryOrderMethods=Tellimisviisid DictionarySource=Pakkumiste/tellimuste päritolu -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Kontoplaani mudelid DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Seadistused salvestatud SetupNotSaved=Setup not saved BackToModuleList=Tagasi moodulite nimekirja BackToDictionaryList=Tagasi sõnastike nimekirja +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/et_EE/banks.lang b/htdocs/langs/et_EE/banks.lang index 579b0cd9aa76b..dc8a3661c9b66 100644 --- a/htdocs/langs/et_EE/banks.lang +++ b/htdocs/langs/et_EE/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Tehing AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Tehingu kandis sisse DateConciliating=Vastavusse viimise kuupäev BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/et_EE/bills.lang b/htdocs/langs/et_EE/bills.lang index c26f3de04514b..5644528524b10 100644 --- a/htdocs/langs/et_EE/bills.lang +++ b/htdocs/langs/et_EE/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Hilinenud maksed BillsStatistics=Müügiiarvete statistika BillsStatisticsSuppliers=Ostuarvete statistika +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standardne arve InvoiceStandardAsk=Standardne arve @@ -176,6 +178,7 @@ 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. +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=Halb klient diff --git a/htdocs/langs/et_EE/compta.lang b/htdocs/langs/et_EE/compta.lang index 9a3994dd10069..e67c48cc64be3 100644 --- a/htdocs/langs/et_EE/compta.lang +++ b/htdocs/langs/et_EE/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Makseid ei ole seotud ühegi arvega, seega ei ole nad PaymentsNotLinkedToUser=Ühegi kasutajaga sidumata maksed Profit=Kasum AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Saldo Debit=Deebet Credit=Kreedit diff --git a/htdocs/langs/et_EE/donations.lang b/htdocs/langs/et_EE/donations.lang index 6b7606b2d12c0..3ce6a497b4a7a 100644 --- a/htdocs/langs/et_EE/donations.lang +++ b/htdocs/langs/et_EE/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/et_EE/errors.lang b/htdocs/langs/et_EE/errors.lang index 152510c711f03..940d0719bc9f0 100644 --- a/htdocs/langs/et_EE/errors.lang +++ b/htdocs/langs/et_EE/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Lähteladu ja sihtladu peavad olema erinevad diff --git a/htdocs/langs/et_EE/install.lang b/htdocs/langs/et_EE/install.lang index e5b727dcb9148..552a4aac11baa 100644 --- a/htdocs/langs/et_EE/install.lang +++ b/htdocs/langs/et_EE/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Kasutad Proxmoxi virtuaalrakendusest pärit Dolibarri p 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 ######### # upgrade MigrationFixData=Paranda denormaliseeritud andmed @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reload module %s +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. diff --git a/htdocs/langs/et_EE/languages.lang b/htdocs/langs/et_EE/languages.lang index 91d1513148711..030be5b8ea5ec 100644 --- a/htdocs/langs/et_EE/languages.lang +++ b/htdocs/langs/et_EE/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Hispaania (Paraguay) Language_es_PE=Hispaania (Peruu) Language_es_PR=Hispaania (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Eesti Language_eu_ES=Baski diff --git a/htdocs/langs/et_EE/main.lang b/htdocs/langs/et_EE/main.lang index 1b598e53cad2d..01fb2752d122b 100644 --- a/htdocs/langs/et_EE/main.lang +++ b/htdocs/langs/et_EE/main.lang @@ -548,6 +548,18 @@ MonthShort09=sep MonthShort10=okt MonthShort11=nov MonthShort12=det +MonthVeryShort01=J +MonthVeryShort02=R +MonthVeryShort03=E +MonthVeryShort04=A +MonthVeryShort05=E +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=P +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Manustatud failid ja dokumendid JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Määratle pangakonto AccountCurrency=Account currency ViewPrivateNote=Vaata märkmeid XMoreLines=%s joon(t) varjatud -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Avalik link AddBox=Lisa kast SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Kõik +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/et_EE/other.lang b/htdocs/langs/et_EE/other.lang index 6409c9b4a1595..88d84d606e732 100644 --- a/htdocs/langs/et_EE/other.lang +++ b/htdocs/langs/et_EE/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Ekspordi ala diff --git a/htdocs/langs/et_EE/products.lang b/htdocs/langs/et_EE/products.lang index e30dc551627a4..fcf07a643cd2e 100644 --- a/htdocs/langs/et_EE/products.lang +++ b/htdocs/langs/et_EE/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Hetkehind AlwaysUseNewPrice=Kasuta alati toote/teenuse hetkehinda AlwaysUseFixedPrice=Kasuta fikseeritud hinda PriceByQuantity=Different prices by quantity +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Koguse ulatus 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 diff --git a/htdocs/langs/et_EE/projects.lang b/htdocs/langs/et_EE/projects.lang index 78a5267fde7c7..8a372222602c4 100644 --- a/htdocs/langs/et_EE/projects.lang +++ b/htdocs/langs/et_EE/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Ootel OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/et_EE/website.lang b/htdocs/langs/et_EE/website.lang index 6e7966a1f8b9a..cc369c00dfe7b 100644 --- a/htdocs/langs/et_EE/website.lang +++ b/htdocs/langs/et_EE/website.lang @@ -3,15 +3,17 @@ Shortname=Kood WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/eu_ES/accountancy.lang b/htdocs/langs/eu_ES/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/eu_ES/accountancy.lang +++ b/htdocs/langs/eu_ES/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/eu_ES/admin.lang b/htdocs/langs/eu_ES/admin.lang index eea71e0240fea..2f7ab7e0ce5ec 100644 --- a/htdocs/langs/eu_ES/admin.lang +++ b/htdocs/langs/eu_ES/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Laster-markak Module330Desc=Laster-marken kudeaketa Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Web-egutegia Module410Desc=Web-egutegiaren integrazioa Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/eu_ES/banks.lang b/htdocs/langs/eu_ES/banks.lang index dc363563b41e1..21f332fa23133 100644 --- a/htdocs/langs/eu_ES/banks.lang +++ b/htdocs/langs/eu_ES/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Zenbakia LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/eu_ES/bills.lang b/htdocs/langs/eu_ES/bills.lang index 63b2be5a53e06..6e7b05d08cd79 100644 --- a/htdocs/langs/eu_ES/bills.lang +++ b/htdocs/langs/eu_ES/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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=Bezero txarra diff --git a/htdocs/langs/eu_ES/compta.lang b/htdocs/langs/eu_ES/compta.lang index ec2dc84599c0e..680c055544989 100644 --- a/htdocs/langs/eu_ES/compta.lang +++ b/htdocs/langs/eu_ES/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/eu_ES/donations.lang b/htdocs/langs/eu_ES/donations.lang index b0f418974f8fa..413f5a28f1c54 100644 --- a/htdocs/langs/eu_ES/donations.lang +++ b/htdocs/langs/eu_ES/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/eu_ES/errors.lang b/htdocs/langs/eu_ES/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/eu_ES/errors.lang +++ b/htdocs/langs/eu_ES/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/eu_ES/install.lang b/htdocs/langs/eu_ES/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/eu_ES/install.lang +++ b/htdocs/langs/eu_ES/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/eu_ES/languages.lang b/htdocs/langs/eu_ES/languages.lang index a0f667de01054..e3469947240fe 100644 --- a/htdocs/langs/eu_ES/languages.lang +++ b/htdocs/langs/eu_ES/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanish (Paraguay) Language_es_PE=Gaztelania (Peru) Language_es_PR=Spanish (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Euskera diff --git a/htdocs/langs/eu_ES/main.lang b/htdocs/langs/eu_ES/main.lang index fb42141e5ca43..30faa02c7d249 100644 --- a/htdocs/langs/eu_ES/main.lang +++ b/htdocs/langs/eu_ES/main.lang @@ -548,6 +548,18 @@ MonthShort09=Ira MonthShort10=Urr MonthShort11=Aza MonthShort12=Abe +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=UUUU-HH @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/eu_ES/other.lang b/htdocs/langs/eu_ES/other.lang index 53998f6926a91..0f56f48ece377 100644 --- a/htdocs/langs/eu_ES/other.lang +++ b/htdocs/langs/eu_ES/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/eu_ES/products.lang b/htdocs/langs/eu_ES/products.lang index 279f7a8173aa7..c00526a519eca 100644 --- a/htdocs/langs/eu_ES/products.lang +++ b/htdocs/langs/eu_ES/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/eu_ES/projects.lang b/htdocs/langs/eu_ES/projects.lang index 17489a8b419cf..ae7bfdb824a40 100644 --- a/htdocs/langs/eu_ES/projects.lang +++ b/htdocs/langs/eu_ES/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/eu_ES/website.lang b/htdocs/langs/eu_ES/website.lang index 16827743cbb42..0b56dc760b077 100644 --- a/htdocs/langs/eu_ES/website.lang +++ b/htdocs/langs/eu_ES/website.lang @@ -3,15 +3,17 @@ Shortname=Kodea WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/fa_IR/accountancy.lang b/htdocs/langs/fa_IR/accountancy.lang index aae67f99d75a5..7cfb9e9c17853 100644 --- a/htdocs/langs/fa_IR/accountancy.lang +++ b/htdocs/langs/fa_IR/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=فهرست حساب های حسابداری 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=نوع صادرات -OptionsDeactivatedForThisExportModel=برای این نوع صادرات، انتخاب ها غیر فعال شده است Selectmodelcsv=انتخاب مدل صادرات Modelcsv_normal=صادرات سنتی Modelcsv_CEGID=صادرات بر اساس CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang index 81015a336ca91..7059048d10733 100644 --- a/htdocs/langs/fa_IR/admin.lang +++ b/htdocs/langs/fa_IR/admin.lang @@ -539,7 +539,7 @@ Module320Desc=اضافه کردن خوراک RSS در داخل صفحات صفح Module330Name=بوک مارک ها Module330Desc=مدیریت بوک مارک ها Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=ادغام Webcalendar Module500Name=هزینه های ویژه @@ -890,7 +890,7 @@ DictionaryStaff=کارکنان DictionaryAvailability=تاخیر در تحویل DictionaryOrderMethods=مرتب سازی بر روش DictionarySource=منبع از پیشنهادات / سفارشات -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=مدل برای نمودار حساب DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=الگوهای ایمیل @@ -904,6 +904,7 @@ SetupSaved=راه اندازی نجات داد SetupNotSaved=Setup not saved BackToModuleList=بازگشت به لیست ماژول ها BackToDictionaryList=برگشت به فهرست واژه نامه ها +TypeOfRevenueStamp=Type of revenue 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 که می تواند برای موارد مانند ارتباط استفاده می شود، افراد عضو جدید می توانید شرکت های کوچک است. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/fa_IR/banks.lang b/htdocs/langs/fa_IR/banks.lang index a36e1ccb8d5b5..1a89cbbc589e8 100644 --- a/htdocs/langs/fa_IR/banks.lang +++ b/htdocs/langs/fa_IR/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=شماره LineRecord=معامله AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=آشتی با DateConciliating=تاريخ آشتی BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/fa_IR/bills.lang b/htdocs/langs/fa_IR/bills.lang index c3afcfbb9c5ee..16d0242444b50 100644 --- a/htdocs/langs/fa_IR/bills.lang +++ b/htdocs/langs/fa_IR/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=پرداخت در اواخر BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=صورت حساب استاندارد InvoiceStandardAsk=صورت حساب استاندارد @@ -176,6 +178,7 @@ 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. +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=مشتری بد diff --git a/htdocs/langs/fa_IR/compta.lang b/htdocs/langs/fa_IR/compta.lang index 27d2cca66ed9f..b48ecdb2521ac 100644 --- a/htdocs/langs/fa_IR/compta.lang +++ b/htdocs/langs/fa_IR/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=پرداخت به هر فاکتور در ارتباط PaymentsNotLinkedToUser=پرداخت به هر کاربر در ارتباط نیست Profit=سود AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=تعادل Debit=بدهی Credit=اعتبار diff --git a/htdocs/langs/fa_IR/donations.lang b/htdocs/langs/fa_IR/donations.lang index 62295b56b9ee5..2bb1d0bb4669e 100644 --- a/htdocs/langs/fa_IR/donations.lang +++ b/htdocs/langs/fa_IR/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/fa_IR/errors.lang b/htdocs/langs/fa_IR/errors.lang index 55420e2b36076..6979cd9ffe4ff 100644 --- a/htdocs/langs/fa_IR/errors.lang +++ b/htdocs/langs/fa_IR/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=منبع و هدف انبارها باید متفاوت diff --git a/htdocs/langs/fa_IR/install.lang b/htdocs/langs/fa_IR/install.lang index 21b705e8c25b3..4fec2d612865c 100644 --- a/htdocs/langs/fa_IR/install.lang +++ b/htdocs/langs/fa_IR/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=شما با استفاده از جادوگر در را 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 ######### # upgrade MigrationFixData=ثابت برای داده های denormalized @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reload module %s +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. diff --git a/htdocs/langs/fa_IR/languages.lang b/htdocs/langs/fa_IR/languages.lang index 2f1a72260ac2a..1ea52293ee3f1 100644 --- a/htdocs/langs/fa_IR/languages.lang +++ b/htdocs/langs/fa_IR/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=اسپانیایی پروگوئه Language_es_PE=اسپانیایی پرو Language_es_PR=اسپانیایی (پورتوریکو) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=زبان استونی Language_eu_ES=باسک diff --git a/htdocs/langs/fa_IR/main.lang b/htdocs/langs/fa_IR/main.lang index 8e6cfc1b06ba9..fa304b6f5b55d 100644 --- a/htdocs/langs/fa_IR/main.lang +++ b/htdocs/langs/fa_IR/main.lang @@ -548,6 +548,18 @@ MonthShort09=سپتامبر MonthShort10=اکتبر MonthShort11=نوامبر MonthShort12=دسامبر +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=اسناد و فایل های پیوست شده JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=تعریف حساب های بانکی AccountCurrency=Account currency ViewPrivateNote=مشاهده یادداشت XMoreLines=٪ خط (بازدید کنندگان) پنهان -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=URL عمومی AddBox=اضافه کردن جعبه SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=هر کسی +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/fa_IR/other.lang b/htdocs/langs/fa_IR/other.lang index 7f2e33d29e9c3..76b29107e1807 100644 --- a/htdocs/langs/fa_IR/other.lang +++ b/htdocs/langs/fa_IR/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=منطقه صادرات diff --git a/htdocs/langs/fa_IR/products.lang b/htdocs/langs/fa_IR/products.lang index dd278be111133..959ec00e0c021 100644 --- a/htdocs/langs/fa_IR/products.lang +++ b/htdocs/langs/fa_IR/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=قیمت کنونی AlwaysUseNewPrice=همیشه قیمت فعلی محصول / خدمات استفاده AlwaysUseFixedPrice=استفاده از قیمت های ثابت PriceByQuantity=Different prices by quantity +DisablePriceByQty=Disable prices by quantity 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 diff --git a/htdocs/langs/fa_IR/projects.lang b/htdocs/langs/fa_IR/projects.lang index fc4a4cc0b796c..a9d49fb781711 100644 --- a/htdocs/langs/fa_IR/projects.lang +++ b/htdocs/langs/fa_IR/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=در انتظار OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/fa_IR/website.lang b/htdocs/langs/fa_IR/website.lang index e019dc542aa73..649c60e30800d 100644 --- a/htdocs/langs/fa_IR/website.lang +++ b/htdocs/langs/fa_IR/website.lang @@ -3,15 +3,17 @@ Shortname=رمز WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/fi_FI/accountancy.lang b/htdocs/langs/fi_FI/accountancy.lang index 18b50c3d63f56..d9b92969f3de4 100644 --- a/htdocs/langs/fi_FI/accountancy.lang +++ b/htdocs/langs/fi_FI/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang index 7dc4b1ffd00e3..428a0dbbd7857 100644 --- a/htdocs/langs/fi_FI/admin.lang +++ b/htdocs/langs/fi_FI/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Lisää RSS-syöte sisällä Dolibarr näytön sivuilla Module330Name=Kirjanmerkit Module330Desc=Kirjanmerkkien hallinta Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar yhdentyminen Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Henkilökunta DictionaryAvailability=Toimituksen viivästyminen DictionaryOrderMethods=Tilaaminen menetelmät DictionarySource=Alkuperä ehdotusten / tilaukset -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup tallennettu SetupNotSaved=Setup not saved BackToModuleList=Palaa moduulien luetteloon BackToDictionaryList=Palaa sanakirjat luettelo +TypeOfRevenueStamp=Type of revenue 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ä. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/fi_FI/banks.lang b/htdocs/langs/fi_FI/banks.lang index 258f3c988892c..677b6e428cbc8 100644 --- a/htdocs/langs/fi_FI/banks.lang +++ b/htdocs/langs/fi_FI/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Numero LineRecord=Tapahtuma AddBankRecord=Lisää merkintä AddBankRecordLong=Lisää mernkintä manuaalisesti +Conciliated=Täsmäytetty ConciliatedBy=Sovetteli DateConciliating=Sovittelupäivä BankLineConciliated=Merkintä täsmäytetty diff --git a/htdocs/langs/fi_FI/bills.lang b/htdocs/langs/fi_FI/bills.lang index 66e97851998fa..f1eda0303a3b5 100644 --- a/htdocs/langs/fi_FI/bills.lang +++ b/htdocs/langs/fi_FI/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Maksuviivästykset BillsStatistics=Asiakkaiden laskujen tilastot BillsStatisticsSuppliers=Tavarantoimittaja laskujen tilastot +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Poistettu käytöstä koska ei voida poistaa InvoiceStandard=Oletuslasku InvoiceStandardAsk=Oletuslasku @@ -176,6 +178,7 @@ 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. +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=Huono asiakas diff --git a/htdocs/langs/fi_FI/compta.lang b/htdocs/langs/fi_FI/compta.lang index a6dd9d1fa12d5..61f1f3dab58d5 100644 --- a/htdocs/langs/fi_FI/compta.lang +++ b/htdocs/langs/fi_FI/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Maksut eivät ole sidoksissa mihinkään lasku, joten PaymentsNotLinkedToUser=Maksut eivät ole sidoksissa mihinkään käyttäjä Profit=Voitto AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Saldo Debit=Debet Credit=Credit diff --git a/htdocs/langs/fi_FI/donations.lang b/htdocs/langs/fi_FI/donations.lang index daaefc0f5a7aa..93072e82e4b1a 100644 --- a/htdocs/langs/fi_FI/donations.lang +++ b/htdocs/langs/fi_FI/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/fi_FI/errors.lang b/htdocs/langs/fi_FI/errors.lang index 6985eb1860be3..31d528c7170b9 100644 --- a/htdocs/langs/fi_FI/errors.lang +++ b/htdocs/langs/fi_FI/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/fi_FI/install.lang b/htdocs/langs/fi_FI/install.lang index dba45650cf029..88b0dd14a5044 100644 --- a/htdocs/langs/fi_FI/install.lang +++ b/htdocs/langs/fi_FI/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Käytät Dolibarr ohjatun päässä Proxmox virtuaaline 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 ######### # upgrade MigrationFixData=Korjaus denormalized tiedot @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reload module %s +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. diff --git a/htdocs/langs/fi_FI/languages.lang b/htdocs/langs/fi_FI/languages.lang index f5dade45bfe42..b85a07f5bb926 100644 --- a/htdocs/langs/fi_FI/languages.lang +++ b/htdocs/langs/fi_FI/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Espanja (Paraguay) Language_es_PE=Espanja (Peru) Language_es_PR=Espanja (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Virolainen Language_eu_ES=Baski diff --git a/htdocs/langs/fi_FI/main.lang b/htdocs/langs/fi_FI/main.lang index 2ff248c9e6837..629acd0921180 100644 --- a/htdocs/langs/fi_FI/main.lang +++ b/htdocs/langs/fi_FI/main.lang @@ -548,6 +548,18 @@ MonthShort09=syyskuu MonthShort10=lokakuu MonthShort11=marraskuu MonthShort12=joulukuu +MonthVeryShort01=J +MonthVeryShort02=PE +MonthVeryShort03=MA +MonthVeryShort04=A +MonthVeryShort05=MA +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=SU +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Liitetyt tiedostot ja asiakirjat JoinMainDoc=Join main document DateFormatYYYYMM=VVVV-KK @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=Katso huomiot XMoreLines=%s rivi(ä) piilossa -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Julkinen URL AddBox=Lisää laatikko SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Yhteiset hanke +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/fi_FI/other.lang b/htdocs/langs/fi_FI/other.lang index de5cfdffa9ae1..9b6f967849322 100644 --- a/htdocs/langs/fi_FI/other.lang +++ b/htdocs/langs/fi_FI/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Vienti alueen diff --git a/htdocs/langs/fi_FI/products.lang b/htdocs/langs/fi_FI/products.lang index 856b9ec0b3dbd..17f05adf40d77 100644 --- a/htdocs/langs/fi_FI/products.lang +++ b/htdocs/langs/fi_FI/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Nykyinen hinta AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/fi_FI/projects.lang b/htdocs/langs/fi_FI/projects.lang index eed3b793f7b61..edc2999efa236 100644 --- a/htdocs/langs/fi_FI/projects.lang +++ b/htdocs/langs/fi_FI/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/fi_FI/website.lang b/htdocs/langs/fi_FI/website.lang index 87de6df7170fb..7be7649bc02b9 100644 --- a/htdocs/langs/fi_FI/website.lang +++ b/htdocs/langs/fi_FI/website.lang @@ -3,15 +3,17 @@ Shortname=Koodi WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/fr_CA/accountancy.lang b/htdocs/langs/fr_CA/accountancy.lang index 785340659cb80..ef4fb31a806d4 100644 --- a/htdocs/langs/fr_CA/accountancy.lang +++ b/htdocs/langs/fr_CA/accountancy.lang @@ -127,7 +127,6 @@ Modelcsv_ciel=Exporter vers Sage Ciel Compta ou Compta Evolution Modelcsv_quadratus=Exporter vers Quadratus QuadraCompta Modelcsv_ebp=Exporter vers EBP Modelcsv_cogilog=Exporter vers Cogilog -Modelcsv_agiris=Export vers Agiris (test) ChartofaccountsId=Carte comptable Id InitAccountancy=Compabilité initiale DefaultBindingDesc=Cette page peut être utilisée pour définir un compte par défaut à utiliser pour lier l'historique des transactions sur les salaires de paiement, le don, les taxes et la TVA lorsque aucun compte comptable spécifique n'a été défini. diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang index b2e6857609695..926fa1b27ba4d 100644 --- a/htdocs/langs/fr_CA/admin.lang +++ b/htdocs/langs/fr_CA/admin.lang @@ -240,6 +240,7 @@ AskForPreferredShippingMethod=Demandez la méthode d'envoi préférée pour les PasswordGenerationNone=Aucune suggestion de mot de passe généré . Le mot de passe doit être saisi manuellement. PasswordGenerationPerso=Retour un mot de passe en fonction de votre configuration personnellement défini. PasswordPatternDesc=Description du modèle de mot de passe +DisableForgetPasswordLinkOnLogonPage=Ne pas afficher le lien "Mot de passe oublié" sur la page de connexion HRMSetup=Configuration du module de GRH NotificationsDesc=La fonction de notification des messages électroniques vous permet d'envoyer automatiquement un courrier automatique pour certains événements Dolibarr. Les cibles des notifications peuvent être définies: NotificationsDescUser=* Par utilisateur, un utilisateur à l'heure. diff --git a/htdocs/langs/fr_CA/main.lang b/htdocs/langs/fr_CA/main.lang index 343df72900800..61b4a0f9d4f3b 100644 --- a/htdocs/langs/fr_CA/main.lang +++ b/htdocs/langs/fr_CA/main.lang @@ -27,6 +27,7 @@ ErrorNoSocialContributionForSellerCountry=Erreur, aucun type de charges défini ErrorCannotAddThisParentWarehouse=Vous essayez d'ajouter un entrepôt parent qui est déjà un enfant de l'actuel MaxNbOfRecordPerPage=Nombre maximum d'enregistrements par page NotAuthorized=Vous n'êtes pas autorisé à le faire. +SeeHere=Regardez ici GoToWikiHelpPage=Lire l'aide en ligne (accès Internet nécessaire) DolibarrInHttpAuthenticationSoPasswordUseless=Le mode d'authentification Dolibarr est défini sur %s dans le fichier de configuration conf.php.
Cela signifie que la base de données de mots de passe est externe à Dolibarr, donc changer ce champ peut ne pas avoir d'effet . PasswordForgotten=Mot de passe oublié? @@ -101,6 +102,9 @@ LateDesc=Retard pour définir si un enregistrement est en retard ou non dépend DeletePicture=Supprimer image ConfirmDeletePicture=Etes-vous sur de vouloir supprimer cette image ? EnterLoginDetail=Entrez les détails de connexion +MonthVeryShort02=V +MonthVeryShort05=L +MonthVeryShort09=D NbOfObjectReferers=Nombre d'articles connexes Referers=Articles connexes SendAcknowledgementByMail=Envoyer un email de confirmation @@ -114,6 +118,7 @@ YouCanChangeValuesForThisListFrom=Vous pouvez modifier les valeurs de cette list YouCanSetDefaultValueInModuleSetup=Vous pouvez configurer la valeur par défaut utilisée lors de la création d'un nouvel enregistrement dans la configuration du module Layout=Disposition Screen=Écran +Merge=Fusion CoreErrorMessage=Désolé, une erreur s'est produite. Contactez votre administrateur système pour vérifier les journaux ou désactiver $ dolibarr_main_prod = 1 pour obtenir plus d'informations. LinkToProposal=Lier à une proposition LinkToSupplierProposal=Lier à une proposition fournisseur diff --git a/htdocs/langs/fr_FR/accountancy.lang b/htdocs/langs/fr_FR/accountancy.lang index 4da556cbeb3f5..9f80198644247 100644 --- a/htdocs/langs/fr_FR/accountancy.lang +++ b/htdocs/langs/fr_FR/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Numéro de pièce TransactionNumShort=Num. transaction AccountingCategory=Groupes personnalisés GroupByAccountAccounting=Grouper par compte comptable -AccountingAccountGroupsDesc=Vous pouvez définir ici les regroupements de compte comptable. Ces regroupements seront utilisés dans le rapport %s pour afficher vos recettes/dépenses avec les données regroupés comme défini. +AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. ByAccounts=Par compte comptable ByPredefinedAccountGroups=Par groupes prédéfinis ByPersonalizedAccountGroups=Par groupes personnalisés @@ -191,6 +191,7 @@ DescThirdPartyReport=Consultez ici la liste des tiers clients et fournisseurs et ListAccounts=Liste des comptes comptables UnknownAccountForThirdparty=Compte de tiers inconnu. %s sera utilisé UnknownAccountForThirdpartyBlocking=Compte de tiers inconnu. Erreur bloquante. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third party account and waiting account not defined. Blocking error Pcgtype=Groupe de comptes comptables Pcgsubtype=Sous-groupe de comptes comptables diff --git a/htdocs/langs/fr_FR/admin.lang b/htdocs/langs/fr_FR/admin.lang index a8a82d77d7d54..0953014aa9175 100644 --- a/htdocs/langs/fr_FR/admin.lang +++ b/htdocs/langs/fr_FR/admin.lang @@ -40,8 +40,8 @@ WebUserGroup=Serveur web utilisateur/groupe NoSessionFound=Votre PHP ne semble pas pouvoir lister les sessions actives. Le répertoire de sauvegarde des sessions (%s) est peut être protégé (Par exemple, par les permissions de l'OS ou par la directive open_basedir de votre PHP, ce qui d'un point de vue sécurité est une bonne chose). DBStoringCharset=Encodage base pour stockage données DBSortingCharset=Encodage base pour tri données -ClientCharset=Client charset -ClientSortingCharset=En-cas client +ClientCharset=Jeu de caractères du client +ClientSortingCharset=Jeu de caractère de tri du client WarningModuleNotActive=Le module %s doit être activé pour utiliser cette fonction. WarningOnlyPermissionOfActivatedModules=Attention, seules les permissions en rapport avec les modules activés sont affichées ici. Vous pouvez activer d'autres modules sur la page Accueil->Configuration->Modules. DolibarrSetup=Installation ou mise à jour de Dolibarr @@ -199,7 +199,7 @@ ModulesDeployDesc=Si les permissions de votre système de fichier le permettent ModulesMarketPlaces=Rechercher un module/application externe ModulesDevelopYourModule=Développer son propre module/application ModulesDevelopDesc=Vous pouvez développer vous-même ou trouver un partenaire pour faire développer votre module personnalisé -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)... +DOLISTOREdescriptionLong=Au lieu de basculer sur le site web www.dolistore.com pour trouver un module externe, vous pouvez utiliser cet outil intégré qui fera la recherche sur la place de marché pour vous (peut être lent, besoin d'un accès Internet) ... NewModule=Nouveau FreeModule=Gratuit CompatibleUpTo=Compatible avec la version %s @@ -464,7 +464,7 @@ Field=Champ ProductDocumentTemplates=Modèle de document pour la fiche produit FreeLegalTextOnExpenseReports=Mention complémentaire sur les notes de frais WatermarkOnDraftExpenseReports=Filigrane sur les notes de frais -AttachMainDocByDefault=Set this to 1 if you want to attach main document to email by default (if applicable) +AttachMainDocByDefault=Définissez cette valeur sur 1 si vous souhaitez joindre le document principal au courrier électronique par défaut (si applicable) FilesAttachedToEmail=Joindre le fichier SendEmailsReminders=Envoyer des alertes agenda par e-mails # Modules @@ -550,7 +550,7 @@ Module520Name=Emprunt Module520Desc=Gestion des emprunts Module600Name=Notifications d'événements métiers Module600Desc=Envoi de notifications par e-mails (déclenchées par des événements métiers) aux utilisateurs (configuration faite sur chaque fiche utilisateur), contacts de tiers (configuration faite sur chaque fiche tiers) ou vers des adresses e-mails spécifiques. -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. +Module600Long=Notez que ce module est dédié à l'envoi d'e-mails en temps réel lorsqu'un événement métier dédié se produit. Si vous cherchez une fonctionnalité pour envoyer des rappels par email de vos événements agenda, allez dans la configuration du module Agenda. Module700Name=Dons Module700Desc=Gestion des dons Module770Name=Notes de frais @@ -890,7 +890,7 @@ DictionaryStaff=Effectifs DictionaryAvailability=Délai de livraison DictionaryOrderMethods=Méthodes de commandes DictionarySource=Origines des propales/commandes -DictionaryAccountancyCategory=Groupes personnalisés pour les rapports +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modèles de plan comptable DictionaryAccountancyJournal=Journaux comptables DictionaryEMailTemplates=Modèles des courriels @@ -904,7 +904,7 @@ SetupSaved=Configuration sauvegardée SetupNotSaved=Configuration non enregistrée BackToModuleList=Retour liste des modules BackToDictionaryList=Retour liste des dictionnaires -TypeOfRevenueStamp=Type of revenue stamp +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.
VATIsNotUsedDesc=Le taux de TVA proposé par défaut est 0. C'est le cas d'associations, particuliers ou certaines petites sociétés. @@ -1560,8 +1560,8 @@ AGENDA_USE_EVENT_TYPE_DEFAULT=Configurez automatiquement cette valeur par défau AGENDA_DEFAULT_FILTER_TYPE=Régler automatiquement ce type d'événement dans le filtre de recherche de la vue agenda AGENDA_DEFAULT_FILTER_STATUS=Régler automatiquement le statut d'événement dans le filtre de recherche de la vue agenda AGENDA_DEFAULT_VIEW=Quel onglet voulez-vous voir ouvrir par défaut quand on choisit le 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_EMAIL=Activer le rappel d'événement par e-mail (l'option de rappel / délai peut être défini pour chaque événement). Remarque: Le module %s doit être activé et configuré correctement pour que le rappel soit envoyé à la bonne fréquence. +AGENDA_REMINDER_BROWSER=Activer la notification d'événement dans le navigateur de l'utilisateur (lorsque la date de l'événement est atteinte, chaque utilisateur peut refuser ceci au moment de la question de confirmation posée par le navigateur) AGENDA_REMINDER_BROWSER_SOUND=Activer les notifications sonores. AGENDA_SHOW_LINKED_OBJECT=Afficher l'objet lié dans la vue agenda ##### Clicktodial ##### @@ -1680,7 +1680,7 @@ BackgroundColor=Couleur de fond TopMenuBackgroundColor=Couleur de fond pour le menu Haut TopMenuDisableImages=Cacher les images du menu principal LeftMenuBackgroundColor=Couleur de fond pour le menu Gauche -BackgroundTableTitleColor=Couleur de fond pour les titres des lignes des tables +BackgroundTableTitleColor=Couleur de fond pour la ligne de titres des liste/tableaux BackgroundTableLineOddColor=Couleur de fond pour les lignes impaires des tables BackgroundTableLineEvenColor=Couleur de fond pour les lignes paires des tales MinimumNoticePeriod=Période de préavis minimum (Votre demande de congé doit être faite avant ce délai) diff --git a/htdocs/langs/fr_FR/banks.lang b/htdocs/langs/fr_FR/banks.lang index f33cfe70dd6b0..efce18bfe12d5 100644 --- a/htdocs/langs/fr_FR/banks.lang +++ b/htdocs/langs/fr_FR/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Numéro LineRecord=Ecriture AddBankRecord=Ajouter écriture AddBankRecordLong=Saisie d'une écriture manuelle +Conciliated=Rapproché ConciliatedBy=Rapproché par DateConciliating=Date rapprochement BankLineConciliated=Écriture rapprochée diff --git a/htdocs/langs/fr_FR/bills.lang b/htdocs/langs/fr_FR/bills.lang index a4475f93e3b44..9e9887ad5f337 100644 --- a/htdocs/langs/fr_FR/bills.lang +++ b/htdocs/langs/fr_FR/bills.lang @@ -178,6 +178,7 @@ ConfirmCancelBillQuestion=Pour quelle raison voulez-vous classer la facture aban ConfirmClassifyPaidPartially=Êtes-vous sûr de vouloir classer la facture %s comme payée ? ConfirmClassifyPaidPartiallyQuestion=Cette facture n'a pas été payée à hauteur du montant initial. Pour quelle raison voulez-vous la classer malgré tout ? ConfirmClassifyPaidPartiallyReasonAvoir=Le reste à payer (%s %s) est un trop facturé (car article retourné, oubli, escompte réalisé...), régularisé par un avoir +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Le reste à payer (%s %s) est un escompte accordé après facture. J'accepte de perdre la TVA sur cet escompte ConfirmClassifyPaidPartiallyReasonDiscountVat=Le reste à payer (%s %s) est un escompte ConfirmClassifyPaidPartiallyReasonBadCustomer=Mauvais payeur diff --git a/htdocs/langs/fr_FR/compta.lang b/htdocs/langs/fr_FR/compta.lang index dcbb8229788db..1cdf2ff1a0e16 100644 --- a/htdocs/langs/fr_FR/compta.lang +++ b/htdocs/langs/fr_FR/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Paiements liés à aucune facture, donc aucun tiers PaymentsNotLinkedToUser=Paiements non liés à un utilisateur Profit=Bénéfice AccountingResult=Résultat comptable +BalanceBefore=Balance (before) Balance=Solde Debit=Débit Credit=Crédit @@ -71,7 +72,7 @@ TypeContrib=Type de la charge MenuSpecialExpenses=Dépenses spéciales MenuTaxAndDividends=Taxes et charges MenuSocialContributions=Charges fiscales/sociales -MenuNewSocialContribution=Nouvelle taxe sociale +MenuNewSocialContribution=Nouvelle charge NewSocialContribution=Nouvelle charge fiscale/sociale AddSocialContribution=Ajouter taxe sociale/fiscale ContributionsToPay=Charges fiscales/sociales à payer @@ -136,7 +137,7 @@ 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. -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table +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 CalcModeLT1Rec= Mode %sRE sur factures fournisseurs%s @@ -150,15 +151,15 @@ AnnualByCompaniesDueDebtMode=Bilan des recettes et dépenses, détaillé par reg 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 des valeurs correspondantes +SeeReportInBookkeepingMode=Voir le %sGrand livre%s pour un calcul basé sur l'analyse 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. RulesCADue=- Il comprend les factures dues par le client si elles sont payées ou non.
- Il est basé sur la date de validation de ces factures.
RulesCAIn=- Il inclut les règlements effectivement reçus des factures clients.
- Il se base sur la date de règlement de ces factures
-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 +RulesAmountOnInOutBookkeepingRecord=Cela inclut les enregistrements dans votre Grand Livre ayant les comptes de comptabilité qui ont le groupe "EXPENSE" ou "INCOME" +RulesResultBookkeepingPredefined=Cela inclut les enregistrements dans votre Grand Livre ayant les comptes de comptabilité qui ont le groupe "EXPENSE" ou "INCOME" +RulesResultBookkeepingPersonalized=Cela inclut les enregistrements dans votre Grand Livre ayant les comptes de comptabilité regroupés par les groupes personnalisés SeePageForSetup=Voir le menu %s pour la configuration DepositsAreNotIncluded=- Les factures d'acomptes ne sont pas incluses DepositsAreIncluded=- Les factures d'acomptes sont incluses diff --git a/htdocs/langs/fr_FR/cron.lang b/htdocs/langs/fr_FR/cron.lang index c0aac3493fed9..ace54bbd82a7b 100644 --- a/htdocs/langs/fr_FR/cron.lang +++ b/htdocs/langs/fr_FR/cron.lang @@ -63,7 +63,7 @@ CronId=Id CronClassFile=Nom de fichier intégrant la classe CronModuleHelp=Nom du dossier du module dans Dolibarr (fonctionne aussi avec les modules externes).
Par exemple, pour appeler la méthode d'appel des produits Dolibarr /htdocs/product/class/product.class.php, la valeur du module est
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 +CronObjectHelp=Le nom de l'objet à charger.
Par exemple pour appeler la méthode de récupération de l'objet Produut Dolibarr /htdocs/product/class/product.class.php, la valeur du nom de fichier de classe est
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 CronCommandHelp=La commande système a exécuter. diff --git a/htdocs/langs/fr_FR/donations.lang b/htdocs/langs/fr_FR/donations.lang index ed975470e5937..73f9a0b3512a2 100644 --- a/htdocs/langs/fr_FR/donations.lang +++ b/htdocs/langs/fr_FR/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Afficher article 200 du CGI si vous êtes concernés DONATION_ART238=Afficher article 238 du CGI si vous êtes concernés DONATION_ART885=Afficher article 885 du CGI si vous êtes concernés DonationPayment=Paiement du don +DonationValidated=Donation %s validated diff --git a/htdocs/langs/fr_FR/install.lang b/htdocs/langs/fr_FR/install.lang index 93ec1fd75f02c..fe568be51f68e 100644 --- a/htdocs/langs/fr_FR/install.lang +++ b/htdocs/langs/fr_FR/install.lang @@ -139,7 +139,7 @@ KeepDefaultValuesDeb=Vous utilisez l'assistant d'installation depuis un environn KeepDefaultValuesMamp=Vous utilisez l'assistant d'installation DoliMamp. Les valeurs présentes ici sont pré-remplies. Leur modification ne doit être effectuée qu'en connaissance de cause. KeepDefaultValuesProxmox=Vous utilisez l'assistant d'installation depuis une application Proxmox. Les valeurs présentes ici sont pré-remplies. Leur modification ne doit être effectuée qu'en connaissance de cause. UpgradeExternalModule=Lancer le processus de mise à jour d'un module externe -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' +SetAtLeastOneOptionAsUrlParameter=Définissez au moins une option en tant que paramètre dans l'URL. Par exemple: '... repair.php?standard=confirmed' NothingToDelete=Rien a supprimer NothingToDo=Rien à faire ######### @@ -193,11 +193,11 @@ MigrationActioncommElement=Mise à jour des données des actions des éléments MigrationPaymentMode=Migration des modes de paiement MigrationCategorieAssociation=Migration des categories MigrationEvents=Migration des évènements pour ajouter les propriétaires dans la table des utilisateurs assignés -MigrationEventsContact=Migration of events to add event contact into assignement table +MigrationEventsContact=Migration des événements pour ajouter le contact de l'événement dans la table d'affectation MigrationRemiseEntity=Mettre à jour le champ "entity" de la table "llx_societe_remise MigrationRemiseExceptEntity=Mettre à jour le champ "entity" de la table "llx_societe_remise_except" MigrationReloadModule=Rechargement du module %s -MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm +MigrationResetBlockedLog=Réinitialiser le module BlockedLog pour l'algorithme v7 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 diff --git a/htdocs/langs/fr_FR/languages.lang b/htdocs/langs/fr_FR/languages.lang index bd7f12da153f9..a45a606d1a07d 100644 --- a/htdocs/langs/fr_FR/languages.lang +++ b/htdocs/langs/fr_FR/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Espagnol (Panama) Language_es_PY=Espagnol (Paraguay) Language_es_PE=Espagnol (Peru) Language_es_PR=Espagnol (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Espagnol (Venezuela) Language_et_EE=Estonien Language_eu_ES=Basque diff --git a/htdocs/langs/fr_FR/ldap.lang b/htdocs/langs/fr_FR/ldap.lang index ec91e1bebe976..5041be4b300f9 100644 --- a/htdocs/langs/fr_FR/ldap.lang +++ b/htdocs/langs/fr_FR/ldap.lang @@ -6,7 +6,7 @@ LDAPInformationsForThisContact=Informations en base LDAP pour ce contact LDAPInformationsForThisUser=Informations en base LDAP pour cet utilisateur LDAPInformationsForThisGroup=Informations en base LDAP pour ce groupe LDAPInformationsForThisMember=Informations en base LDAP pour ce membre -LDAPInformationsForThisMemberType=Information in LDAP database for this member type +LDAPInformationsForThisMemberType=Informations dans la base de données LDAP pour ce type d'adhérent LDAPAttributes=Attributs LDAP LDAPCard=Fiche LDAP LDAPRecordNotFound=Enregistrement non trouvé dans la base LDAP diff --git a/htdocs/langs/fr_FR/main.lang b/htdocs/langs/fr_FR/main.lang index 8cc450e29d9c8..c2fd860a678dd 100644 --- a/htdocs/langs/fr_FR/main.lang +++ b/htdocs/langs/fr_FR/main.lang @@ -69,7 +69,7 @@ NotAuthorized=Vous n'êtes pas autorisé pour cette action. SetDate=Définir date SelectDate=Sélectionnez une date SeeAlso=Voir aussi %s -SeeHere=Regardez ici +SeeHere=Voir ici Apply=Appliquer BackgroundColorByDefault=Couleur de fond FileRenamed=Le fichier a été renommé avec succès @@ -104,7 +104,7 @@ RequestLastAccessInError=Requête dernier accès en base en erreur ReturnCodeLastAccessInError=Code retour dernier accès en base en erreur InformationLastAccessInError=Information sur le dernier accès en base en erreur DolibarrHasDetectedError=Dolibarr a détecté une erreur technique -YouCanSetOptionDolibarrMainProdToZero=You can read log file or set option $dolibarr_main_prod to '0' in your config file to get more information. +YouCanSetOptionDolibarrMainProdToZero=Vous pouvez lire le fichier log ou définir l'option $dolibarr_main_prod sur '0' dans votre fichier de configuration pour obtenir plus d'informations. InformationToHelpDiagnose=Voici les informations qui pourront aider au diagnostic (Vous pouvez fixer l'option $dolibarr_main_prod sur '1' pour supprimer quelques notifications) MoreInformation=Plus d'information TechnicalInformation=Informations techniques @@ -803,7 +803,7 @@ NoRecordSelected=Aucu enregistrement sélectionné MassFilesArea=Zone des fichiers générés en masse ShowTempMassFilesArea=Afficher la zone des fichiers générés en masse ConfirmMassDeletion=Confirmation de suppression en masse -ConfirmMassDeletionQuestion=Êtes-vous sur de vouloir supprimer la %s valeur sélectionnée ? +ConfirmMassDeletionQuestion=Êtes-vous sur de vouloir supprimer la(les) %s valeur(s) sélectionnée(s) ? RelatedObjects=Objets liés ClassifyBilled=Classer facturé Progress=Progression @@ -834,7 +834,7 @@ BulkActions=Actions de masse ClickToShowHelp=Cliquez pour montrer l'info-bulle d'aide WebSite=Site web WebSites=Sites web -WebSiteAccounts=Comptes du site web +WebSiteAccounts=Comptes de site web ExpenseReport=Note de frais ExpenseReports=Notes de frais HR=HR @@ -912,3 +912,5 @@ CommentPage=Commentaires CommentAdded=Commentaire ajouté CommentDeleted=Commentaire supprimé Everybody=Tout le monde +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/fr_FR/modulebuilder.lang b/htdocs/langs/fr_FR/modulebuilder.lang index ad72e5dc09e2e..a689ca07ec1c9 100644 --- a/htdocs/langs/fr_FR/modulebuilder.lang +++ b/htdocs/langs/fr_FR/modulebuilder.lang @@ -4,7 +4,7 @@ EnterNameOfModuleDesc=Saisissez le nom du module/application à créer, sans esp 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 ModuleBuilderDesc3=Modules générés/éditables trouvés : %s -ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory +ModuleBuilderDesc4=Un module est détecté comme 'modifiable' quand le fichier %s existe à la racine du répertoire du module NewModule=Nouveau module NewObject=Nouvel objet ModuleKey=Clé du module @@ -47,7 +47,7 @@ SpecificationFile=Fichier de description des règles métiers LanguageFile=Fichier langue ConfirmDeleteProperty=Êtes-vous sûr de vouloir supprimer la propriété%s ? Cela changera le code dans la classe PHP, mais supprimera également la colonne de la définition de table d'objet. NotNull=Non NULL -NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). +NotNullDesc=1=Définir le champ en base à NOT NULL. -1=Autoriser les valeurs nulles et forcer la valeur à NULL si vide ('' ou 0). SearchAll=Utilisé par la "recherche globale" DatabaseIndex=Index en base FileAlreadyExists=Le fichier %s existe déjà @@ -72,7 +72,7 @@ NoWidget=Aucun widget GoToApiExplorer=Se rendre sur l'explorateur d'API ListOfMenusEntries=Liste des entrées du menu ListOfPermissionsDefined=Liste des permissions -EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) +EnabledDesc=Condition pour que ce champ soit actif (Exemples: 1 ou $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) @@ -81,7 +81,7 @@ LanguageDefDesc=Enter in this files, all the key and the translation for each la 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. +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 @@ -89,6 +89,6 @@ TryToUseTheModuleBuilder=If you have knowledge in SQL and PHP, you can try to us SeeTopRightMenu=Voir à droite de votre barre de menu principal AddLanguageFile=Ajouter le fichier de langue YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") -DropTableIfEmpty=(Delete table if empty) +DropTableIfEmpty=(Supprimer la table si vide) TableDoesNotExists=La table %s n'existe pas TableDropped=La table %s a été supprimée diff --git a/htdocs/langs/fr_FR/paypal.lang b/htdocs/langs/fr_FR/paypal.lang index 5e9ba594b9d18..e4bd2341c060d 100644 --- a/htdocs/langs/fr_FR/paypal.lang +++ b/htdocs/langs/fr_FR/paypal.lang @@ -11,7 +11,7 @@ PAYPAL_SSLVERSION=Curl Version SSL PAYPAL_API_INTEGRAL_OR_PAYPALONLY=Proposer le paiement intégral (Carte+Paypal) ou Paypal seul PaypalModeIntegral=Intégral PaypalModeOnlyPaypal=PayPal seul -ONLINE_PAYMENT_CSS_URL=Optionnal URL of CSS style sheet on online payment page +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 (Paypal) si ce dernier n'a pas encore été fait.\n\n%s\n\n @@ -29,4 +29,4 @@ ShortErrorMessage=Message d'erreur court ErrorCode=Code erreur ErrorSeverityCode=Code d'erreur sévérité OnlinePaymentSystem=Système de paiement en ligne -PaypalLiveEnabled=Paypal live activé ( différent du mode test/bac à sable ) +PaypalLiveEnabled=Paypal live activé (sinon mode test/bac à sable) diff --git a/htdocs/langs/fr_FR/products.lang b/htdocs/langs/fr_FR/products.lang index 1737242f4ba80..3a94e1cc0c672 100644 --- a/htdocs/langs/fr_FR/products.lang +++ b/htdocs/langs/fr_FR/products.lang @@ -153,7 +153,7 @@ BuyingPrices=Prix d'achat CustomerPrices=Prix clients SuppliersPrices=Prix fournisseurs SuppliersPricesOfProductsOrServices=Prix fournisseurs (des produits ou services) -CustomCode=Nomenclature douanière/Code SH +CustomCode=Nomenclature douanière / Code SH CountryOrigin=Pays d'origine Nature=Nature ShortLabel=Libellé court @@ -196,6 +196,7 @@ CurrentProductPrice=Prix actuel AlwaysUseNewPrice=Toujours utiliser le prix du jour AlwaysUseFixedPrice=Utiliser le prix fixé PriceByQuantity=Prix différents par quantité +DisablePriceByQty=Désactiver les prix par quantité PriceByQuantityRange=Grille de quantités MultipriceRules=Règles du niveau de prix UseMultipriceRules=Utilisation des règles de niveau de prix (définies dans la configuration du module de produit) pour calculer automatiquement le prix de tous les autres niveaux en fonction de premier niveau diff --git a/htdocs/langs/fr_FR/trips.lang b/htdocs/langs/fr_FR/trips.lang index 3b4a7fad4e346..ada5f240cb9a9 100644 --- a/htdocs/langs/fr_FR/trips.lang +++ b/htdocs/langs/fr_FR/trips.lang @@ -125,8 +125,8 @@ expenseReportRangeFromTo=de %d à %d expenseReportRangeMoreThan=Plus de %d expenseReportCoefUndefined=(valeur non définie) expenseReportCatDisabled=Catégorie désactivée - Voir la dictionnaire c_exp_tax_cat dictionary -expenseReportRangeDisabled=Range disabled - see the c_exp_tax_range dictionay -expenseReportPrintExample=offset + (d x coef) = %s +expenseReportRangeDisabled=Plage désactivée - voir le dictionay c_exp_tax_range +expenseReportPrintExample=décalage + (d x coef) = %s ExpenseReportApplyTo=Appliquer à ExpenseReportDomain=Nom de domaine à utiliser ExpenseReportLimitOn=Limite sur diff --git a/htdocs/langs/fr_FR/website.lang b/htdocs/langs/fr_FR/website.lang index de951903e2582..6c69896c70d06 100644 --- a/htdocs/langs/fr_FR/website.lang +++ b/htdocs/langs/fr_FR/website.lang @@ -8,12 +8,12 @@ WEBSITE_PAGENAME=Nom/alias de la page 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) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) +WEBSITE_HTML_HEADER=Ajout en bas de l'en-tête HTML (commun à toutes les pages) WEBSITE_ROBOT=Fichier robot (robots.txt) WEBSITE_HTACCESS=Fichier .htaccess du site web -HtmlHeaderPage=HTML header (specific to this page only) +HtmlHeaderPage=En-tête HTML (spécifique pour la page uniquement) PageNameAliasHelp=Nom ou alias de la page.
Cet alias est également utilisé pour forger une URL SEO lorsque le site Web est exécuté à partir d'un hôte virtuel d'un serveur Web (comme Apache, Nginx, ...). Utilisez le bouton "%s" pour modifier cet 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. +EditTheWebSiteForACommonHeader=Remarque: Si vous souhaitez définir un en-tête personnalisé pour toutes les pages, modifiez l'en-tête au niveau du site plutôt qu'au niveau page/conteneur. MediaFiles=Répertoire de médias EditCss=Editer l'en-tête HTML ou Style/CSS EditMenu=Modifier menu @@ -50,17 +50,17 @@ PageIsANewTranslation=La nouvelle page est une traduction de la page en cours ? LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. ParentPageId=Id de la page parent WebsiteId=ID site web -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... +CreateByFetchingExternalPage=Créer une page / un conteneur en récupérant une page à partir d'une URL externe ... OrEnterPageInfoManually=Ou créer une nouvelle page FetchAndCreate=Récupérer et Créer ExportSite=Exporter site IDOfPage=Id de page Banner=Bandeau BlogPost=Article de Blog -WebsiteAccount=Web site account -WebsiteAccounts=Comptes du site web +WebsiteAccount=Compte de site Web +WebsiteAccounts=Comptes de site web AddWebsiteAccount=Créer un compte sur le site web BackToListOfThirdParty=Retour à la liste pour le Tiers -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=Another container +DisableSiteFirst=Désactiver le site Web d'abord +MyContainerTitle=Titre de mon site web +AnotherContainer=Un autre conteneur diff --git a/htdocs/langs/he_IL/accountancy.lang b/htdocs/langs/he_IL/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/he_IL/accountancy.lang +++ b/htdocs/langs/he_IL/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang index 7a2976172aebd..a0bdd3905690a 100644 --- a/htdocs/langs/he_IL/admin.lang +++ b/htdocs/langs/he_IL/admin.lang @@ -539,7 +539,7 @@ Module320Desc=הוסף עדכון RSS בתוך דפי Dolibarr מסך Module330Name=הסימניות Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=לוח השנה Module410Desc=שילוב לוח השנה Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=סגל DictionaryAvailability=עיכוב משלוח DictionaryOrderMethods=הזמנת שיטות DictionarySource=מקור הצעות / הזמנות -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=הגדרת הציל SetupNotSaved=Setup not saved BackToModuleList=חזרה לרשימת מודולים BackToDictionaryList=חזרה לרשימת המילונים +TypeOfRevenueStamp=Type of revenue 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 חברות קטנות. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/he_IL/banks.lang b/htdocs/langs/he_IL/banks.lang index 40b76f8c64c2e..be8f75d172b54 100644 --- a/htdocs/langs/he_IL/banks.lang +++ b/htdocs/langs/he_IL/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/he_IL/bills.lang b/htdocs/langs/he_IL/bills.lang index f925a431e3269..34fe6c7273a99 100644 --- a/htdocs/langs/he_IL/bills.lang +++ b/htdocs/langs/he_IL/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/he_IL/compta.lang b/htdocs/langs/he_IL/compta.lang index 8ff51eccfe4b5..0ad0ea3e2023a 100644 --- a/htdocs/langs/he_IL/compta.lang +++ b/htdocs/langs/he_IL/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/he_IL/donations.lang b/htdocs/langs/he_IL/donations.lang index 1d2244510a9b8..6936e94040a61 100644 --- a/htdocs/langs/he_IL/donations.lang +++ b/htdocs/langs/he_IL/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/he_IL/errors.lang b/htdocs/langs/he_IL/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/he_IL/errors.lang +++ b/htdocs/langs/he_IL/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/he_IL/install.lang b/htdocs/langs/he_IL/install.lang index 645423e35344d..e2f9a806269ab 100644 --- a/htdocs/langs/he_IL/install.lang +++ b/htdocs/langs/he_IL/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/he_IL/languages.lang b/htdocs/langs/he_IL/languages.lang index 3befbd16053d9..fa083f02e1f05 100644 --- a/htdocs/langs/he_IL/languages.lang +++ b/htdocs/langs/he_IL/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=ספרדית (פרגוואי) Language_es_PE=ספרדית (פרו) Language_es_PR=ספרדית (פורטו ריקו) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=אסטונית Language_eu_ES=הבסקים diff --git a/htdocs/langs/he_IL/main.lang b/htdocs/langs/he_IL/main.lang index a3b4fc0c5fdf3..369fa1d0e5f48 100644 --- a/htdocs/langs/he_IL/main.lang +++ b/htdocs/langs/he_IL/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/he_IL/other.lang b/htdocs/langs/he_IL/other.lang index 3aa2a34fd953d..2126d03bedee2 100644 --- a/htdocs/langs/he_IL/other.lang +++ b/htdocs/langs/he_IL/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/he_IL/products.lang b/htdocs/langs/he_IL/products.lang index 589bbb35ce87b..55f4d1a722ecf 100644 --- a/htdocs/langs/he_IL/products.lang +++ b/htdocs/langs/he_IL/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/he_IL/projects.lang b/htdocs/langs/he_IL/projects.lang index abbfa08166410..c8b4890691f3c 100644 --- a/htdocs/langs/he_IL/projects.lang +++ b/htdocs/langs/he_IL/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/he_IL/website.lang b/htdocs/langs/he_IL/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/he_IL/website.lang +++ b/htdocs/langs/he_IL/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/hr_HR/accountancy.lang b/htdocs/langs/hr_HR/accountancy.lang index 7ff8b208d0a11..29462bb516221 100644 --- a/htdocs/langs/hr_HR/accountancy.lang +++ b/htdocs/langs/hr_HR/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Broj komada TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Popis obračunskih računa 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang index 2fab058600302..1618f28f5edc5 100644 --- a/htdocs/langs/hr_HR/admin.lang +++ b/htdocs/langs/hr_HR/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Dodaj RSS feed unutar Dolibar stranica Module330Name=Oznake Module330Desc=Upravljanje oznakama Module400Name=Projekti/Mogućnosti/Vodiči -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Web kalendar Module410Desc=Integracija web kalendara Module500Name=Specijalni troškovi @@ -890,7 +890,7 @@ DictionaryStaff=Zaposlenici DictionaryAvailability=Kašnjenje isporuke DictionaryOrderMethods=Metode naručivanja DictionarySource=Porjeklo ponuda/narudžbi -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modeli za grafikone računa DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Predlošci e-pošte @@ -904,6 +904,7 @@ SetupSaved=Postavi spremljeno SetupNotSaved=Setup not saved BackToModuleList=Povratak na popis modula BackToDictionaryList=Povratak na popis definicija +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/hr_HR/banks.lang b/htdocs/langs/hr_HR/banks.lang index 5d055549f91b0..ff7d470dc9146 100644 --- a/htdocs/langs/hr_HR/banks.lang +++ b/htdocs/langs/hr_HR/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Broj LineRecord=Transakcija AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Uskladio DateConciliating=Datum usklađenja BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/hr_HR/bills.lang b/htdocs/langs/hr_HR/bills.lang index f4096449c7ca6..e9d3a9086f881 100644 --- a/htdocs/langs/hr_HR/bills.lang +++ b/htdocs/langs/hr_HR/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Zakašnjela plaćanja BillsStatistics=Statistika računa kupaca BillsStatisticsSuppliers=Statistika računa dobavljača +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Onemogućeno jer ne može biti obrisano InvoiceStandard=Običan račun InvoiceStandardAsk=Običan račun @@ -176,6 +178,7 @@ 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=Preostali neplaćeni (%s %s) je garantirani popust zato što je plaćanje izvršeno prije valute plaćanja. Reguliramo PDV putem odobrenja. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Preostali neplaćeni (%s %s) je garantirani popust zato što je plaćanje izvršeno prije valute plaćanja. Prihvaćam gubitak iznos PDV-a na ovom popustu. ConfirmClassifyPaidPartiallyReasonDiscountVat=Preostali neplaćeni (%s %s) je garantirani popust zato što je plaćanje izvršeno prije valute plaćanja. Potražujem povrat poreza na popustu bez odobrenja. ConfirmClassifyPaidPartiallyReasonBadCustomer=Loš kupac diff --git a/htdocs/langs/hr_HR/compta.lang b/htdocs/langs/hr_HR/compta.lang index 340764cf18fbc..fbce28e3ff9fa 100644 --- a/htdocs/langs/hr_HR/compta.lang +++ b/htdocs/langs/hr_HR/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Plaćanja nisu povezana s niti jednim računom, tako PaymentsNotLinkedToUser=Plaćanja nisu povezana s niti jednim korisnikom Profit=Profit AccountingResult=Rezultati računovodstvo +BalanceBefore=Balance (before) Balance=Stanje Debit=Zaduženje Credit=Kredit diff --git a/htdocs/langs/hr_HR/donations.lang b/htdocs/langs/hr_HR/donations.lang index 5ff72579b1ccc..c2d8cd40d0479 100644 --- a/htdocs/langs/hr_HR/donations.lang +++ b/htdocs/langs/hr_HR/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Prikaži članak 200 iz CGI ako ste zabrinuti DONATION_ART238=Prikaži članak 238 iz CGI ako ste zabrinuti DONATION_ART885=Prikaži članak 885 iz CGI ako ste zabrinuti DonationPayment=Isplata donacije +DonationValidated=Donation %s validated diff --git a/htdocs/langs/hr_HR/errors.lang b/htdocs/langs/hr_HR/errors.lang index 88436672776ae..e79fb19fed51a 100644 --- a/htdocs/langs/hr_HR/errors.lang +++ b/htdocs/langs/hr_HR/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/hr_HR/install.lang b/htdocs/langs/hr_HR/install.lang index 55c2e2780d062..b2c8a485723a8 100644 --- a/htdocs/langs/hr_HR/install.lang +++ b/htdocs/langs/hr_HR/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/hr_HR/languages.lang b/htdocs/langs/hr_HR/languages.lang index adf6b0c79f4b7..d03b0feac48da 100644 --- a/htdocs/langs/hr_HR/languages.lang +++ b/htdocs/langs/hr_HR/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Španjolski (Paragvaj) Language_es_PE=Španjolski (Peru) Language_es_PR=Španjolski (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Španjolski (Venezuela) Language_et_EE=Estonski Language_eu_ES=Baskijski diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang index e374e04970dec..61a553858262f 100644 --- a/htdocs/langs/hr_HR/main.lang +++ b/htdocs/langs/hr_HR/main.lang @@ -548,6 +548,18 @@ MonthShort09=Ruj MonthShort10=Lis MonthShort11=Stu MonthShort12=Pro +MonthVeryShort01=J +MonthVeryShort02=P +MonthVeryShort03=P +MonthVeryShort04=A +MonthVeryShort05=P +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=N +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Priložene datoteke i dokumenti JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Postavi bankovni račun AccountCurrency=Valuta računa ViewPrivateNote=Vidi napomene XMoreLines=%s stavaka(e) skriveno -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Javni URL AddBox=Dodaj blok SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Svi +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/hr_HR/other.lang b/htdocs/langs/hr_HR/other.lang index 5ee970c7504fb..23f3257eb8961 100644 --- a/htdocs/langs/hr_HR/other.lang +++ b/htdocs/langs/hr_HR/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/hr_HR/products.lang b/htdocs/langs/hr_HR/products.lang index 1ff9ec531cd66..d17677bc1f59a 100644 --- a/htdocs/langs/hr_HR/products.lang +++ b/htdocs/langs/hr_HR/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Trenutna cijena AlwaysUseNewPrice=Uvijek koristi trenutnu cijenu za proizvod/uslugu AlwaysUseFixedPrice=Koristi fiksnu cijenu PriceByQuantity=Različite cijene prema količini +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Raspon količine MultipriceRules=Pravila odjelnih cijena UseMultipriceRules=Koristite pravila odjelova cijena (definiranih u postavkama modula proizvoda) za automatski izračun cijena ostalih dijelova sukladno prema prvom dijelu diff --git a/htdocs/langs/hr_HR/projects.lang b/htdocs/langs/hr_HR/projects.lang index ed7361abdcf3e..d0ac2f943c3b0 100644 --- a/htdocs/langs/hr_HR/projects.lang +++ b/htdocs/langs/hr_HR/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Čekanje OppStatusWON=Dobio OppStatusLOST=Izgubljeno Budget=Proračun +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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/hr_HR/website.lang b/htdocs/langs/hr_HR/website.lang index 418516e34471e..abbeb4e2c005f 100644 --- a/htdocs/langs/hr_HR/website.lang +++ b/htdocs/langs/hr_HR/website.lang @@ -3,15 +3,17 @@ Shortname=Kod WebsiteSetupDesc=Kreirajte različitih unosa koliko god to želite ovisno koliko web mjesta želite. Nakon toga idite na Websites izbornik za uređivanje istih. DeleteWebsite=Obriši Web mjesto ConfirmDeleteWebsite=Jeste li sigurni da želite obrisati ovo web mjesto. Sve stranice i sadržaj biti će isto obrisan. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Naziv stranice/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL vanjske CSS datoteke WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Mediji EditCss=Edit Style/CSS or HTML header EditMenu=Uredi izbornik @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/hu_HU/accountancy.lang b/htdocs/langs/hu_HU/accountancy.lang index 045264b19a73f..f90d3e640798e 100644 --- a/htdocs/langs/hu_HU/accountancy.lang +++ b/htdocs/langs/hu_HU/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Klasszikus export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang index 6f99aad2464ed..2b4d6ea7437d4 100644 --- a/htdocs/langs/hu_HU/admin.lang +++ b/htdocs/langs/hu_HU/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed belül Dolibarr képernyőre Module330Name=Könyvjelzők Module330Desc=Könyvjelző kezelés Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=WebCalendar Module410Desc=WebCalendar integráció Module500Name=Különleges költségek @@ -890,7 +890,7 @@ DictionaryStaff=Személyzet DictionaryAvailability=Szállítási késedelem DictionaryOrderMethods=Rendelés módjai DictionarySource=Származási javaslatok / megrendelések -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=E-mail sablonok @@ -904,6 +904,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 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/hu_HU/banks.lang b/htdocs/langs/hu_HU/banks.lang index 295f2f4cdb612..e1d3398353ca7 100644 --- a/htdocs/langs/hu_HU/banks.lang +++ b/htdocs/langs/hu_HU/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Szám LineRecord=Tranzakció AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Egyeztetésenként DateConciliating=Összeegyeztetés dátuma BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/hu_HU/bills.lang b/htdocs/langs/hu_HU/bills.lang index e03484c030823..f8edf0dd28d8a 100644 --- a/htdocs/langs/hu_HU/bills.lang +++ b/htdocs/langs/hu_HU/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Fizetetlen beszállítói számla: %s BillsLate=Késedelmes fizetések BillsStatistics=Vevőszámla statisztika BillsStatisticsSuppliers=Beszállítói számlák statisztikája +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Normál számla InvoiceStandardAsk=Normál számla @@ -176,6 +178,7 @@ 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=Maradék egyenleg (%s %s) elengedésre kerül kedvezményként, mivel a kifizetés a határidő előtt történt. Az ÁFA-t korrigálom jóváírás készítésével. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Maradék egyenleg (%s %s) elengedésre kerül kedvezményként, mivel a kifizetés a hatridő elött történt. Az ÁFA-t nem korrigálm, a jóváírás áfája elvesztésre kerül. ConfirmClassifyPaidPartiallyReasonDiscountVat=Maradék egyenleg (%s %s) elengedésre kerül kedvezményként, mivel a kifizetés a határidő előtt történt. Az ÁFA-t visszaigénylem jóváírás készítése nélkül. ConfirmClassifyPaidPartiallyReasonBadCustomer=Rossz ügyfél diff --git a/htdocs/langs/hu_HU/compta.lang b/htdocs/langs/hu_HU/compta.lang index 683655904c466..ebbba836a502c 100644 --- a/htdocs/langs/hu_HU/compta.lang +++ b/htdocs/langs/hu_HU/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Kifizetések nem kapcsolódik semmilyen számlát, í PaymentsNotLinkedToUser=Kifizetések nem kapcsolódnak egyetlen felhasználó Profit=Nyereség AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Egyenleg Debit=Tartozik Credit=Hitel diff --git a/htdocs/langs/hu_HU/donations.lang b/htdocs/langs/hu_HU/donations.lang index a3968859f9756..84aac702dfd58 100644 --- a/htdocs/langs/hu_HU/donations.lang +++ b/htdocs/langs/hu_HU/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/hu_HU/errors.lang b/htdocs/langs/hu_HU/errors.lang index ddac8457e1125..b8cd6b014b1ce 100644 --- a/htdocs/langs/hu_HU/errors.lang +++ b/htdocs/langs/hu_HU/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/hu_HU/install.lang b/htdocs/langs/hu_HU/install.lang index eabadc7c70ca5..d02add80516f8 100644 --- a/htdocs/langs/hu_HU/install.lang +++ b/htdocs/langs/hu_HU/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Ön használja az Dolibarr Setup Wizard egy Proxmox vir 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 ######### # upgrade MigrationFixData=Fix denormalizált adatra @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Üres mező érték frissítése: llx_societe_remise MigrationRemiseExceptEntity=Üres mező érték frissítése: llx_societe_remise_except MigrationReloadModule=Modul újratöltése %s +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. diff --git a/htdocs/langs/hu_HU/languages.lang b/htdocs/langs/hu_HU/languages.lang index 25ee7124bb5c0..e09f9f89b3175 100644 --- a/htdocs/langs/hu_HU/languages.lang +++ b/htdocs/langs/hu_HU/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanyol (Panama) Language_es_PY=Spanyol (Paraguay) Language_es_PE=Spanyol (Peru) Language_es_PR=Spanyol (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanyol (Venezuela) Language_et_EE=Észt Language_eu_ES=Baszk diff --git a/htdocs/langs/hu_HU/main.lang b/htdocs/langs/hu_HU/main.lang index 205d3b248bee3..26badd1c2004d 100644 --- a/htdocs/langs/hu_HU/main.lang +++ b/htdocs/langs/hu_HU/main.lang @@ -548,6 +548,18 @@ MonthShort09=szept MonthShort10=okt MonthShort11=nov MonthShort12=dec +MonthVeryShort01=J +MonthVeryShort02=P +MonthVeryShort03=H +MonthVeryShort04=A +MonthVeryShort05=H +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=V +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Csatolt fájlok és dokumentumok JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Bankszámla megadása AccountCurrency=Bankszámla pénzneme ViewPrivateNote=Megjegyzések XMoreLines=%s sor rejtve maradt -ShowMoreLines=Több sor megjelenítése +ShowMoreLines=Show more/less lines PublicUrl=Nyílvános URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Mindenki +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/hu_HU/other.lang b/htdocs/langs/hu_HU/other.lang index db6d821b84193..94622626a7821 100644 --- a/htdocs/langs/hu_HU/other.lang +++ b/htdocs/langs/hu_HU/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Az export területén diff --git a/htdocs/langs/hu_HU/products.lang b/htdocs/langs/hu_HU/products.lang index 06cefdba84329..b6fc36340b54f 100644 --- a/htdocs/langs/hu_HU/products.lang +++ b/htdocs/langs/hu_HU/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Aktuális ár AlwaysUseNewPrice=Mindig a termék/szolgáltatás aktuális árát használja AlwaysUseFixedPrice=Használja a fix árat PriceByQuantity=Mennyiségtől függő ár +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Mennyiségi intervallum MultipriceRules=Árazási szabályok UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first segment diff --git a/htdocs/langs/hu_HU/projects.lang b/htdocs/langs/hu_HU/projects.lang index 8bb4487274434..6f1ca47124d77 100644 --- a/htdocs/langs/hu_HU/projects.lang +++ b/htdocs/langs/hu_HU/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Folyamatban OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/hu_HU/website.lang b/htdocs/langs/hu_HU/website.lang index 3f5c8b0c79a65..6fbbcee6a19c3 100644 --- a/htdocs/langs/hu_HU/website.lang +++ b/htdocs/langs/hu_HU/website.lang @@ -3,15 +3,17 @@ Shortname=Kód WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. DeleteWebsite=A honlap törlése ConfirmDeleteWebsite=Biztos benne, hogy le akarja törölni a honlapot? Az összes oldal és tartalom el fog veszni! +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/id_ID/accountancy.lang b/htdocs/langs/id_ID/accountancy.lang index 79a608c9667f4..49bc5c7852fe6 100644 --- a/htdocs/langs/id_ID/accountancy.lang +++ b/htdocs/langs/id_ID/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Jumlah potongan TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Daftar akun-akun akunting 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model Ekspor -OptionsDeactivatedForThisExportModel=Untuk model ekspor ini , opsi dinonaktifkan Selectmodelcsv=Pilih satu model Ekspor Modelcsv_normal=Ekspor Klasik Modelcsv_CEGID=Ekspor terhadap CEGID Ahli komtabilitas @@ -254,7 +254,7 @@ Modelcsv_ciel=Ekspor terhadap Sage Ceil Compta atau Compta Evolution Modelcsv_quadratus=Ekspor terhadap Quadratus QuadraCompta Modelcsv_ebp=Ekspor terhadap EBP Modelcsv_cogilog=Export towards Cogilog -Modelcsv_agiris=Export towards Agiris (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang index fd93b8e3a6bd8..cd2afbf53f1cc 100644 --- a/htdocs/langs/id_ID/admin.lang +++ b/htdocs/langs/id_ID/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Kembali Ke Daftar Modul BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/id_ID/banks.lang b/htdocs/langs/id_ID/banks.lang index 911a19456d20b..b7fb7eec92c96 100644 --- a/htdocs/langs/id_ID/banks.lang +++ b/htdocs/langs/id_ID/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/id_ID/bills.lang b/htdocs/langs/id_ID/bills.lang index c57860656e795..29c6431d7874a 100644 --- a/htdocs/langs/id_ID/bills.lang +++ b/htdocs/langs/id_ID/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Pembayaran - pembayaran yang terlambat BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Tagihan standar InvoiceStandardAsk=Taghian standar @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/id_ID/compta.lang b/htdocs/langs/id_ID/compta.lang index b5368b9e276aa..cfdb5ed195c91 100644 --- a/htdocs/langs/id_ID/compta.lang +++ b/htdocs/langs/id_ID/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debet Credit=Kredit diff --git a/htdocs/langs/id_ID/donations.lang b/htdocs/langs/id_ID/donations.lang index 69c0323613525..503432517ad04 100644 --- a/htdocs/langs/id_ID/donations.lang +++ b/htdocs/langs/id_ID/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/id_ID/errors.lang b/htdocs/langs/id_ID/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/id_ID/errors.lang +++ b/htdocs/langs/id_ID/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/id_ID/install.lang b/htdocs/langs/id_ID/install.lang index e115f277d9c1e..1e81d853df5a4 100644 --- a/htdocs/langs/id_ID/install.lang +++ b/htdocs/langs/id_ID/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/id_ID/languages.lang b/htdocs/langs/id_ID/languages.lang index 8d2ee04aa4303..a4c159fb7ef5c 100644 --- a/htdocs/langs/id_ID/languages.lang +++ b/htdocs/langs/id_ID/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanyol (Paraguay) Language_es_PE=Spanyol (Peru) Language_es_PR=Spanyol (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonia Language_eu_ES=Basque diff --git a/htdocs/langs/id_ID/main.lang b/htdocs/langs/id_ID/main.lang index 2423f8718e9ae..f0e4e9ac5be69 100644 --- a/htdocs/langs/id_ID/main.lang +++ b/htdocs/langs/id_ID/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/id_ID/other.lang b/htdocs/langs/id_ID/other.lang index b7a3fba2665cb..652a1a4c9db0d 100644 --- a/htdocs/langs/id_ID/other.lang +++ b/htdocs/langs/id_ID/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/id_ID/products.lang b/htdocs/langs/id_ID/products.lang index 25460b1955e69..6f4499d565e75 100644 --- a/htdocs/langs/id_ID/products.lang +++ b/htdocs/langs/id_ID/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/id_ID/projects.lang b/htdocs/langs/id_ID/projects.lang index d3c7156fdbecb..2280edbf6abf3 100644 --- a/htdocs/langs/id_ID/projects.lang +++ b/htdocs/langs/id_ID/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/id_ID/website.lang b/htdocs/langs/id_ID/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/id_ID/website.lang +++ b/htdocs/langs/id_ID/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/is_IS/accountancy.lang b/htdocs/langs/is_IS/accountancy.lang index c2e6c394f810f..16532eadc453d 100644 --- a/htdocs/langs/is_IS/accountancy.lang +++ b/htdocs/langs/is_IS/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang index b983b43092be0..0c476982705e8 100644 --- a/htdocs/langs/is_IS/admin.lang +++ b/htdocs/langs/is_IS/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Bæta við RSS straum inni Dolibarr skjár síður Module330Name=Bókamerki Module330Desc=Bókamerki stjórnun Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar sameining Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Starfsfólk DictionaryAvailability=Afhending töf DictionaryOrderMethods=Röðun aðferðir DictionarySource=Uppruni tillögur / pantanir -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,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 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/is_IS/banks.lang b/htdocs/langs/is_IS/banks.lang index 57bc597765b14..5d463123b6a4d 100644 --- a/htdocs/langs/is_IS/banks.lang +++ b/htdocs/langs/is_IS/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Fjöldi LineRecord=Færsla AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Sáttir við DateConciliating=Samræmdu dagsetningu BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/is_IS/bills.lang b/htdocs/langs/is_IS/bills.lang index 925f52e7d87b4..2326e64782773 100644 --- a/htdocs/langs/is_IS/bills.lang +++ b/htdocs/langs/is_IS/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Vanskil BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard Reikningar InvoiceStandardAsk=Standard Reikningar @@ -176,6 +178,7 @@ 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. +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 viðskiptavina diff --git a/htdocs/langs/is_IS/compta.lang b/htdocs/langs/is_IS/compta.lang index 9a7a62ae9a9cc..4eb49da55f761 100644 --- a/htdocs/langs/is_IS/compta.lang +++ b/htdocs/langs/is_IS/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Greiðslur ekki tengd við hvaða nótum svo ekki ten PaymentsNotLinkedToUser=Greiðslur tengist ekki allir notandi Profit=Hagnaður AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Jafnvægi Debit=Debit Credit=Greiðslukort diff --git a/htdocs/langs/is_IS/donations.lang b/htdocs/langs/is_IS/donations.lang index f33d754053c33..bc1a2f2d9436f 100644 --- a/htdocs/langs/is_IS/donations.lang +++ b/htdocs/langs/is_IS/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/is_IS/errors.lang b/htdocs/langs/is_IS/errors.lang index 6c7e2048ea58c..2d36993af48d4 100644 --- a/htdocs/langs/is_IS/errors.lang +++ b/htdocs/langs/is_IS/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/is_IS/install.lang b/htdocs/langs/is_IS/install.lang index 593205df4a3f5..e05e442180049 100644 --- a/htdocs/langs/is_IS/install.lang +++ b/htdocs/langs/is_IS/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Þú notar Dolibarr uppsetningarhjálpina frá 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 ######### # upgrade MigrationFixData=Festa fyrir denormalized gögn @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/is_IS/languages.lang b/htdocs/langs/is_IS/languages.lang index 2ec109ad32f14..3949a5c98d82c 100644 --- a/htdocs/langs/is_IS/languages.lang +++ b/htdocs/langs/is_IS/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spænska (Paraguay) Language_es_PE=Spænska (Peru) Language_es_PR=Spænska (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Eistneska Language_eu_ES=Basque diff --git a/htdocs/langs/is_IS/main.lang b/htdocs/langs/is_IS/main.lang index 7a04870bd515c..09e0f9e3ae31a 100644 --- a/htdocs/langs/is_IS/main.lang +++ b/htdocs/langs/is_IS/main.lang @@ -548,6 +548,18 @@ MonthShort09=September MonthShort10=Október MonthShort11=Nóvember MonthShort12=Desember +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Meðfylgjandi skrár og skjöl JoinMainDoc=Join main document DateFormatYYYYMM=ÁÁÁÁ-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Allir +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/is_IS/other.lang b/htdocs/langs/is_IS/other.lang index 917a8cb94d1da..67a7b1ad4ea0f 100644 --- a/htdocs/langs/is_IS/other.lang +++ b/htdocs/langs/is_IS/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Útflutningur area diff --git a/htdocs/langs/is_IS/products.lang b/htdocs/langs/is_IS/products.lang index b1a20de43a9b6..5c21c8b22259a 100644 --- a/htdocs/langs/is_IS/products.lang +++ b/htdocs/langs/is_IS/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Núverandi verð AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/is_IS/projects.lang b/htdocs/langs/is_IS/projects.lang index 47899f264dc95..c976d5c88454a 100644 --- a/htdocs/langs/is_IS/projects.lang +++ b/htdocs/langs/is_IS/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/is_IS/website.lang b/htdocs/langs/is_IS/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/is_IS/website.lang +++ b/htdocs/langs/is_IS/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/it_IT/accountancy.lang b/htdocs/langs/it_IT/accountancy.lang index 77e36421d3eee..1d2e0a7915a5b 100644 --- a/htdocs/langs/it_IT/accountancy.lang +++ b/htdocs/langs/it_IT/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Numero del pezzo TransactionNumShort=Num. transazione AccountingCategory=Personalized groups GroupByAccountAccounting=Raggruppamento piano dei conti -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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=Gruppi personalizzati @@ -191,6 +191,7 @@ DescThirdPartyReport=Consulta la lista dei clienti e fornitori e dei contatti co ListAccounts=Lista delle voci del piano dei conti 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 Pcgtype=Gruppo di conto Pcgsubtype=Sottogruppo di conto @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Questo giornale è già in uso ## Export ExportDraftJournal=Export draft journal Modelcsv=Modello di esportazione -OptionsDeactivatedForThisExportModel=Per questo modello di esportazione, le opzioni sono disattivate Selectmodelcsv=Seleziona un modello di esportazione Modelcsv_normal=Esportazione classica Modelcsv_CEGID=Esportazione per CEGID Expert Comptabilité @@ -254,7 +254,7 @@ Modelcsv_ciel=Esportazione per Sage Ciel Compta o Compta Evolution Modelcsv_quadratus=Esportazione per Quadratus QuadraCompta Modelcsv_ebp=Esportazione per EBP Modelcsv_cogilog=Esporta per Cogilog -Modelcsv_agiris=Export towards Agiris (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Id Piano dei Conti diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang index bd088d9496f4d..f9bf58c9948bc 100644 --- a/htdocs/langs/it_IT/admin.lang +++ b/htdocs/langs/it_IT/admin.lang @@ -131,7 +131,7 @@ HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on thi Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Massimo numero di righe per componente -AllWidgetsWereEnabled=All available widgets are enabled +AllWidgetsWereEnabled=Tutti i widget disponibili sono abilitati PositionByDefault=Per impostazione predefinita Position=Posizione MenusDesc=Gestione del contenuto delle 2 barre dei menu (barra orizzontale e barra verticale). @@ -206,9 +206,9 @@ 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 +Updated=Aggiornato Nouveauté=Novelty -AchatTelechargement=Buy / Download +AchatTelechargement=Aquista / Scarica GoModuleSetupArea=To deploy/install a new module, go onto the Module setup area at %s. DoliStoreDesc=DoliStore, il mercato ufficiale dei moduli esterni per Dolibarr ERP/CRM DoliPartnersDesc=Elenco di aziende che forniscono moduli e funzionalità sviluppate su misura (Nota: chiunque sia esperto in programmazione PHP è in grado di fornire un contributo allo sviluppo per un progetto open source) @@ -330,7 +330,7 @@ GenericMaskCodes3=Tutti gli altri caratteri nello schema rimarranno inalterati. GenericMaskCodes4a=Esempio sulla novantanovesima %s del contatto, con la data il 31/01/2007:
GenericMaskCodes4b=Esempio : il 99esimo cliente/fornitore viene creato 31/01/2007:
GenericMaskCodes4c=Esempio su prodotto creato il 2007-03-01:
-GenericMaskCodes5=ABC{yy}{mm}-{000000} will give ABC0701-000099
{0000+100@1}-ZZZ/{dd}/XXX will give 0199-ZZZ/31/XXX
IN{yy}{mm}-{0000}-{t} will give IN0701-0099-A if the type of company is 'Responsable Inscripto' with code for type that is 'A_RI' +GenericMaskCodes5=ABC{yy}{mm}-{000000} restituirà ABC0701-000099
{0000+100@1}-ZZZ/{dd}/XXX restituirà 0199-ZZZ/31/XXX
IN{yy}{mm}-{0000}-{t} restituirà IN0701-0099-A se la tipologia di società è a 'Responsabile iscritto' con codice 'A_RI' GenericNumRefModelDesc=Restituisce un numero personalizzabile in base allo schema definito dalla maschera. ServerAvailableOnIPOrPort=Il server è disponibile all'indirizzo %s sulla porta %s ServerNotAvailableOnIPOrPort=Il server non è disponibile all'indirizzo %s sulla porta %s @@ -465,8 +465,8 @@ ProductDocumentTemplates=Document templates to generate product document FreeLegalTextOnExpenseReports=Testo libero sul report di spesa 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 +FilesAttachedToEmail=Allega file +SendEmailsReminders=Invia promemoria agenda via email # Modules Module0Name=Utenti e gruppi Module0Desc=Gestione utenti/impiegati e gruppi @@ -539,7 +539,7 @@ Module320Desc=Aggiungi feed RSS alle pagine di Dolibarr Module330Name=Segnalibri Module330Desc=Gestione segnalibri Module400Name=Projects/Opportunities/Leads -Module400Desc=Gestione di progetti ed opportunità. Puoi assegnare ogni elemento (fattura, ordini, proposte commerciali, interventi, ...) ad un progetto ed avere una vista trasversale dalla scheda del progetto +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=Calendario web Module410Desc=Integrazione calendario web Module500Name=Spese speciali @@ -890,7 +890,7 @@ DictionaryStaff=Personale DictionaryAvailability=Tempi di consegna DictionaryOrderMethods=Metodi di ordinazione DictionarySource=Origine delle proposte/ordini -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modelli per piano dei conti DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Modelli email @@ -904,6 +904,7 @@ SetupSaved=Impostazioni salvate SetupNotSaved=Impostazioni non salvate BackToModuleList=Torna alla lista moduli BackToDictionaryList=Torna alla lista dei dizionari +TypeOfRevenueStamp=Type of revenue 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. @@ -983,7 +984,7 @@ DefaultMaxSizeList=Lunghezza massima predefinita elenchi DefaultMaxSizeShortList=Massima lunghezza di default per le liste brevi (es in scheda cliente) MessageOfDay=Messaggio del giorno MessageLogin=Messaggio per la pagina di login -LoginPage=Login page +LoginPage=Pagina di login BackgroundImageLogin=Immagine di sfondo PermanentLeftSearchForm=Modulo di ricerca permanente nel menu di sinistra DefaultLanguage=La lingua da impostare come predefinita (codice lingua) @@ -1096,9 +1097,9 @@ TranslationUncomplete=Traduzione incompleta MAIN_DISABLE_METEO=Disabilita visualizzazione meteo MeteoStdMod=Standard mode MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode +MeteoPercentageMod=Modalità percentuale MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s +MeteoUseMod=Clicca per usare %s TestLoginToAPI=Test login per API ProxyDesc=Dolibarr deve disporre di un accesso a Internet per alcune funzi. Definire qui i parametri per permettere a Dolibarr l'accesso ad internet attraverso un server proxy. ExternalAccess=Accesso esterno @@ -1409,7 +1410,7 @@ CompressionOfResourcesDesc=For exemple using the Apache directive "AddOutputFilt TestNotPossibleWithCurrentBrowsers=Con i browser attuali l'individuazione automatica non è possibile 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 +DefaultSearchFilters=Filtri di ricerca predefiniti DefaultSortOrder=Default sort orders DefaultFocus=Default focus fields ##### Products ##### @@ -1724,7 +1725,7 @@ MultiPriceRuleDesc=When option "Several level of prices per product/service" is ModelModulesProduct=Modelli per documenti prodotto 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) +SeeChangeLog=Guarda ChangeLog file (in inglese) AllPublishers=Tutti gli editori UnknownPublishers=Editore sconosciuto AddRemoveTabs=Aggiungi o elimina schede @@ -1759,9 +1760,10 @@ WarningInstallationMayBecomeNotCompliantWithLaw=You try to install the module %s 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 +MAIN_PDF_MARGIN_BOTTOM=Margine inferiore su PDF ##### Resource #### ResourceSetup=Configurazione del modulo Risorse UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/it_IT/banks.lang b/htdocs/langs/it_IT/banks.lang index 11289d478f556..aa615c2de379e 100644 --- a/htdocs/langs/it_IT/banks.lang +++ b/htdocs/langs/it_IT/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Numero di conto LineRecord=Transazione AddBankRecord=Aggiungi operazione AddBankRecordLong=Aggiungi operazione manualmente +Conciliated=Conciliata ConciliatedBy=Transazione conciliata da DateConciliating=Data di conciliazione BankLineConciliated=Transazione conciliata diff --git a/htdocs/langs/it_IT/bills.lang b/htdocs/langs/it_IT/bills.lang index dff7527d879f9..b28b1c44e69b5 100644 --- a/htdocs/langs/it_IT/bills.lang +++ b/htdocs/langs/it_IT/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Fatture passive non pagate per %s BillsLate=Ritardi nei pagamenti BillsStatistics=Statistiche fatture attive BillsStatisticsSuppliers=Statistiche fatture passive +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Disabilitata perché impossibile da cancellare InvoiceStandard=Fattura Standard InvoiceStandardAsk=Fattura Standard @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Perché vuoi classificare questa fattura come "abbando ConfirmClassifyPaidPartially=Vuoi davvero cambiare lo stato della fattura %s in "pagato"? ConfirmClassifyPaidPartiallyQuestion=La fattura non è stata pagata completamente. Per quale ragione vuoi chiudere questa fattura? ConfirmClassifyPaidPartiallyReasonAvoir=Il restante da pagare (%s %s) viene scontato perché il pagamento è stato eseguito entro il termine. L'IVA sarà regolarizzata mediante nota di credito. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Il restante da pagare (%s %s) viene scontato perché il pagamento è stato eseguito entro il termine. Accetto di perdere l'IVA sullo sconto. ConfirmClassifyPaidPartiallyReasonDiscountVat=Il restante da pagare (%s %s) viene scontato perché il pagamento è stato eseguito entro il termine. L'IVA sullo sconto sarà recuperata senza nota di credito. ConfirmClassifyPaidPartiallyReasonBadCustomer=Cliente moroso diff --git a/htdocs/langs/it_IT/cashdesk.lang b/htdocs/langs/it_IT/cashdesk.lang index 322a8323e0006..f5dfa66bce02a 100644 --- a/htdocs/langs/it_IT/cashdesk.lang +++ b/htdocs/langs/it_IT/cashdesk.lang @@ -14,7 +14,7 @@ ShoppingCart=Carrello NewSell=Nuova vendita AddThisArticle=Aggiungi questo articolo RestartSelling=Rimetti in vendita -SellFinished=Sale complete +SellFinished=Vendita completata PrintTicket=Stampa biglietto NoProductFound=Nessun articolo trovato ProductFound=Prodotto trovato @@ -25,7 +25,7 @@ Difference=Differenza TotalTicket=Totale del biglietto NoVAT=L'IVA non si applica alla vendita Change=Merce in eccesso ricevuta -BankToPay=Account for payment +BankToPay=Conto per il pagamento ShowCompany=Mostra società ShowStock=Mostra magazzino DeleteArticle=Clicca per rimuovere l'articolo diff --git a/htdocs/langs/it_IT/companies.lang b/htdocs/langs/it_IT/companies.lang index d8bbc5db774ef..cd403d8ef1bff 100644 --- a/htdocs/langs/it_IT/companies.lang +++ b/htdocs/langs/it_IT/companies.lang @@ -29,7 +29,7 @@ AliasNameShort=Pseudonimo Companies=Società CountryIsInEEC=Paese appartenente alla Comunità Economica Europea ThirdPartyName=Nome soggetto terzo -ThirdPartyEmail=Third party email +ThirdPartyEmail=Posta elettronica soggetto terzo ThirdParty=Soggetto terzo ThirdParties=Soggetti terzi ThirdPartyProspects=Clienti potenziali @@ -267,7 +267,7 @@ CustomerAbsoluteDiscountShort=Sconto assoluto CompanyHasRelativeDiscount=Il cliente ha uno sconto del %s%% CompanyHasNoRelativeDiscount=Il cliente non ha alcuno sconto relativo impostato CompanyHasAbsoluteDiscount=Questo cliente ha degli sconti disponibili (note di crediti o anticipi) per un totale di %s%s -CompanyHasDownPaymentOrCommercialDiscount=This customer has discount available (commercial, down payments) for %s %s +CompanyHasDownPaymentOrCommercialDiscount=Questo cliente ha uno sconto disponibile (commerciale, nota d'accredito) per %s%s CompanyHasCreditNote=Il cliente ha ancora note di credito per %s %s CompanyHasNoAbsoluteDiscount=Il cliente non ha disponibile alcuno sconto assoluto per credito CustomerAbsoluteDiscountAllUsers=Sconti assoluti (concessi a tutti gli utenti) diff --git a/htdocs/langs/it_IT/compta.lang b/htdocs/langs/it_IT/compta.lang index 41c3d92dd7b2e..5c52a7def40f4 100644 --- a/htdocs/langs/it_IT/compta.lang +++ b/htdocs/langs/it_IT/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=I pagamenti non legati ad una fattura, quindi non leg PaymentsNotLinkedToUser=Pagamenti non legati ad alcun utente Profit=Utile AccountingResult=Risultato contabile +BalanceBefore=Balance (before) Balance=Saldo Debit=Debito Credit=Credito diff --git a/htdocs/langs/it_IT/donations.lang b/htdocs/langs/it_IT/donations.lang index 47d0be96fcc01..e3c0760397577 100644 --- a/htdocs/langs/it_IT/donations.lang +++ b/htdocs/langs/it_IT/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/it_IT/ecm.lang b/htdocs/langs/it_IT/ecm.lang index 1b9aa975d3db8..35698cfbde93a 100644 --- a/htdocs/langs/it_IT/ecm.lang +++ b/htdocs/langs/it_IT/ecm.lang @@ -6,7 +6,7 @@ ECMSectionAuto=Directory automatica ECMSectionsManual=Gerarchia manuale ECMSectionsAuto=Gerarchia automatica ECMSections=Directory -ECMRoot=ECM Root +ECMRoot=ECM Radice ECMNewSection=Nuova sezione ECMAddSection=Aggiungi directory ECMCreationDate=Data di creazione @@ -18,7 +18,7 @@ ECMArea=EDM area ECMAreaDesc=L'area EDM (Gestione elettronica dei documenti) ti permette di salvare, condividere e cercare rapidamente tutti i tipi di documenti presenti. ECMAreaDesc2=* Le directory vengono riempite automaticamente quando si aggiungono dei documenti dalla scheda di un elemento.
* Per salvare documenti non legati ad un elemento si può usare l'aggiunta manuale. ECMSectionWasRemoved=La directory%s è stata eliminata. -ECMSectionWasCreated=Directory %s has been created. +ECMSectionWasCreated=Cartella %s è stata creata. ECMSearchByKeywords=Ricerca per parole chiave ECMSearchByEntity=Ricerca per oggetto ECMSectionOfDocuments=Directory dei documenti @@ -47,4 +47,4 @@ 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=No directories found +NoDirectoriesFound=Nessuna cartella trovata diff --git a/htdocs/langs/it_IT/errors.lang b/htdocs/langs/it_IT/errors.lang index 0d4706edfc8b1..598246e4249a3 100644 --- a/htdocs/langs/it_IT/errors.lang +++ b/htdocs/langs/it_IT/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Espressione vuota ErrorPriceExpression21=Risultato vuoto '%s' ErrorPriceExpression22=Risultato negativo '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Errore interno '%s' ErrorPriceExpressionUnknown=Errore sconosciuto '%s' ErrorSrcAndTargetWarehouseMustDiffers=I magazzini di origine e di destinazione devono essere diversi diff --git a/htdocs/langs/it_IT/hrm.lang b/htdocs/langs/it_IT/hrm.lang index e181bb876142b..e6859e26b1849 100644 --- a/htdocs/langs/it_IT/hrm.lang +++ b/htdocs/langs/it_IT/hrm.lang @@ -9,8 +9,8 @@ ConfirmDeleteEstablishment=Sei sicuro di voler cancellare questa azienda? OpenEtablishment=Apri azienda CloseEtablishment=Chiudi azienda # Dictionary -DictionaryDepartment=HRM - Department list -DictionaryFunction=HRM - Function list +DictionaryDepartment=HRM - Lista dipartimenti +DictionaryFunction=HRM - Lista funzioni # Module Employees=Dipendenti Employee=Dipendente diff --git a/htdocs/langs/it_IT/install.lang b/htdocs/langs/it_IT/install.lang index a0de18ec126b5..abd02017cd8ca 100644 --- a/htdocs/langs/it_IT/install.lang +++ b/htdocs/langs/it_IT/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Si sta utilizzando la configurazione guidata di una vir 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 ######### # upgrade MigrationFixData=Fix per i dati denormalizzati @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Ricarica modulo %s +MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm 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. diff --git a/htdocs/langs/it_IT/languages.lang b/htdocs/langs/it_IT/languages.lang index 5f8b85a6b4367..3a7ac12691053 100644 --- a/htdocs/langs/it_IT/languages.lang +++ b/htdocs/langs/it_IT/languages.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - languages Language_ar_AR=Arabo -Language_ar_EG=Arabic (Egypt) +Language_ar_EG=Arabo (Egitto) Language_ar_SA=Arabo Language_bn_BD=Bengalese Language_bg_BG=Bulgaro @@ -35,6 +35,7 @@ Language_es_PA=Spagnolo (Panama) Language_es_PY=Spagnolo (Paraguay) Language_es_PE=Spagnolo (Perù) Language_es_PR=Spagnolo (Portorico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spagnolo (Venezuela) Language_et_EE=Estone Language_eu_ES=Basco diff --git a/htdocs/langs/it_IT/main.lang b/htdocs/langs/it_IT/main.lang index 339f0f4763a61..3b0ca028ad6b0 100644 --- a/htdocs/langs/it_IT/main.lang +++ b/htdocs/langs/it_IT/main.lang @@ -24,7 +24,7 @@ FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%d %b %Y %H.%M FormatDateHourText=%d %B %Y %H:%M DatabaseConnection=Connessione al database -NoTemplateDefined=No template available for this email type +NoTemplateDefined=Nessun tema disponibile per questo tipo di email AvailableVariables=Available substitution variables NoTranslation=Nessuna traduzione Translation=Traduzione @@ -44,7 +44,7 @@ ErrorConstantNotDefined=Parametro %s non definito ErrorUnknown=Errore sconosciuto ErrorSQL=Errore di SQL ErrorLogoFileNotFound=Impossibile trovare il file %s per il logo -ErrorGoToGlobalSetup=Go to 'Company/Organisation' setup to fix this +ErrorGoToGlobalSetup=Vai su impostazioni "Azienda/Organizzazione" per sistemare ErrorGoToModuleSetup=Vai alle impostazioni del modulo per risolvere il problema ErrorFailedToSendMail=Impossibile inviare l'email (mittente=%s, destinatario=%s) ErrorFileNotUploaded=Upload fallito. Controllare che la dimensione del file non superi il numero massimo consentito, che lo spazio libero su disco sia sufficiente e che non esista già un file con lo stesso nome nella directory. @@ -74,10 +74,10 @@ Apply=Applica BackgroundColorByDefault=Colore di sfondo predefinito FileRenamed=Il file è stato rinominato con successo FileGenerated=Il file è stato generato con successo -FileSaved=The file was successfully saved +FileSaved=Il file è stato salvato con successo FileUploaded=Il file è stato caricato con successo -FileTransferComplete=File(s) was uploaded successfully -FilesDeleted=File(s) successfully deleted +FileTransferComplete=I File sono stati caricati correttamente +FilesDeleted=File cancellati con successo FileWasNotUploaded=Il file selezionato per l'upload non è stato ancora caricato. Clicca su Allega file per farlo NbOfEntries=Numero di voci GoToWikiHelpPage=Leggi l'aiuto online (è richiesto un collegamento internet) @@ -105,7 +105,7 @@ ReturnCodeLastAccessInError=Codice di ritorno per l'ultimo accesso errato al dat InformationLastAccessInError=Informazioni sull'ultimo accesso errato al database DolibarrHasDetectedError=Dolibarr ha rilevato un errore tecnico 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) +InformationToHelpDiagnose=Quest'informazione può essere utile per fini diagnostici (puoi settare l'opzione $dolibarr_main_prod su "1" per rimuovere questa notifica) MoreInformation=Maggiori informazioni TechnicalInformation=Informazioni tecniche TechnicalID=Technical ID @@ -131,8 +131,8 @@ Never=Mai Under=sotto Period=Periodo PeriodEndDate=Data scadenza periodo -SelectedPeriod=Selected period -PreviousPeriod=Previous period +SelectedPeriod=Periodo selezionato +PreviousPeriod=Periodo precedente Activate=Attiva Activated=Attivato Closed=Chiuso @@ -160,7 +160,7 @@ Edit=Modifica Validate=Convalida ValidateAndApprove=Convalida e approva ToValidate=Convalidare -NotValidated=Not validated +NotValidated=Non valido Save=Salva SaveAs=Salva con nome TestConnection=Test connessione @@ -201,7 +201,7 @@ Parameter=Parametro Parameters=Parametri Value=Valore PersonalValue=Valore personalizzato -NewObject=New %s +NewObject=Nuovo %s NewValue=Nuovo valore CurrentValue=Valore attuale Code=Codice @@ -263,7 +263,7 @@ DateBuild=Data di creazione del report DatePayment=Data pagamento DateApprove=Approvato in data DateApprove2=Data di approvazione (seconda approvazione) -RegistrationDate=Registration date +RegistrationDate=Data registrazione UserCreation=Creazione utente UserModification=Modifica utente UserValidation=Validation user @@ -323,7 +323,7 @@ Copy=Copia Paste=Incolla Default=Predefinito DefaultValue=Valore predefinito -DefaultValues=Default values +DefaultValues=Valori predefiniti Price=Prezzo UnitPrice=Prezzo unitario UnitPriceHT=Prezzo unitario (netto) @@ -370,31 +370,31 @@ TotalLT1=Totale tassa 2 TotalLT2=Totale tassa 3 TotalLT1ES=Totale RE TotalLT2ES=Totale IRPF -TotalLT1IN=Total CGST -TotalLT2IN=Total SGST +TotalLT1IN=Totale CGST +TotalLT2IN=Totale SGST HT=Al netto delle imposte TTC=IVA inclusa INCVATONLY=Inc. VAT -INCT=Inc. all taxes +INCT=Inc. tutte le tasse VAT=IVA VATIN=IGST VATs=IVA -VATINs=IGST taxes -LT1=Sales tax 2 -LT1Type=Sales tax 2 type -LT2=Sales tax 3 -LT2Type=Sales tax 3 type +VATINs=Tassa IGST +LT1=Tassa locale 2 +LT1Type=Tipo tassa locale 2 +LT2=Tassa locale 3 +LT2Type=Tipo tassa locale 3 LT1ES=RE LT2ES=IRPF LT1IN=CGST LT2IN=SGST VATRate=Aliquota IVA -DefaultTaxRate=Default tax rate +DefaultTaxRate=Valore base tassa Average=Media Sum=Somma Delta=Delta -Module=Module/Application -Modules=Modules/Applications +Module=Moduli/Applicazioni +Modules=Moduli/Applicazioni Option=Opzione List=Elenco FullList=Elenco completo @@ -438,7 +438,7 @@ Generate=Genera Duration=Durata TotalDuration=Durata totale Summary=Riepilogo -DolibarrStateBoard=Database statistics +DolibarrStateBoard=Statistiche Database DolibarrWorkBoard=Open items dashboard NoOpenedElementToProcess=No opened element to process Available=Disponibile @@ -548,6 +548,18 @@ MonthShort09=set MonthShort10=ott MonthShort11=nov MonthShort12=dic +MonthVeryShort01=J +MonthVeryShort02=Ven +MonthVeryShort03=Lun +MonthVeryShort04=A +MonthVeryShort05=Lun +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Dom +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=File e documenti allegati JoinMainDoc=Join main document DateFormatYYYYMM=AAAA-MM @@ -602,7 +614,7 @@ Undo=Annulla Redo=Ripeti ExpandAll=Mostra tutto UndoExpandAll=Annulla mostra tutto -SeeAll=See all +SeeAll=Vedi tutto Reason=Ragione FeatureNotYetSupported=Funzionalità non ancora supportata CloseWindow=Chiudi finestra @@ -629,7 +641,7 @@ ValueIsNotValid=Il valore non è valido RecordCreatedSuccessfully=Record creato con success0 RecordModifiedSuccessfully=Record modificati con successo RecordsModified=%s record modificati -RecordsDeleted=%s record deleted +RecordsDeleted=%s record cancellato AutomaticCode=Codice automatico FeatureDisabled=Funzionalità disabilitata MoveBox=Sposta widget @@ -645,8 +657,8 @@ PartialWoman=Parziale TotalWoman=Totale NeverReceived=Mai ricevuto Canceled=Annullato -YouCanChangeValuesForThisListFromDictionarySetup=You can change values for this list from menu Setup - Dictionaries -YouCanChangeValuesForThisListFrom=You can change values for this list from menu %s +YouCanChangeValuesForThisListFromDictionarySetup=Puoi cambiare i valori di questa lista dal menù Impostazioni - Dizionari +YouCanChangeValuesForThisListFrom=Puoi cambiare i valori di questa lista dal menu %s YouCanSetDefaultValueInModuleSetup=Puoi definire il valore predefinito durante la creazione di un nuovo record nella configurazione del modulo Color=Colore Documents=Documenti @@ -678,12 +690,12 @@ Page=Pagina Notes=Note AddNewLine=Aggiungi una nuova riga AddFile=Aggiungi file -FreeZone=Not a predefined product/service +FreeZone=Non è un prodotto/servizio predefinito FreeLineOfType=Not a predefined entry of type CloneMainAttributes=Clona oggetto con i suoi principali attributi PDFMerge=Unisci PDF Merge=Unisci -DocumentModelStandardPDF=Standard PDF template +DocumentModelStandardPDF=Tema PDF Standard PrintContentArea=Mostra una pagina per stampare l'area principale MenuManager=Gestore dei menu WarningYouAreInMaintenanceMode=Attenzione, si è in modalità manutenzione. Solo %s ha il permesso di usare l'applicazione. @@ -726,9 +738,9 @@ LinkToIntervention=Collega a intervento CreateDraft=Crea bozza SetToDraft=Ritorna a bozza ClickToEdit=Clicca per modificare -EditWithEditor=Edit with CKEditor -EditWithTextEditor=Edit with Text editor -EditHTMLSource=Edit HTML Source +EditWithEditor=Modifica con CKEditor +EditWithTextEditor=Modifica con editor di testo +EditHTMLSource=Modifica codice HTML ObjectDeleted=Oggetto %s eliminato ByCountry=Per paese ByTown=Per città @@ -762,18 +774,18 @@ SetBankAccount=Definisci un numero di Conto Corrente Bancario AccountCurrency=Account currency ViewPrivateNote=Vedi note XMoreLines=%s linea(e) nascoste -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=URL pubblico AddBox=Aggiungi box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Seleziona un elemento e clicca %s PrintFile=Stampa il file %s -ShowTransaction=Show entry on bank account +ShowTransaction=Mostra entrate conto bancario ShowIntervention=Mostra intervento ShowContract=Visualizza contratto GoIntoSetupToChangeLogo=Vai in Home -> Impostazioni -> Società per cambiare il logo o in Home - Setup -> display per nasconderlo. Deny=Rifiuta Denied=Rifiutata -ListOf=List of %s +ListOf=Lista di %s ListOfTemplates=Elenco dei modelli Gender=Genere Genderman=Uomo @@ -781,13 +793,13 @@ Genderwoman=Donna ViewList=Vista elenco Mandatory=Obbligatorio Hello=Ciao -GoodBye=GoodBye +GoodBye=Addio Sincerely=Cordialmente DeleteLine=Elimina riga ConfirmDeleteLine=Vuoi davvero eliminare questa riga? 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=Nessun record selezionato MassFilesArea=File creati da azioni di massa ShowTempMassFilesArea=Mostra i file creati da azioni di massa ConfirmMassDeletion=Bulk delete confirmation @@ -816,20 +828,20 @@ Download=Download DownloadDocument=Download document ActualizeCurrency=Aggiorna tasso di cambio Fiscalyear=Anno fiscale -ModuleBuilder=Module Builder +ModuleBuilder=Mudulo programmatore SetMultiCurrencyCode=Set currency BulkActions=Bulk actions ClickToShowHelp=Click to show tooltip help WebSite=Sito web -WebSites=Web sites +WebSites=Siti web WebSiteAccounts=Web site accounts ExpenseReport=Nota spese ExpenseReports=Nota spese 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 ? +HRAndBank=HR e Banca +AutomaticallyCalculated=Calcolato automaticamente +TitleSetToDraft=Torna a Bozza +ConfirmSetToDraft=Sei sicuro che vuoi tornare allo stato di Bozza? ImportId=Import id Events=Eventi EMailTemplates=Modelli email @@ -866,9 +878,9 @@ ShortThursday=Gio ShortFriday=Ven ShortSaturday=Sab ShortSunday=Dom -SelectMailModel=Select an email template +SelectMailModel=Seleziona un tema email SetRef=Set ref -Select2ResultFoundUseArrows=Some results found. Use arrows to select. +Select2ResultFoundUseArrows=Alcuni risultati trovati. Usa le frecce per selezionare. Select2NotFound=Nessun risultato trovato Select2Enter=Immetti Select2MoreCharacter=or more character @@ -895,8 +907,10 @@ SearchIntoCustomerShipments=Spedizioni cliente SearchIntoExpenseReports=Nota spese SearchIntoLeaves=Assenze CommentLink=Commenti -NbComments=Number of comments +NbComments=Numero dei commenti CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted +CommentAdded=Commento aggiunto +CommentDeleted=Commento cancellato Everybody=Progetto condiviso +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/it_IT/opensurvey.lang b/htdocs/langs/it_IT/opensurvey.lang index 205575ed52ca6..40781c799aa4a 100644 --- a/htdocs/langs/it_IT/opensurvey.lang +++ b/htdocs/langs/it_IT/opensurvey.lang @@ -57,4 +57,4 @@ ErrorInsertingComment=Si è verificato un errore nel salvataggio del tuo comment MoreChoices=Aggiungi altre opzioni SurveyExpiredInfo=Il sondaggio è stato chiuso o è scaduto il tempo a disposizione. EmailSomeoneVoted=%s ha compilato una riga.\nTrovi l'indagine all'indirizzo: \n%s -ShowSurvey=Show survey +ShowSurvey=Mostra indagine diff --git a/htdocs/langs/it_IT/other.lang b/htdocs/langs/it_IT/other.lang index f824f58a8954f..281f27c9b429b 100644 --- a/htdocs/langs/it_IT/other.lang +++ b/htdocs/langs/it_IT/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Se l'importo è superiore a %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Area esportazioni diff --git a/htdocs/langs/it_IT/paybox.lang b/htdocs/langs/it_IT/paybox.lang index 6b41b4e048594..75932d7168d76 100644 --- a/htdocs/langs/it_IT/paybox.lang +++ b/htdocs/langs/it_IT/paybox.lang @@ -10,7 +10,7 @@ ToComplete=Per completare YourEMail=Email per la conferma del pagamento Creditor=Creditore PaymentCode=Codice pagamento -PayBoxDoPayment=Pay with Credit or Debit Card (Paybox) +PayBoxDoPayment=Paga con Carta di Credito o Debito (Paybox) ToPay=Registra pagamento YouWillBeRedirectedOnPayBox=Verrai reindirizzato alla pagina sicura di Paybox per inserire le informazioni della carta di credito. Continue=Successivo @@ -33,6 +33,6 @@ CSSUrlForPaymentForm=URL del foglio di stile CSS per il modulo di pagamento NewPayboxPaymentReceived=Nuovo pagamento Paybox ricevuto NewPayboxPaymentFailed=Nuovo tentativo di pagamento Paybox ma fallito PAYBOX_PAYONLINE_SENDEMAIL=Email di avviso dopo il pagamento (a buon fine o no) -PAYBOX_PBX_SITE=Value for PBX SITE -PAYBOX_PBX_RANG=Value for PBX Rang -PAYBOX_PBX_IDENTIFIANT=Value for PBX ID +PAYBOX_PBX_SITE=Valore per PBX SITE +PAYBOX_PBX_RANG=Valore per PBX Rang +PAYBOX_PBX_IDENTIFIANT=Valore per PBX ID diff --git a/htdocs/langs/it_IT/paypal.lang b/htdocs/langs/it_IT/paypal.lang index 8b1ba74a82ac2..207f1b5f227b8 100644 --- a/htdocs/langs/it_IT/paypal.lang +++ b/htdocs/langs/it_IT/paypal.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - paypal PaypalSetup=Impostazioni Paypal PaypalDesc=Questo modulo permette al cliente di pagare tramite PayPal. Può essere usato per un pagamento generico o di uno specifico documento (fattura, ordine, ...) -PaypalOrCBDoPayment=Pay with Paypal (Credit Card or Paypal) +PaypalOrCBDoPayment=Paga con Paypal (Carta di Credito o Paypal) PaypalDoPayment=Paga con Paypal PAYPAL_API_SANDBOX=Modalità di test/sandbox PAYPAL_API_USER=Nome utente API @@ -16,17 +16,17 @@ ThisIsTransactionId=L'id di transazione è: %s PAYPAL_ADD_PAYMENT_URL=Aggiungere l'URL di pagamento Paypal quando si invia un documento per posta PredefinedMailContentLink=Per completare il pagamento PayPal, puoi cliccare sul link qui sotto.\n\n%s YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode -NewOnlinePaymentReceived=New online payment received -NewOnlinePaymentFailed=New online payment tried but failed +NewOnlinePaymentReceived=Nuovo pagamento online ricevuto +NewOnlinePaymentFailed=Nuovo tentativo di pagamento online fallito ONLINE_PAYMENT_SENDEMAIL=Email di avviso dopo un pagamento (a buon fine o no) ReturnURLAfterPayment=URL di ritorno dopo il pagamento -ValidationOfOnlinePaymentFailed=Validation of online payment failed +ValidationOfOnlinePaymentFailed=Validazione del pagamento online fallita PaymentSystemConfirmPaymentPageWasCalledButFailed=Payment confirmation page was called by payment system returned an error SetExpressCheckoutAPICallFailed=SetExpressCheckout API call failed. DoExpressCheckoutPaymentAPICallFailed=DoExpressCheckoutPayment API call failed. DetailedErrorMessage=Messaggio di Errore dettagliato ShortErrorMessage=Messaggio di errore breve -ErrorCode=Error Code +ErrorCode=Codice errore ErrorSeverityCode=Error Severity Code -OnlinePaymentSystem=Online payment system +OnlinePaymentSystem=Sistema di pagamento online PaypalLiveEnabled=Paypal live enabled (otherwise test/sandbox mode) diff --git a/htdocs/langs/it_IT/productbatch.lang b/htdocs/langs/it_IT/productbatch.lang index 5b32f2fc4ae5b..24c1d1ceed33a 100644 --- a/htdocs/langs/it_IT/productbatch.lang +++ b/htdocs/langs/it_IT/productbatch.lang @@ -21,4 +21,4 @@ ProductDoesNotUseBatchSerial=Questo prodotto non usa lotto/numero di serie ProductLotSetup=Configurazione del modulo lotto/numero di serie ShowCurrentStockOfLot=Mostra la scorta disponibile per la coppia prodotto/lotto ShowLogOfMovementIfLot=Mostra il log dei movimenti per la coppia prodotto/lotto -StockDetailPerBatch=Stock detail per lot +StockDetailPerBatch=Dettagli magazzino per lotto diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang index 5ff480873b5bc..40da50bf79f4c 100644 --- a/htdocs/langs/it_IT/products.lang +++ b/htdocs/langs/it_IT/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Prezzo corrente AlwaysUseNewPrice=Usa sempre il prezzo corrente di un prodotto/servizio AlwaysUseFixedPrice=Usa prezzo non negoziabile PriceByQuantity=Prezzi diversi in base alla quantità +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Intervallo della quantità 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 diff --git a/htdocs/langs/it_IT/projects.lang b/htdocs/langs/it_IT/projects.lang index 28b07f2152acf..d6e322880fa36 100644 --- a/htdocs/langs/it_IT/projects.lang +++ b/htdocs/langs/it_IT/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=In attesa OppStatusWON=Vinto OppStatusLOST=Perso 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=Ultimi %s progetti LatestModifiedProjects=Latest %s modified projects OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Permetti agli utenti di commentare queste attività AllowCommentOnProject=Permetti agli utenti di commentare questi progetti + diff --git a/htdocs/langs/it_IT/resource.lang b/htdocs/langs/it_IT/resource.lang index a75d8df6242bd..20762d821f328 100644 --- a/htdocs/langs/it_IT/resource.lang +++ b/htdocs/langs/it_IT/resource.lang @@ -30,7 +30,7 @@ DictionaryResourceType=Tipo di risorse SelectResource=Seleziona risorsa -IdResource=Id resource -AssetNumber=Serial number -ResourceTypeCode=Resource type code +IdResource=ID risorsa +AssetNumber=Numero seriale +ResourceTypeCode=Codice tipo risorsa ImportDataset_resource_1=Risorse diff --git a/htdocs/langs/it_IT/users.lang b/htdocs/langs/it_IT/users.lang index 0f6399abf8b99..7c96a9d3bcd7d 100644 --- a/htdocs/langs/it_IT/users.lang +++ b/htdocs/langs/it_IT/users.lang @@ -96,8 +96,8 @@ HierarchicView=Vista gerarchica UseTypeFieldToChange=cambia usando il campo Tipo OpenIDURL=URL OpenID LoginUsingOpenID=URL OpenID per il login -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +WeeklyHours=Ore lavorate (per settimana) +ExpectedWorkedHours=Ore lavorative ideali per settimana ColorUser=Colore dell'utente DisabledInMonoUserMode=Disabilitato in modalità manutenzione UserAccountancyCode=Codice contabile utente diff --git a/htdocs/langs/it_IT/website.lang b/htdocs/langs/it_IT/website.lang index 6faa262b92266..ec27d7e209f31 100644 --- a/htdocs/langs/it_IT/website.lang +++ b/htdocs/langs/it_IT/website.lang @@ -3,15 +3,17 @@ Shortname=Codice WebsiteSetupDesc=Crea qui tante voci quante il numero di siti ti servono. Vai poi nel menu Websites per modificarli DeleteWebsite=Cancella sito web ConfirmDeleteWebsite=Sei sicuro di vole cancellare questo sito web? Anche tutte le pagine e contenuti saranno cancellati. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Titolo/alias della pagina -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=Indirizzo URL del file CSS esterno WEBSITE_CSS_INLINE=contenuto file CSS (comune a tutte le pagine) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Libreria media EditCss=Edita Header Style/CSS o HTML EditMenu=Modifica menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/ja_JP/accountancy.lang b/htdocs/langs/ja_JP/accountancy.lang index 4aeefd798daa6..8e095548da994 100644 --- a/htdocs/langs/ja_JP/accountancy.lang +++ b/htdocs/langs/ja_JP/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang index 1b486e04760c2..ebc4e343dc051 100644 --- a/htdocs/langs/ja_JP/admin.lang +++ b/htdocs/langs/ja_JP/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Dolibarr画面のページ内でRSSフィードを追加 Module330Name=ブックマーク Module330Desc=ブックマークの管理 Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=のwebcalendar Module410Desc=のwebcalendar統合 Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=スタッフ DictionaryAvailability=配達遅延 DictionaryOrderMethods=注文方法 DictionarySource=提案/受注の起源 -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=セットアップは、保存された SetupNotSaved=Setup not saved BackToModuleList=モジュールリストに戻る BackToDictionaryList=辞書リストに戻る +TypeOfRevenueStamp=Type of revenue 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。 @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/ja_JP/banks.lang b/htdocs/langs/ja_JP/banks.lang index 735a713b6b92b..3fb79a884618a 100644 --- a/htdocs/langs/ja_JP/banks.lang +++ b/htdocs/langs/ja_JP/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=数 LineRecord=トランザクション AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=による和解 DateConciliating=日付を調整する BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang index 8e2c14ed2b0df..020e58814b877 100644 --- a/htdocs/langs/ja_JP/bills.lang +++ b/htdocs/langs/ja_JP/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=支払い遅延 BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=標準の請求書 InvoiceStandardAsk=標準の請求書 @@ -176,6 +178,7 @@ 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. +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=悪い顧客 diff --git a/htdocs/langs/ja_JP/compta.lang b/htdocs/langs/ja_JP/compta.lang index e6576dbc7d5fd..be4ef94e3c127 100644 --- a/htdocs/langs/ja_JP/compta.lang +++ b/htdocs/langs/ja_JP/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=任意の請求書にリンクされていない支 PaymentsNotLinkedToUser=すべてのユーザーにリンクされていない支払い Profit=利益 AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=バランス Debit=借方 Credit=クレジット diff --git a/htdocs/langs/ja_JP/donations.lang b/htdocs/langs/ja_JP/donations.lang index e61ec8f388d22..c3841279a47ba 100644 --- a/htdocs/langs/ja_JP/donations.lang +++ b/htdocs/langs/ja_JP/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang index 30f564d47403c..15767e246e218 100644 --- a/htdocs/langs/ja_JP/errors.lang +++ b/htdocs/langs/ja_JP/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/ja_JP/install.lang b/htdocs/langs/ja_JP/install.lang index 38a4987ab7b5f..f3cb83a4c95b3 100644 --- a/htdocs/langs/ja_JP/install.lang +++ b/htdocs/langs/ja_JP/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=あなたがProxmox仮想アプライアンスからDol 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 ######### # upgrade MigrationFixData=非正規化データを修正 @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=llx_societe_remise のエンティティフィールド値を更新 MigrationRemiseExceptEntity=llx_societe_remise_except のエンティティフィールド値を更新 MigrationReloadModule=モジュール %s を再読み込み +MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=利用できないオプションを表示しない HideNotAvailableOptions=利用できないオプションを非表示 ErrorFoundDuringMigration=移行プロセス中にエラーが報告されたので、次のステップは利用できません。 エラーを無視するには、ここをクリック してください。ただし、修正されるまでアプリケーションまたは一部の機能が正しく動作しない場合があります。 diff --git a/htdocs/langs/ja_JP/languages.lang b/htdocs/langs/ja_JP/languages.lang index d74115fd254d7..1e0538b29a751 100644 --- a/htdocs/langs/ja_JP/languages.lang +++ b/htdocs/langs/ja_JP/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=スペイン語 (パナマ) Language_es_PY=スペイン語(パラグアイ) Language_es_PE=スペイン語(ペルー) Language_es_PR=スペイン語(プエルトリコ) +Language_es_UY=Spanish (Uruguay) Language_es_VE=スペイン語 (ベネズエラ) Language_et_EE=エストニア語 Language_eu_ES=バスク diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang index 94f923226839b..d4840efade38c 100644 --- a/htdocs/langs/ja_JP/main.lang +++ b/htdocs/langs/ja_JP/main.lang @@ -548,6 +548,18 @@ MonthShort09=9月 MonthShort10=10月 MonthShort11=11月 MonthShort12=12月 +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=添付ファイルとドキュメント JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=皆 +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/ja_JP/other.lang b/htdocs/langs/ja_JP/other.lang index 975358090fece..8f484b9085bfe 100644 --- a/htdocs/langs/ja_JP/other.lang +++ b/htdocs/langs/ja_JP/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=輸出地域 diff --git a/htdocs/langs/ja_JP/products.lang b/htdocs/langs/ja_JP/products.lang index 6b996870e4585..5db06a7552941 100644 --- a/htdocs/langs/ja_JP/products.lang +++ b/htdocs/langs/ja_JP/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=現行価格 AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/ja_JP/projects.lang b/htdocs/langs/ja_JP/projects.lang index 174b796e43535..679a002ea8bfe 100644 --- a/htdocs/langs/ja_JP/projects.lang +++ b/htdocs/langs/ja_JP/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/ja_JP/website.lang b/htdocs/langs/ja_JP/website.lang index da39fc86f6d76..a14de40a51833 100644 --- a/htdocs/langs/ja_JP/website.lang +++ b/htdocs/langs/ja_JP/website.lang @@ -3,15 +3,17 @@ Shortname=コー​​ド WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. DeleteWebsite=ウェブサイトを削除 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_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/ka_GE/accountancy.lang b/htdocs/langs/ka_GE/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/ka_GE/accountancy.lang +++ b/htdocs/langs/ka_GE/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/ka_GE/admin.lang b/htdocs/langs/ka_GE/admin.lang index 4f3d25c4eb170..9dce46ab295b8 100644 --- a/htdocs/langs/ka_GE/admin.lang +++ b/htdocs/langs/ka_GE/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/ka_GE/banks.lang b/htdocs/langs/ka_GE/banks.lang index 40b76f8c64c2e..be8f75d172b54 100644 --- a/htdocs/langs/ka_GE/banks.lang +++ b/htdocs/langs/ka_GE/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/ka_GE/bills.lang b/htdocs/langs/ka_GE/bills.lang index b865c00be9de6..eeafc56bf1cc4 100644 --- a/htdocs/langs/ka_GE/bills.lang +++ b/htdocs/langs/ka_GE/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/ka_GE/compta.lang b/htdocs/langs/ka_GE/compta.lang index 4082b9fa9b7f9..df4942cf23473 100644 --- a/htdocs/langs/ka_GE/compta.lang +++ b/htdocs/langs/ka_GE/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/ka_GE/donations.lang b/htdocs/langs/ka_GE/donations.lang index f4578fa9fc398..5edc8d62033c5 100644 --- a/htdocs/langs/ka_GE/donations.lang +++ b/htdocs/langs/ka_GE/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/ka_GE/errors.lang b/htdocs/langs/ka_GE/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/ka_GE/errors.lang +++ b/htdocs/langs/ka_GE/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/ka_GE/install.lang b/htdocs/langs/ka_GE/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/ka_GE/install.lang +++ b/htdocs/langs/ka_GE/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/ka_GE/languages.lang b/htdocs/langs/ka_GE/languages.lang index 05288a888eb11..a062883d667f9 100644 --- a/htdocs/langs/ka_GE/languages.lang +++ b/htdocs/langs/ka_GE/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanish (Paraguay) Language_es_PE=Spanish (Peru) Language_es_PR=Spanish (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/ka_GE/main.lang b/htdocs/langs/ka_GE/main.lang index d5c9fc6ce340a..f1f1628af2776 100644 --- a/htdocs/langs/ka_GE/main.lang +++ b/htdocs/langs/ka_GE/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/ka_GE/other.lang b/htdocs/langs/ka_GE/other.lang index 0d9d1cfbd85fe..1a5314a24d9c0 100644 --- a/htdocs/langs/ka_GE/other.lang +++ b/htdocs/langs/ka_GE/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/ka_GE/products.lang b/htdocs/langs/ka_GE/products.lang index 43c74c9b87706..53835bd7f0676 100644 --- a/htdocs/langs/ka_GE/products.lang +++ b/htdocs/langs/ka_GE/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/ka_GE/projects.lang b/htdocs/langs/ka_GE/projects.lang index f33a950acff08..c69302deecb7d 100644 --- a/htdocs/langs/ka_GE/projects.lang +++ b/htdocs/langs/ka_GE/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/ka_GE/website.lang b/htdocs/langs/ka_GE/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/ka_GE/website.lang +++ b/htdocs/langs/ka_GE/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/km_KH/main.lang b/htdocs/langs/km_KH/main.lang index 1d41be98d2638..0c591b53990db 100644 --- a/htdocs/langs/km_KH/main.lang +++ b/htdocs/langs/km_KH/main.lang @@ -23,3 +23,894 @@ FormatDateHourShort=%m/%d/%Y %I:%M %p FormatDateHourSecShort=%m/%d/%Y %I:%M:%S %p FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p +DatabaseConnection=Database connection +NoTemplateDefined=No template available for this email type +AvailableVariables=Available substitution variables +NoTranslation=No translation +Translation=Translation +NoRecordFound=No record found +NoRecordDeleted=No record deleted +NotEnoughDataYet=Not enough data +NoError=No error +Error=Error +Errors=Errors +ErrorFieldRequired=Field '%s' is required +ErrorFieldFormat=Field '%s' has a bad value +ErrorFileDoesNotExists=File %s does not exist +ErrorFailedToOpenFile=Failed to open file %s +ErrorCanNotCreateDir=Cannot create dir %s +ErrorCanNotReadDir=Cannot read dir %s +ErrorConstantNotDefined=Parameter %s not defined +ErrorUnknown=Unknown error +ErrorSQL=SQL Error +ErrorLogoFileNotFound=Logo file '%s' was not found +ErrorGoToGlobalSetup=Go to 'Company/Organisation' setup to fix this +ErrorGoToModuleSetup=Go to Module setup to fix this +ErrorFailedToSendMail=Failed to send mail (sender=%s, receiver=%s) +ErrorFileNotUploaded=File was not uploaded. Check that size does not exceed maximum allowed, that free space is available on disk and that there is not already a file with same name in this directory. +ErrorInternalErrorDetected=Error detected +ErrorWrongHostParameter=Wrong host parameter +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post again the form. +ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child records. +ErrorWrongValue=Wrong value +ErrorWrongValueForParameterX=Wrong value for parameter %s +ErrorNoRequestInError=No request in error +ErrorServiceUnavailableTryLater=Service not available for the moment. Try again later. +ErrorDuplicateField=Duplicate value in a unique field +ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. We rollback changes. +ErrorConfigParameterNotDefined=Parameter %s is not defined inside Dolibarr config file conf.php. +ErrorCantLoadUserFromDolibarrDatabase=Failed to find user %s in Dolibarr database. +ErrorNoVATRateDefinedForSellerCountry=Error, no vat rates defined for country '%s'. +ErrorNoSocialContributionForSellerCountry=Error, no social/fiscal taxes type defined for country '%s'. +ErrorFailedToSaveFile=Error, failed to save file. +ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of current one +MaxNbOfRecordPerPage=Max nb of record per page +NotAuthorized=You are not authorized to do that. +SetDate=Set date +SelectDate=Select a date +SeeAlso=See also %s +SeeHere=See here +Apply=Apply +BackgroundColorByDefault=Default background color +FileRenamed=The file was successfully renamed +FileGenerated=The file was successfully generated +FileSaved=The file was successfully saved +FileUploaded=The file was successfully uploaded +FileTransferComplete=File(s) was uploaded successfully +FilesDeleted=File(s) successfully deleted +FileWasNotUploaded=A file is selected for attachment but was not yet uploaded. Click on "Attach file" for this. +NbOfEntries=Nb of entries +GoToWikiHelpPage=Read online help (Internet access needed) +GoToHelpPage=Read help +RecordSaved=Record saved +RecordDeleted=Record deleted +LevelOfFeature=Level of features +NotDefined=Not defined +DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr authentication mode is set to %s in configuration file conf.php.
This means that the password database is external to Dolibarr, so changing this field may have no effect. +Administrator=Administrator +Undefined=Undefined +PasswordForgotten=Password forgotten? +SeeAbove=See above +HomeArea=Home area +LastConnexion=Latest connection +PreviousConnexion=Previous connection +PreviousValue=Previous value +ConnectedOnMultiCompany=Connected on environment +ConnectedSince=Connected since +AuthenticationMode=Authentication mode +RequestedUrl=Requested URL +DatabaseTypeManager=Database type manager +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 has detected a technical error +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) +MoreInformation=More information +TechnicalInformation=Technical information +TechnicalID=Technical ID +NotePublic=Note (public) +NotePrivate=Note (private) +PrecisionUnitIsLimitedToXDecimals=Dolibarr was setup to limit precision of unit prices to %s decimals. +DoTest=Test +ToFilter=Filter +NoFilter=No filter +WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance delay. +yes=yes +Yes=Yes +no=no +No=No +All=All +Home=Home +Help=Help +OnlineHelp=Online help +PageWiki=Wiki page +MediaBrowser=Media browser +Always=Always +Never=Never +Under=under +Period=Period +PeriodEndDate=End date for period +SelectedPeriod=Selected period +PreviousPeriod=Previous period +Activate=Activate +Activated=Activated +Closed=Closed +Closed2=Closed +NotClosed=Not closed +Enabled=Enabled +Deprecated=Deprecated +Disable=Disable +Disabled=Disabled +Add=Add +AddLink=Add link +RemoveLink=Remove link +AddToDraft=Add to draft +Update=Update +Close=Close +CloseBox=Remove widget from your dashboard +Confirm=Confirm +ConfirmSendCardByMail=Do you really want to send content of this card by mail to %s? +Delete=Delete +Remove=Remove +Resiliate=Terminate +Cancel=Cancel +Modify=Modify +Edit=Edit +Validate=Validate +ValidateAndApprove=Validate and Approve +ToValidate=To validate +NotValidated=Not validated +Save=Save +SaveAs=Save As +TestConnection=Test connection +ToClone=Clone +ConfirmClone=Choose data you want to clone : +NoCloneOptionsSpecified=No data to clone defined. +Of=of +Go=Go +Run=Run +CopyOf=Copy of +Show=Show +Hide=Hide +ShowCardHere=Show card +Search=Search +SearchOf=Search +Valid=Valid +Approve=Approve +Disapprove=Disapprove +ReOpen=Re-Open +Upload=Send file +ToLink=Link +Select=Select +Choose=Choose +Resize=Resize +Recenter=Recenter +Author=Author +User=User +Users=Users +Group=Group +Groups=Groups +NoUserGroupDefined=No user group defined +Password=Password +PasswordRetype=Retype your password +NoteSomeFeaturesAreDisabled=Note that a lot of features/modules are disabled in this demonstration. +Name=Name +Person=Person +Parameter=Parameter +Parameters=Parameters +Value=Value +PersonalValue=Personal value +NewObject=New %s +NewValue=New value +CurrentValue=Current value +Code=Code +Type=Type +Language=Language +MultiLanguage=Multi-language +Note=Note +Title=Title +Label=Label +RefOrLabel=Ref. or label +Info=Log +Family=Family +Description=Description +Designation=Description +Model=Doc template +DefaultModel=Default doc template +Action=Event +About=About +Number=Number +NumberByMonth=Number by month +AmountByMonth=Amount by month +Numero=Number +Limit=Limit +Limits=Limits +Logout=Logout +NoLogoutProcessWithAuthMode=No applicative disconnect feature with authentication mode %s +Connection=Connection +Setup=Setup +Alert=Alert +MenuWarnings=Alerts +Previous=Previous +Next=Next +Cards=Cards +Card=Card +Now=Now +HourStart=Start hour +Date=Date +DateAndHour=Date and hour +DateToday=Today's date +DateReference=Reference date +DateStart=Start date +DateEnd=End date +DateCreation=Creation date +DateCreationShort=Creat. date +DateModification=Modification date +DateModificationShort=Modif. date +DateLastModification=Latest modification date +DateValidation=Validation date +DateClosing=Closing date +DateDue=Due date +DateValue=Value date +DateValueShort=Value date +DateOperation=Operation date +DateOperationShort=Oper. Date +DateLimit=Limit date +DateRequest=Request date +DateProcess=Process date +DateBuild=Report build date +DatePayment=Date of payment +DateApprove=Approving date +DateApprove2=Approving date (second approval) +RegistrationDate=Registration date +UserCreation=Creation user +UserModification=Modification user +UserValidation=Validation user +UserCreationShort=Creat. user +UserModificationShort=Modif. user +UserValidationShort=Valid. user +DurationYear=year +DurationMonth=month +DurationWeek=week +DurationDay=day +DurationYears=years +DurationMonths=months +DurationWeeks=weeks +DurationDays=days +Year=Year +Month=Month +Week=Week +WeekShort=Week +Day=Day +Hour=Hour +Minute=Minute +Second=Second +Years=Years +Months=Months +Days=Days +days=days +Hours=Hours +Minutes=Minutes +Seconds=Seconds +Weeks=Weeks +Today=Today +Yesterday=Yesterday +Tomorrow=Tomorrow +Morning=Morning +Afternoon=Afternoon +Quadri=Quadri +MonthOfDay=Month of the day +HourShort=H +MinuteShort=mn +Rate=Rate +CurrencyRate=Currency conversion rate +UseLocalTax=Include tax +Bytes=Bytes +KiloBytes=Kilobytes +MegaBytes=Megabytes +GigaBytes=Gigabytes +TeraBytes=Terabytes +UserAuthor=User of creation +UserModif=User of last update +b=b. +Kb=Kb +Mb=Mb +Gb=Gb +Tb=Tb +Cut=Cut +Copy=Copy +Paste=Paste +Default=Default +DefaultValue=Default value +DefaultValues=Default values +Price=Price +UnitPrice=Unit price +UnitPriceHT=Unit price (net) +UnitPriceTTC=Unit price +PriceU=U.P. +PriceUHT=U.P. (net) +PriceUHTCurrency=U.P (currency) +PriceUTTC=U.P. (inc. tax) +Amount=Amount +AmountInvoice=Invoice amount +AmountPayment=Payment amount +AmountHTShort=Amount (net) +AmountTTCShort=Amount (inc. tax) +AmountHT=Amount (net of tax) +AmountTTC=Amount (inc. tax) +AmountVAT=Amount tax +MulticurrencyAlreadyPaid=Already payed, original currency +MulticurrencyRemainderToPay=Remain to pay, original currency +MulticurrencyPaymentAmount=Payment amount, original currency +MulticurrencyAmountHT=Amount (net of tax), original currency +MulticurrencyAmountTTC=Amount (inc. of tax), original currency +MulticurrencyAmountVAT=Amount tax, original currency +AmountLT1=Amount tax 2 +AmountLT2=Amount tax 3 +AmountLT1ES=Amount RE +AmountLT2ES=Amount IRPF +AmountTotal=Total amount +AmountAverage=Average amount +PriceQtyMinHT=Price quantity min. (net of tax) +Percentage=Percentage +Total=Total +SubTotal=Subtotal +TotalHTShort=Total (net) +TotalHTShortCurrency=Total (net in currency) +TotalTTCShort=Total (inc. tax) +TotalHT=Total (net of tax) +TotalHTforthispage=Total (net of tax) for this page +Totalforthispage=Total for this page +TotalTTC=Total (inc. tax) +TotalTTCToYourCredit=Total (inc. tax) to your credit +TotalVAT=Total tax +TotalVATIN=Total IGST +TotalLT1=Total tax 2 +TotalLT2=Total tax 3 +TotalLT1ES=Total RE +TotalLT2ES=Total IRPF +TotalLT1IN=Total CGST +TotalLT2IN=Total SGST +HT=Net of tax +TTC=Inc. tax +INCVATONLY=Inc. VAT +INCT=Inc. all taxes +VAT=Sales tax +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 +LT1ES=RE +LT2ES=IRPF +LT1IN=CGST +LT2IN=SGST +VATRate=Tax Rate +DefaultTaxRate=Default tax rate +Average=Average +Sum=Sum +Delta=Delta +Module=Module/Application +Modules=Modules/Applications +Option=Option +List=List +FullList=Full list +Statistics=Statistics +OtherStatistics=Other statistics +Status=Status +Favorite=Favorite +ShortInfo=Info. +Ref=Ref. +ExternalRef=Ref. extern +RefSupplier=Ref. supplier +RefPayment=Ref. payment +CommercialProposalsShort=Commercial proposals +Comment=Comment +Comments=Comments +ActionsToDo=Events to do +ActionsToDoShort=To do +ActionsDoneShort=Done +ActionNotApplicable=Not applicable +ActionRunningNotStarted=To start +ActionRunningShort=In progress +ActionDoneShort=Finished +ActionUncomplete=Uncomplete +LatestLinkedEvents=Latest %s linked events +CompanyFoundation=Company/Organisation +ContactsForCompany=Contacts for this third party +ContactsAddressesForCompany=Contacts/addresses for this third party +AddressesForCompany=Addresses for this third party +ActionsOnCompany=Events about this third party +ActionsOnMember=Events about this member +ActionsOnProduct=Events about this product +NActionsLate=%s late +RequestAlreadyDone=Request already recorded +Filter=Filter +FilterOnInto=Search criteria '%s' into fields %s +RemoveFilter=Remove filter +ChartGenerated=Chart generated +ChartNotGenerated=Chart not generated +GeneratedOn=Build on %s +Generate=Generate +Duration=Duration +TotalDuration=Total duration +Summary=Summary +DolibarrStateBoard=Database statistics +DolibarrWorkBoard=Open items dashboard +NoOpenedElementToProcess=No opened element to process +Available=Available +NotYetAvailable=Not yet available +NotAvailable=Not available +Categories=Tags/categories +Category=Tag/category +By=By +From=From +to=to +and=and +or=or +Other=Other +Others=Others +OtherInformations=Other informations +Quantity=Quantity +Qty=Qty +ChangedBy=Changed by +ApprovedBy=Approved by +ApprovedBy2=Approved by (second approval) +Approved=Approved +Refused=Refused +ReCalculate=Recalculate +ResultKo=Failure +Reporting=Reporting +Reportings=Reporting +Draft=Draft +Drafts=Drafts +StatusInterInvoiced= +Validated=Validated +Opened=Open +New=New +Discount=Discount +Unknown=Unknown +General=General +Size=Size +OriginalSize=Original size +Received=Received +Paid=Paid +Topic=Subject +ByCompanies=By third parties +ByUsers=By users +Links=Links +Link=Link +Rejects=Rejects +Preview=Preview +NextStep=Next step +Datas=Data +None=None +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. +Photo=Picture +Photos=Pictures +AddPhoto=Add picture +DeletePicture=Picture delete +ConfirmDeletePicture=Confirm picture deletion? +Login=Login +CurrentLogin=Current login +EnterLoginDetail=Enter login details +January=January +February=February +March=March +April=April +May=May +June=June +July=July +August=August +September=September +October=October +November=November +December=December +JanuaryMin=Jan +FebruaryMin=Feb +MarchMin=Mar +AprilMin=Apr +MayMin=May +JuneMin=Jun +JulyMin=Jul +AugustMin=Aug +SeptemberMin=Sep +OctoberMin=Oct +NovemberMin=Nov +DecemberMin=Dec +Month01=January +Month02=February +Month03=March +Month04=April +Month05=May +Month06=June +Month07=July +Month08=August +Month09=September +Month10=October +Month11=November +Month12=December +MonthShort01=Jan +MonthShort02=Feb +MonthShort03=Mar +MonthShort04=Apr +MonthShort05=May +MonthShort06=Jun +MonthShort07=Jul +MonthShort08=Aug +MonthShort09=Sep +MonthShort10=Oct +MonthShort11=Nov +MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D +AttachedFiles=Attached files and documents +JoinMainDoc=Join main document +DateFormatYYYYMM=YYYY-MM +DateFormatYYYYMMDD=YYYY-MM-DD +DateFormatYYYYMMDDHHMM=YYYY-MM-DD HH:SS +ReportName=Report name +ReportPeriod=Report period +ReportDescription=Description +Report=Report +Keyword=Keyword +Origin=Origin +Legend=Legend +Fill=Fill +Reset=Reset +File=File +Files=Files +NotAllowed=Not allowed +ReadPermissionNotAllowed=Read permission not allowed +AmountInCurrency=Amount in %s currency +Example=Example +Examples=Examples +NoExample=No example +FindBug=Report a bug +NbOfThirdParties=Number of third parties +NbOfLines=Number of lines +NbOfObjects=Number of objects +NbOfObjectReferers=Number of related items +Referers=Related items +TotalQuantity=Total quantity +DateFromTo=From %s to %s +DateFrom=From %s +DateUntil=Until %s +Check=Check +Uncheck=Uncheck +Internal=Internal +External=External +Internals=Internal +Externals=External +Warning=Warning +Warnings=Warnings +BuildDoc=Build Doc +Entity=Environment +Entities=Entities +CustomerPreview=Customer preview +SupplierPreview=Supplier preview +ShowCustomerPreview=Show customer preview +ShowSupplierPreview=Show supplier preview +RefCustomer=Ref. customer +Currency=Currency +InfoAdmin=Information for administrators +Undo=Undo +Redo=Redo +ExpandAll=Expand all +UndoExpandAll=Undo expand +SeeAll=See all +Reason=Reason +FeatureNotYetSupported=Feature not yet supported +CloseWindow=Close window +Response=Response +Priority=Priority +SendByMail=Send by EMail +MailSentBy=Email sent by +TextUsedInTheMessageBody=Email body +SendAcknowledgementByMail=Send confirmation email +SendMail=Send email +EMail=E-mail +NoEMail=No email +Email=Email +NoMobilePhone=No mobile phone +Owner=Owner +FollowingConstantsWillBeSubstituted=The following constants will be replaced with the corresponding value. +Refresh=Refresh +BackToList=Back to list +GoBack=Go back +CanBeModifiedIfOk=Can be modified if valid +CanBeModifiedIfKo=Can be modified if not valid +ValueIsValid=Value is valid +ValueIsNotValid=Value is not valid +RecordCreatedSuccessfully=Record created successfully +RecordModifiedSuccessfully=Record modified successfully +RecordsModified=%s record modified +RecordsDeleted=%s record deleted +AutomaticCode=Automatic code +FeatureDisabled=Feature disabled +MoveBox=Move widget +Offered=Offered +NotEnoughPermissions=You don't have permission for this action +SessionName=Session name +Method=Method +Receive=Receive +CompleteOrNoMoreReceptionExpected=Complete or nothing more expected +ExpectedValue=Expected Value +CurrentValue=Current value +PartialWoman=Partial +TotalWoman=Total +NeverReceived=Never received +Canceled=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 +Color=Color +Documents=Linked files +Documents2=Documents +UploadDisabled=Upload disabled +MenuAccountancy=Accountancy +MenuECM=Documents +MenuAWStats=AWStats +MenuMembers=Members +MenuAgendaGoogle=Google agenda +ThisLimitIsDefinedInSetup=Dolibarr limit (Menu home-setup-security): %s Kb, PHP limit: %s Kb +NoFileFound=No documents saved in this directory +CurrentUserLanguage=Current language +CurrentTheme=Current theme +CurrentMenuManager=Current menu manager +Browser=Browser +Layout=Layout +Screen=Screen +DisabledModules=Disabled modules +For=For +ForCustomer=For customer +Signature=Signature +DateOfSignature=Date of signature +HidePassword=Show command with password hidden +UnHidePassword=Show real command with clear password +Root=Root +Informations=Informations +Page=Page +Notes=Notes +AddNewLine=Add new line +AddFile=Add file +FreeZone=Not a predefined product/service +FreeLineOfType=Not a predefined entry of type +CloneMainAttributes=Clone object with its main attributes +PDFMerge=PDF Merge +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. +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 +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) +Line=Line +NotSupported=Not supported +RequiredField=Required field +Result=Result +ToTest=Test +ValidateBefore=Card must be validated before using this feature +Visibility=Visibility +Private=Private +Hidden=Hidden +Resources=Resources +Source=Source +Prefix=Prefix +Before=Before +After=After +IPAddress=IP address +Frequency=Frequency +IM=Instant messaging +NewAttribute=New attribute +AttributeCode=Attribute code +URLPhoto=URL of photo/logo +SetLinkToAnotherThirdParty=Link to another third party +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 +CreateDraft=Create draft +SetToDraft=Back to draft +ClickToEdit=Click to edit +EditWithEditor=Edit with CKEditor +EditWithTextEditor=Edit with Text editor +EditHTMLSource=Edit HTML Source +ObjectDeleted=Object %s deleted +ByCountry=By country +ByTown=By town +ByDate=By date +ByMonthYear=By month/year +ByYear=By year +ByMonth=By month +ByDay=By day +BySalesRepresentative=By sales representative +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=ផ្ទៃតាប្លូរបស់ខ្ញុំ +Deductible=Deductible +from=from +toward=toward +Access=Access +SelectAction=Select action +SelectTargetUser=Select target user/employee +HelpCopyToClipboard=Use Ctrl+C to copy to clipboard +SaveUploadedFileWithMask=Save file on server with name "%s" (otherwise "%s") +OriginFileName=Original filename +SetDemandReason=Set source +SetBankAccount=Define Bank Account +AccountCurrency=Account currency +ViewPrivateNote=View notes +XMoreLines=%s line(s) hidden +ShowMoreLines=Show more/less lines +PublicUrl=Public URL +AddBox=Add box +SelectElementAndClick=Select an element and click %s +PrintFile=Print File %s +ShowTransaction=Show entry on bank account +ShowIntervention=Show intervention +ShowContract=Show contract +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 +ListOfTemplates=List of templates +Gender=Gender +Genderman=Man +Genderwoman=Woman +ViewList=List view +Mandatory=Mandatory +Hello=Hello +GoodBye=GoodBye +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. +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 +ClassifyBilled=Classify billed +Progress=Progress +ClickHere=Click here +FrontOffice=Front office +BackOffice=Back office +View=View +Export=Export +Exports=Exports +ExportFilteredList=Export filtered list +ExportList=Export list +ExportOptions=Export Options +Miscellaneous=Miscellaneous +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/. +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=Expense report +ExpenseReports=Expense reports +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=Events +EMailTemplates=Emails templates +FileNotShared=File not shared to exernal public +Project=Project +Projects=Projects +Rights=Permissions +# Week day +Monday=Monday +Tuesday=Tuesday +Wednesday=Wednesday +Thursday=Thursday +Friday=Friday +Saturday=Saturday +Sunday=Sunday +MondayMin=Mo +TuesdayMin=Tu +WednesdayMin=We +ThursdayMin=Th +FridayMin=Fr +SaturdayMin=Sa +SundayMin=Su +Day1=Monday +Day2=Tuesday +Day3=Wednesday +Day4=Thursday +Day5=Friday +Day6=Saturday +Day0=Sunday +ShortMonday=M +ShortTuesday=T +ShortWednesday=W +ShortThursday=T +ShortFriday=F +ShortSaturday=S +ShortSunday=S +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=Thirdparties +SearchIntoContacts=Contacts +SearchIntoMembers=Members +SearchIntoUsers=Users +SearchIntoProductsOrServices=Products or services +SearchIntoProjects=Projects +SearchIntoTasks=Tasks +SearchIntoCustomerInvoices=Customer invoices +SearchIntoSupplierInvoices=Supplier invoices +SearchIntoCustomerOrders=Customer orders +SearchIntoSupplierOrders=Supplier orders +SearchIntoCustomerProposals=Customer proposals +SearchIntoSupplierProposals=Supplier proposals +SearchIntoInterventions=Interventions +SearchIntoContracts=Contracts +SearchIntoCustomerShipments=Customer shipments +SearchIntoExpenseReports=Expense reports +SearchIntoLeaves=Leaves +CommentLink=Comments +NbComments=Number of comments +CommentPage=Comments space +CommentAdded=Comment added +CommentDeleted=Comment deleted +Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/kn_IN/accountancy.lang b/htdocs/langs/kn_IN/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/kn_IN/accountancy.lang +++ b/htdocs/langs/kn_IN/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/kn_IN/admin.lang b/htdocs/langs/kn_IN/admin.lang index 84e57a2b93269..b96e48143643c 100644 --- a/htdocs/langs/kn_IN/admin.lang +++ b/htdocs/langs/kn_IN/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=ನೌಕರರು DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/kn_IN/banks.lang b/htdocs/langs/kn_IN/banks.lang index 8a2558540c41e..f68ca42750394 100644 --- a/htdocs/langs/kn_IN/banks.lang +++ b/htdocs/langs/kn_IN/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/kn_IN/bills.lang b/htdocs/langs/kn_IN/bills.lang index 5f3d5d3fbdd37..8e8a5b3fce40f 100644 --- a/htdocs/langs/kn_IN/bills.lang +++ b/htdocs/langs/kn_IN/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/kn_IN/compta.lang b/htdocs/langs/kn_IN/compta.lang index 4082b9fa9b7f9..df4942cf23473 100644 --- a/htdocs/langs/kn_IN/compta.lang +++ b/htdocs/langs/kn_IN/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/kn_IN/donations.lang b/htdocs/langs/kn_IN/donations.lang index f4578fa9fc398..5edc8d62033c5 100644 --- a/htdocs/langs/kn_IN/donations.lang +++ b/htdocs/langs/kn_IN/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/kn_IN/errors.lang b/htdocs/langs/kn_IN/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/kn_IN/errors.lang +++ b/htdocs/langs/kn_IN/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/kn_IN/install.lang b/htdocs/langs/kn_IN/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/kn_IN/install.lang +++ b/htdocs/langs/kn_IN/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/kn_IN/languages.lang b/htdocs/langs/kn_IN/languages.lang index 05288a888eb11..a062883d667f9 100644 --- a/htdocs/langs/kn_IN/languages.lang +++ b/htdocs/langs/kn_IN/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanish (Paraguay) Language_es_PE=Spanish (Peru) Language_es_PR=Spanish (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/kn_IN/main.lang b/htdocs/langs/kn_IN/main.lang index c9644d3544336..e743f2e0382c3 100644 --- a/htdocs/langs/kn_IN/main.lang +++ b/htdocs/langs/kn_IN/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/kn_IN/other.lang b/htdocs/langs/kn_IN/other.lang index 86326b5da20b0..5242f77a2c135 100644 --- a/htdocs/langs/kn_IN/other.lang +++ b/htdocs/langs/kn_IN/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/kn_IN/products.lang b/htdocs/langs/kn_IN/products.lang index 6b50bcd8a65a8..3721d35f0849a 100644 --- a/htdocs/langs/kn_IN/products.lang +++ b/htdocs/langs/kn_IN/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/kn_IN/projects.lang b/htdocs/langs/kn_IN/projects.lang index f33a950acff08..c69302deecb7d 100644 --- a/htdocs/langs/kn_IN/projects.lang +++ b/htdocs/langs/kn_IN/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/kn_IN/website.lang b/htdocs/langs/kn_IN/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/kn_IN/website.lang +++ b/htdocs/langs/kn_IN/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/ko_KR/accountancy.lang b/htdocs/langs/ko_KR/accountancy.lang index 9dbf911a8208c..5de5e061b9709 100644 --- a/htdocs/langs/ko_KR/accountancy.lang +++ b/htdocs/langs/ko_KR/accountancy.lang @@ -18,7 +18,7 @@ CantSuggest=Can't suggest AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s ConfigAccountingExpert=Configuration of the module accounting expert Journalization=Journalization -Journaux=Journals +Journaux=분개장 JournalFinancial=Financial journals BackToChartofaccounts=Return chart of accounts Chartofaccounts=Chart of accounts @@ -94,25 +94,25 @@ ExpenseReportsVentilation=Expense report binding CreateMvts=Create new transaction UpdateMvts=Modification of a transaction ValidTransaction=Validate transaction -WriteBookKeeping=Journalize transactions in Ledger -Bookkeeping=Ledger +WriteBookKeeping=원장에 이동 기록하기 +Bookkeeping=원장 AccountBalance=Account balance ObjectsRef=Source object ref CAHTF=Total purchase supplier before tax TotalExpenseReport=Total expense report -InvoiceLines=Lines of invoices to bind -InvoiceLinesDone=Bound lines of invoices +InvoiceLines=묶음 처리할 청구서 항목 +InvoiceLinesDone=묶음 처리된 청구서 항목 ExpenseReportLines=Lines of expense reports to bind ExpenseReportLinesDone=Bound lines of expense reports -IntoAccount=Bind line with the accounting account +IntoAccount=회계계좌로 연결 -Ventilate=Bind +Ventilate=묶음 처리 LineId=Id line -Processing=Processing -EndProcessing=Process terminated. -SelectedLines=Selected lines -Lineofinvoice=Line of invoice +Processing=처리중 +EndProcessing=처리종결 +SelectedLines=선택된 항목 +Lineofinvoice=청구서 항목 LineOfExpenseReport=Line of expense report NoAccountSelected=No accounting account selected VentilatedinAccount=Binded successfully to the accounting account @@ -131,8 +131,8 @@ ACCOUNTING_LENGTH_AACCOUNT=Length of the third party accounting accounts (If you 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_SELL_JOURNAL=Sell journal -ACCOUNTING_PURCHASE_JOURNAL=Purchase journal +ACCOUNTING_SELL_JOURNAL=매출분개장 +ACCOUNTING_PURCHASE_JOURNAL=구매분개장 ACCOUNTING_MISCELLANEOUS_JOURNAL=Miscellaneous journal ACCOUNTING_EXPENSEREPORT_JOURNAL=Expense report journal ACCOUNTING_SOCIAL_JOURNAL=Social journal @@ -147,9 +147,9 @@ ACCOUNTING_SERVICE_BUY_ACCOUNT=Accounting account by default for the bought serv ACCOUNTING_SERVICE_SOLD_ACCOUNT=Accounting account by default for the sold services (used if not defined in the service sheet) Doctype=Type of document -Docdate=Date +Docdate=날짜 Docref=Reference -Code_tiers=Thirdparty +Code_tiers=거래처 LabelAccount=Label account LabelOperation=Label operation Sens=Sens @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/ko_KR/admin.lang b/htdocs/langs/ko_KR/admin.lang index 4e35837549ebe..aa7de12ed660f 100644 --- a/htdocs/langs/ko_KR/admin.lang +++ b/htdocs/langs/ko_KR/admin.lang @@ -3,12 +3,12 @@ Foundation=Foundation Version=버전 Publisher=Publisher VersionProgram=버전 프로그램 -VersionLastInstall=Initial install version -VersionLastUpgrade=Latest version upgrade -VersionExperimental=Experimental -VersionDevelopment=Development +VersionLastInstall=초기설치버전 +VersionLastUpgrade=최종버전업그레이드 +VersionExperimental=실험용 +VersionDevelopment=개발 VersionUnknown=알 수 없음 -VersionRecommanded=Recommended +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. @@ -25,11 +25,11 @@ 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 -SessionId=Session ID -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). +SessionId=세션ID +SessionSaveHandler=세션저장구동기 +SessionSavePath=저장세션로컬라이제이션 +PurgeSessions=세션제거 +ConfirmPurgeSessions=모든 세션을 제거하겠습니까? (당신을 제외한) 모든 다른 사용자의 연결이 중단됩니다. NoSessionListWithThisHandler=Save session handler configured in your PHP does not allow to list 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. @@ -46,13 +46,13 @@ WarningModuleNotActive=Module %s must be enabled WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page. DolibarrSetup=Dolibarr install or upgrade InternalUser=Internal user -ExternalUser=External user -InternalUsers=Internal users -ExternalUsers=External users -GUISetup=Display -SetupArea=Setup area +ExternalUser=외부사용자 +InternalUsers=내부사용자\n +ExternalUsers=외부사용자 +GUISetup=화면 +SetupArea=설정지역 UploadNewTemplate=Upload new template(s) -FormToTestFileUploadForm=Form to test file upload (according to setup) +FormToTestFileUploadForm=파일업로드테스트용 양식 IfModuleEnabled=Note: yes is effective only if module %s is enabled RemoveLock=Remove file %s if it exists to allow usage of the update tool. RestoreLock=Restore file %s, with read permission only, to disable any usage of update tool. @@ -81,18 +81,18 @@ 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). -Space=Space -Table=Table -Fields=Fields -Index=Index +Space=공간 +Table=테이블 +Fields=필드 +Index=목록 Mask=Mask -NextValue=Next value -NextValueForInvoices=Next value (invoices) -NextValueForCreditNotes=Next value (credit notes) +NextValue=다음 값 +NextValueForInvoices=다음 값(청구서) +NextValueForCreditNotes=다음 값(크레딧 기록) NextValueForDeposit=Next value (down payment) NextValueForReplacements=Next value (replacements) MustBeLowerThanPHPLimit=Note: your PHP limits each file upload's size to %s %s, whatever this parameter's value is -NoMaxSizeByPHPLimit=Note: No limit is set in your PHP configuration +NoMaxSizeByPHPLimit=PHP 설정에서 한도가 설정되어 있지 않습니다. MaxSizeForUploadedFiles=Maximum size for uploaded files (0 to disallow any upload) UseCaptchaCode=Use graphical code (CAPTCHA) on login page AntiVirusCommand= Full path to antivirus command @@ -143,45 +143,45 @@ SystemInfo=System information SystemToolsArea=System tools area SystemToolsAreaDesc=This area provides administration features. Use the menu to choose the feature you're looking for. Purge=Purge -PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. -PurgeDeleteLogFile=Delete log files, including %s defined for Syslog module (no risk of losing data) -PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data) +PurgeAreaDesc=이 페이즈는 %s에 돌리바에 의해 생성되거나 저장된 모든 파일을 삭제할 수 있습니다. 이 기능을 사용하는 것이 필수는 아닙니다. 이 기능은 돌리바가 웹서버에 의해 생성된 파일의 삭제가 허용되지 않는 호스팅 업체를 이용중인 사용자를 위해 제공된 기능입니다. +PurgeDeleteLogFile=Syslog 모듈(데이타 손실 위험 없음) %s에 의해 정읜된 돌리바 로그파일 +PurgeDeleteTemporaryFiles=모든 임시파일 삭제(데이터손실위험 없음) PurgeDeleteTemporaryFilesShort=Delete temporary files PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory %s. Temporary files but also database backup dumps, files attached to elements (third parties, invoices, ...) and uploaded into the ECM module will be deleted. -PurgeRunNow=Purge now -PurgeNothingToDelete=No directory or files to delete. -PurgeNDirectoriesDeleted=%s files or directories deleted. +PurgeRunNow=지금 제거하기 +PurgeNothingToDelete=삭제할 디렉토리나 파일이 없음 +PurgeNDirectoriesDeleted=%s개의 파일 또는 경로가 삭제되었음 PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Purge all security events -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. -GenerateBackup=Generate backup -Backup=Backup -Restore=Restore -RunCommandSummary=Backup has been launched with the following command -BackupResult=Backup result -BackupFileSuccessfullyCreated=Backup file successfully generated -YouCanDownloadBackupFile=Generated files can now be downloaded -NoBackupFileAvailable=No backup files available. -ExportMethod=Export method -ImportMethod=Import method -ToBuildBackupFileClickHere=To build a backup file, click here. -ImportMySqlDesc=To import a backup file, you must use mysql command from command line: -ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: -ImportMySqlCommand=%s %s < mybackupfile.sql -ImportPostgreSqlCommand=%s %s mybackupfile.sql -FileNameToGenerate=File name to generate -Compression=Compression -CommandsToDisableForeignKeysForImport=Command to disable foreign keys on import -CommandsToDisableForeignKeysForImportWarning=Mandatory if you want to be able to restore your sql dump later -ExportCompatibility=Compatibility of generated export file -MySqlExportParameters=MySQL export parameters -PostgreSqlExportParameters= PostgreSQL export parameters -UseTransactionnalMode=Use transactional mode -FullPathToMysqldumpCommand=Full path to mysqldump command -FullPathToPostgreSQLdumpCommand=Full path to pg_dump command +PurgeAuditEvents=모든 보안 이벤트 제거 +ConfirmPurgeAuditEvents=모든 보안 이벤트를 제거합니까? 모든 보안 로그가 지워지며, 다른 데이터는 삭제되지 않습니다. +GenerateBackup=백업 생성 +Backup=백업 +Restore=복구 +RunCommandSummary=백업이 다음의 명령으로 실행되었음 +BackupResult=백업결과 +BackupFileSuccessfullyCreated=백업파일이 성공적으로 생성되었습니다. +YouCanDownloadBackupFile=생성된 파일을 다운로드 할 수 있습니다. +NoBackupFileAvailable=사용가능한 백업파일 없음 +ExportMethod=내보내기 방법 +ImportMethod=가져오기 방법 +ToBuildBackupFileClickHere=백업파일을 만드려면 여기를클릭하세요 +ImportMySqlDesc=백업파일을 가져오려면 명령줄에서 mysql명령어를 사용해야 합니다. +ImportPostgreSqlDesc=백업파일을 가져오려면 명령줄에서 pg_restore명령어를 사용해야 합니다. +ImportMySqlCommand=%s%s< mybackupfile.sql +ImportPostgreSqlCommand=%s%smybackupfile.sql +FileNameToGenerate=생성할 파일명 +Compression=압축 +CommandsToDisableForeignKeysForImport=가져오기에서 foreign 키를 사용할 수 없도록 합니다. +CommandsToDisableForeignKeysForImportWarning=나중에sql덤프를 저장하려면 필수입니다. +ExportCompatibility=생성된 내보내기 파일 호환성 +MySqlExportParameters=MySQL 내보내기 변수 +PostgreSqlExportParameters= PostgreSQL내보내기 변수 +UseTransactionnalMode=전송 모드를 사용 +FullPathToMysqldumpCommand=mysqldump명령어 전체경로 +FullPathToPostgreSQLdumpCommand=pg_dump 명령어 전체경로  AddDropDatabase=Add DROP DATABASE command AddDropTable=Add DROP TABLE command -ExportStructure=Structure +ExportStructure=구조 NameColumn=Name columns ExtendedInsert=Extended INSERT NoLockBeforeInsert=No lock commands around INSERT @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -561,7 +561,7 @@ Module1200Name=Mantis Module1200Desc=Mantis integration Module1520Name=Document Generation Module1520Desc=Mass mail document generation -Module1780Name=Tags/Categories +Module1780Name=분류/범주 Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) Module2000Name=WYSIWYG editor Module2000Desc=Allow to edit some text area using an advanced editor (Based on CKEditor) @@ -890,7 +890,7 @@ DictionaryStaff=직원 DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/ko_KR/banks.lang b/htdocs/langs/ko_KR/banks.lang index 9731729dbdb22..73b3d4776e257 100644 --- a/htdocs/langs/ko_KR/banks.lang +++ b/htdocs/langs/ko_KR/banks.lang @@ -89,13 +89,14 @@ AccountIdShort=번호 LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled Reconciled=Reconciled NotReconciled=Not reconciled CustomerInvoicePayment=Customer payment -SupplierInvoicePayment=Supplier payment +SupplierInvoicePayment=공급업체결제 SubscriptionPayment=Subscription payment WithdrawalPayment=Withdrawal payment SocialContributionPayment=Social/fiscal tax payment diff --git a/htdocs/langs/ko_KR/bills.lang b/htdocs/langs/ko_KR/bills.lang index d35f40e11e7d5..3a968b76f300b 100644 --- a/htdocs/langs/ko_KR/bills.lang +++ b/htdocs/langs/ko_KR/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/ko_KR/categories.lang b/htdocs/langs/ko_KR/categories.lang index 41e5f4e4c137a..84a576c0f7f5f 100644 --- a/htdocs/langs/ko_KR/categories.lang +++ b/htdocs/langs/ko_KR/categories.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - categories -Rubrique=Tag/Category -Rubriques=Tags/Categories +Rubrique=분류/범주 +Rubriques=분류/범주 RubriquesTransactions=Tags/Categories of transactions -categories=tags/categories -NoCategoryYet=No tag/category of this type created +categories=분류/범주 +NoCategoryYet=해당 분류/범주가 없습니다. In=In AddIn=Add in modify=modify diff --git a/htdocs/langs/ko_KR/compta.lang b/htdocs/langs/ko_KR/compta.lang index 177ddb2542b62..a9f0c90fe7797 100644 --- a/htdocs/langs/ko_KR/compta.lang +++ b/htdocs/langs/ko_KR/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/ko_KR/donations.lang b/htdocs/langs/ko_KR/donations.lang index 5be4a5ceaa877..e141edd12e3e0 100644 --- a/htdocs/langs/ko_KR/donations.lang +++ b/htdocs/langs/ko_KR/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/ko_KR/errors.lang b/htdocs/langs/ko_KR/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/ko_KR/errors.lang +++ b/htdocs/langs/ko_KR/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/ko_KR/install.lang b/htdocs/langs/ko_KR/install.lang index b35b661661042..e8c77bdd2ca18 100644 --- a/htdocs/langs/ko_KR/install.lang +++ b/htdocs/langs/ko_KR/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/ko_KR/languages.lang b/htdocs/langs/ko_KR/languages.lang index 33a09ed936a5a..3e1191ca224a8 100644 --- a/htdocs/langs/ko_KR/languages.lang +++ b/htdocs/langs/ko_KR/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=스페인어 (파나마) Language_es_PY=스페인어 (파라과이) Language_es_PE=스페인어 (페루) Language_es_PR=스페인어 (푸에르토 리코) +Language_es_UY=Spanish (Uruguay) Language_es_VE=스페인어 (베네수엘라) Language_et_EE=에스토니아어 Language_eu_ES=바스크어 diff --git a/htdocs/langs/ko_KR/main.lang b/htdocs/langs/ko_KR/main.lang index a8e64102254a6..5d1deffe723a5 100644 --- a/htdocs/langs/ko_KR/main.lang +++ b/htdocs/langs/ko_KR/main.lang @@ -548,6 +548,18 @@ MonthShort09=9 월 MonthShort10=10 월 MonthShort11=11 월 MonthShort12=12 월 +MonthVeryShort01=J +MonthVeryShort02=금 +MonthVeryShort03=월 +MonthVeryShort04=A +MonthVeryShort05=월 +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=일 +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=첨부 파일 및 문서 JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=은행 계좌 정의 AccountCurrency=Account currency ViewPrivateNote=노트보기 XMoreLines=%s 행 숨김 -ShowMoreLines=더 많은 라인보기 +ShowMoreLines=Show more/less lines PublicUrl=공개 URL AddBox=상자 추가 SelectElementAndClick=요소를 선택하고 %s을 클릭하십시오. @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/ko_KR/orders.lang b/htdocs/langs/ko_KR/orders.lang index 095ccfcafa51b..4750ca9e59986 100644 --- a/htdocs/langs/ko_KR/orders.lang +++ b/htdocs/langs/ko_KR/orders.lang @@ -7,8 +7,8 @@ Order=Order PdfOrderTitle=Order Orders=명령 OrderLine=Order line -OrderDate=Order date -OrderDateShort=Order date +OrderDate=주문일 +OrderDateShort=주문일 OrderToProcess=Order to process NewOrder=New order ToOrder=Make order diff --git a/htdocs/langs/ko_KR/other.lang b/htdocs/langs/ko_KR/other.lang index 07972aaebeb45..5ade2b0d38ff3 100644 --- a/htdocs/langs/ko_KR/other.lang +++ b/htdocs/langs/ko_KR/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/ko_KR/productbatch.lang b/htdocs/langs/ko_KR/productbatch.lang index c42e405b20856..8f86948fd42d7 100644 --- a/htdocs/langs/ko_KR/productbatch.lang +++ b/htdocs/langs/ko_KR/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=생산일련번호 사용 +ProductStatusOnBatch=예(생산일련번호필요) +ProductStatusNotOnBatch=아니오(생산일련번호사용안함) ProductStatusOnBatchShort=예 ProductStatusNotOnBatchShort=아니 -Batch=Lot/Serial -atleast1batchfield=Eat-by date or Sell-by date or Lot/Serial number -batch_number=Lot/Serial number -BatchNumberShort=Lot/Serial -EatByDate=Eat-by date -SellByDate=Sell-by date -DetailBatchNumber=Lot/Serial details -printBatch=Lot/Serial: %s -printEatby=Eat-by: %s -printSellby=Sell-by: %s -printQty=Qty: %d -AddDispatchBatchLine=Add a line for Shelf Life dispatching -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic increase/decrease stock mode is forced to shipping validate and manual dispatching for reception 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 +Batch=생산일련번호 +atleast1batchfield=소비기한 날짜 또는 판매기한 날짜 또는 일련번호 +batch_number=생산일련번호 +BatchNumberShort=일련번호 +EatByDate=소비기한 날짜 +SellByDate=판매기한 날짜 +DetailBatchNumber=생산일련번호 상세 +printBatch=생산일련번호: %s +printEatby=소비기한: %s +printSellby=판매기한: %s +printQty=수량: %d +AddDispatchBatchLine=Shelf Life 처리를 위한 줄 추가 +WhenProductBatchModuleOnOptionAreForced=일련번호모듈을 사용하면 운송허가 및 제품 수령시에 자동 재고증가감소수량모드가 강제되며, 수정이 불가합니다. 다른 옵션은 원하는대로 지정이 가능합니다. +ProductDoesNotUseBatchSerial=이제품은 일련번호를 사용하지 않음 +ProductLotSetup=일련번호 모듈 설정 +ShowCurrentStockOfLot=묶음제품 또는 일련번호별제품 현 재고보기 +ShowLogOfMovementIfLot=묶음제품 또는 일련번호별제품 이동기록 보기 +StockDetailPerBatch=일련번호별 재고내역 diff --git a/htdocs/langs/ko_KR/products.lang b/htdocs/langs/ko_KR/products.lang index 9d523a29b7acf..57822b629d946 100644 --- a/htdocs/langs/ko_KR/products.lang +++ b/htdocs/langs/ko_KR/products.lang @@ -151,7 +151,7 @@ NewRefForClone=Ref. of new product/service SellingPrices=Selling prices BuyingPrices=Buying prices CustomerPrices=Customer prices -SuppliersPrices=Supplier prices +SuppliersPrices=공급업체 가격 SuppliersPricesOfProductsOrServices=Supplier prices (of products or services) CustomCode=Customs/Commodity/HS code CountryOrigin=Origin country @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/ko_KR/projects.lang b/htdocs/langs/ko_KR/projects.lang index 99205963b2878..59d80da95b36c 100644 --- a/htdocs/langs/ko_KR/projects.lang +++ b/htdocs/langs/ko_KR/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/ko_KR/suppliers.lang b/htdocs/langs/ko_KR/suppliers.lang index 0697f8751d2f4..630ee5728c809 100644 --- a/htdocs/langs/ko_KR/suppliers.lang +++ b/htdocs/langs/ko_KR/suppliers.lang @@ -1,47 +1,47 @@ # Dolibarr language file - Source file is en_US - suppliers -Suppliers=공급 업체 -SuppliersInvoice=Suppliers invoice -ShowSupplierInvoice=Show Supplier Invoice -NewSupplier=신규 공급업체 -History=History -ListOfSuppliers=공급 업체 목록 -ShowSupplier=Show supplier -OrderDate=Order date -BuyingPriceMin=Best buying price -BuyingPriceMinShort=Best buying price -TotalBuyingPriceMinShort=Total of subproducts buying prices -TotalSellingPriceMinShort=Total of subproducts selling prices +Suppliers=납품업체 +SuppliersInvoice=대금 청구서 +ShowSupplierInvoice=공급업체청구서보기 +NewSupplier=신규납품처 +History=기록보기 +ListOfSuppliers=남품처목록 +ShowSupplier=남품처보기 +OrderDate=주문일 +BuyingPriceMin=최저구매가 +BuyingPriceMinShort=최저구매가 +TotalBuyingPriceMinShort=구성제품구매총액 +TotalSellingPriceMinShort=구성제품판매총액 SomeSubProductHaveNoPrices=Some sub-products have no price defined -AddSupplierPrice=Add buying price -ChangeSupplierPrice=Change buying price -SupplierPrices=Supplier prices +AddSupplierPrice=구매가등록 +ChangeSupplierPrice=구매가변경 +SupplierPrices=공급업체 가격 ReferenceSupplierIsAlreadyAssociatedWithAProduct=This reference supplier is already associated with a reference: %s -NoRecordedSuppliers=No suppliers recorded -SupplierPayment=Supplier payment -SuppliersArea=Suppliers area +NoRecordedSuppliers=남품처 기록없음 +SupplierPayment=납품업체대금결제 +SuppliersArea=납품업체지역 RefSupplierShort=참조 공급자 -Availability=Availability -ExportDataset_fournisseur_1=Supplier invoices list and invoice lines -ExportDataset_fournisseur_2=Supplier invoices and payments -ExportDataset_fournisseur_3=Supplier orders and order lines -ApproveThisOrder=Approve this order +Availability=이용가능여부 +ExportDataset_fournisseur_1=공급업체 대금결제청구목록 및 상세내역 +ExportDataset_fournisseur_2=공급업체 청구서 및 결제내역 +ExportDataset_fournisseur_3=공급업체 주문 및 상세내역 +ApproveThisOrder=주문 승인 ConfirmApproveThisOrder=Are you sure you want to approve order %s? -DenyingThisOrder=Deny this order +DenyingThisOrder=주문 거절 ConfirmDenyingThisOrder=Are you sure you want to deny this order %s? ConfirmCancelThisOrder=Are you sure you want to cancel this order %s? -AddSupplierOrder=Create supplier order -AddSupplierInvoice=Create supplier invoice +AddSupplierOrder=공급업체 주문생성 +AddSupplierInvoice=공급업체청구서생성 ListOfSupplierProductForSupplier=List of products and prices for supplier %s SentToSuppliers=Sent to suppliers -ListOfSupplierOrders=List of supplier orders -MenuOrdersSupplierToBill=Supplier orders to invoice -NbDaysToDelivery=Delivery delay in days -DescNbDaysToDelivery=The biggest deliver delay of the products from this order -SupplierReputation=Supplier reputation -DoNotOrderThisProductToThisSupplier=Do not order +ListOfSupplierOrders=최근 공급 업체 주문 목록 +MenuOrdersSupplierToBill=청구서생성용 공급업체주문목록 +NbDaysToDelivery=배송지체기간 +DescNbDaysToDelivery=최대배송지체기간 +SupplierReputation=공급업체평가 +DoNotOrderThisProductToThisSupplier=주문불가 NotTheGoodQualitySupplier=Wrong quality -ReputationForThisProduct=Reputation -BuyerName=Buyer name -AllProductServicePrices=All product / service prices -AllProductReferencesOfSupplier=All product / service references of supplier -BuyingPriceNumShort=Supplier prices +ReputationForThisProduct=평가 +BuyerName=구매자 +AllProductServicePrices=제품목록 및 서비스목록 +AllProductReferencesOfSupplier=공급업체 제품 및 서비스 목록 +BuyingPriceNumShort=공급업체 가격 diff --git a/htdocs/langs/ko_KR/website.lang b/htdocs/langs/ko_KR/website.lang index 02e0e43aabf9d..5a41ee81daba7 100644 --- a/htdocs/langs/ko_KR/website.lang +++ b/htdocs/langs/ko_KR/website.lang @@ -3,15 +3,17 @@ Shortname=암호 WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/lo_LA/accountancy.lang b/htdocs/langs/lo_LA/accountancy.lang index 9456f4ee3837e..8faa373a9e0df 100644 --- a/htdocs/langs/lo_LA/accountancy.lang +++ b/htdocs/langs/lo_LA/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang index caa896f5d48ff..ee775ff5cf984 100644 --- a/htdocs/langs/lo_LA/admin.lang +++ b/htdocs/langs/lo_LA/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/lo_LA/banks.lang b/htdocs/langs/lo_LA/banks.lang index 4d9990afa3ae8..5209201d38fe3 100644 --- a/htdocs/langs/lo_LA/banks.lang +++ b/htdocs/langs/lo_LA/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/lo_LA/bills.lang b/htdocs/langs/lo_LA/bills.lang index b865c00be9de6..eeafc56bf1cc4 100644 --- a/htdocs/langs/lo_LA/bills.lang +++ b/htdocs/langs/lo_LA/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/lo_LA/compta.lang b/htdocs/langs/lo_LA/compta.lang index 92f0909fe9659..615e9d2c1f886 100644 --- a/htdocs/langs/lo_LA/compta.lang +++ b/htdocs/langs/lo_LA/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/lo_LA/donations.lang b/htdocs/langs/lo_LA/donations.lang index f4578fa9fc398..5edc8d62033c5 100644 --- a/htdocs/langs/lo_LA/donations.lang +++ b/htdocs/langs/lo_LA/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/lo_LA/errors.lang b/htdocs/langs/lo_LA/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/lo_LA/errors.lang +++ b/htdocs/langs/lo_LA/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/lo_LA/install.lang b/htdocs/langs/lo_LA/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/lo_LA/install.lang +++ b/htdocs/langs/lo_LA/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/lo_LA/languages.lang b/htdocs/langs/lo_LA/languages.lang index 05288a888eb11..a062883d667f9 100644 --- a/htdocs/langs/lo_LA/languages.lang +++ b/htdocs/langs/lo_LA/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanish (Paraguay) Language_es_PE=Spanish (Peru) Language_es_PR=Spanish (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/lo_LA/main.lang b/htdocs/langs/lo_LA/main.lang index 314b468e5593e..c08e26bc2e6fe 100644 --- a/htdocs/langs/lo_LA/main.lang +++ b/htdocs/langs/lo_LA/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/lo_LA/other.lang b/htdocs/langs/lo_LA/other.lang index 02575b18d26c4..1bf6e5849f5d8 100644 --- a/htdocs/langs/lo_LA/other.lang +++ b/htdocs/langs/lo_LA/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/lo_LA/products.lang b/htdocs/langs/lo_LA/products.lang index b51d96e72869a..dfc4ce7630a1c 100644 --- a/htdocs/langs/lo_LA/products.lang +++ b/htdocs/langs/lo_LA/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/lo_LA/projects.lang b/htdocs/langs/lo_LA/projects.lang index 4fc8c0a52c4ea..196e421ffae96 100644 --- a/htdocs/langs/lo_LA/projects.lang +++ b/htdocs/langs/lo_LA/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/lo_LA/website.lang b/htdocs/langs/lo_LA/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/lo_LA/website.lang +++ b/htdocs/langs/lo_LA/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/lt_LT/accountancy.lang b/htdocs/langs/lt_LT/accountancy.lang index 85fe36d5d2155..9dc64cbc79d78 100644 --- a/htdocs/langs/lt_LT/accountancy.lang +++ b/htdocs/langs/lt_LT/accountancy.lang @@ -1,11 +1,11 @@ # Dolibarr language file - en_US - Accounting Expert -ACCOUNTING_EXPORT_SEPARATORCSV=Column separator for export file -ACCOUNTING_EXPORT_DATE=Date format for export file -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 +ACCOUNTING_EXPORT_SEPARATORCSV=Stulpelių atskyriklis eksportuojamam failui +ACCOUNTING_EXPORT_DATE=Datos formatas exportuojam failui +ACCOUNTING_EXPORT_PIECE=Exportuoti vienetų skaičių +ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Eksportuoti su pagrindinę parkyra +ACCOUNTING_EXPORT_LABEL=Eksporto etiketė +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 @@ -70,7 +70,7 @@ AccountancyAreaDescAnalyze=STEP %s: Add or edit existing transactions and genera AccountancyAreaDescClosePeriod=STEP %s: Close period so we can't make modification in a future. TheJournalCodeIsNotDefinedOnSomeBankAccount=A mandatory step in setup was not complete (accounting code journal not defined for all bank accounts) -Selectchartofaccounts=Select active chart of accounts +Selectchartofaccounts=Pasirinkite aktyvia sąskaitų planą ChangeAndLoad=Change and load Addanaccount=Pridėti apskaitos sąskaitą AccountAccounting=Apskaitos sąskaita @@ -78,7 +78,7 @@ AccountAccountingShort=Sąskaita SubledgerAccount=Subledger Account ShowAccountingAccount=Show accounting account ShowAccountingJournal=Show accounting journal -AccountAccountingSuggest=Accounting account suggested +AccountAccountingSuggest=Siūloma apskaitos sąskaita MenuDefaultAccounts=Default accounts MenuBankAccounts=Banko sąskaitos MenuVatAccounts=Vat accounts @@ -110,7 +110,7 @@ IntoAccount=Bind line with the accounting account Ventilate=Bind LineId=Id line Processing=Apdorojimas -EndProcessing=Process terminated. +EndProcessing=Apdorojimas nutrauktas SelectedLines=Pasirinktos eilutės Lineofinvoice=Sąskaitos-faktūros eilutė LineOfExpenseReport=Line of expense report @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -181,7 +181,7 @@ FeeAccountNotDefined=Account for fee not defined BankAccountNotDefined=Account for bank not defined CustomerInvoicePayment=Kliento sąskaitos-faktūros apmokėjimas ThirdPartyAccount=Trečios šalies sąskaita -NewAccountingMvt=New transaction +NewAccountingMvt=Naujas sandoris NumMvts=Numero of transaction ListeMvts=List of movements ErrorDebitCredit=Debetas ir Kreditas negali turėti reikšmę tuo pačiu metu, @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Apskaitos sąskaitų sąrašas 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,17 +245,16 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Eksporto modelis -OptionsDeactivatedForThisExportModel=Šiam eksporto modeliui opcijos išjungtos Selectmodelcsv=Pasirinkite eksporto modelį Modelcsv_normal=Klasikinis eksportas -Modelcsv_CEGID=Export towards CEGID Expert Comptabilité +Modelcsv_CEGID=Eksportas į 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang index 2f9d9825bbc97..ce263464b7e17 100644 --- a/htdocs/langs/lt_LT/admin.lang +++ b/htdocs/langs/lt_LT/admin.lang @@ -3,8 +3,8 @@ Foundation=Organizacija Version=Versija Publisher=Publisher VersionProgram=Programos versija -VersionLastInstall=Initial install version -VersionLastUpgrade=Latest version upgrade +VersionLastInstall=Pradinė įdiegimo versija +VersionLastUpgrade=Paskutinės versijos naujinimas VersionExperimental=Ekspermentinis VersionDevelopment=Plėtojimas VersionUnknown=Nežinomas @@ -539,7 +539,7 @@ Module320Desc=Pridėti RSS mechanizmą Dolibarr ekrano puslapių viduje Module330Name=Žymekliai Module330Desc=Žymeklių valdymas Module400Name=Projektai / Galimybės / Iniciatyvos -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Web kalendorius Module410Desc=Web kalendoriaus integracija Module500Name=Specialios išlaidos @@ -890,7 +890,7 @@ DictionaryStaff=Personalas DictionaryAvailability=Pristatymo vėlavimas DictionaryOrderMethods=Užsakymų metodai DictionarySource=Pasiūlymų/užsakymų kilmė -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Sąskaitų plano modeliai DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=El.pašto pranešimų šablonai @@ -904,6 +904,7 @@ SetupSaved=Nustatymai išsaugoti SetupNotSaved=Setup not saved BackToModuleList=Atgal į modulių sąrašą BackToDictionaryList=Atgal į žodynų sąrašą +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/lt_LT/banks.lang b/htdocs/langs/lt_LT/banks.lang index d995055583336..cfc001c7f9b7b 100644 --- a/htdocs/langs/lt_LT/banks.lang +++ b/htdocs/langs/lt_LT/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Skaičius LineRecord=Operacija/Sandoris AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Suderintas DateConciliating=Suderinimo data BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/lt_LT/bills.lang b/htdocs/langs/lt_LT/bills.lang index 29e85411f5c61..cab17e0629f8d 100644 --- a/htdocs/langs/lt_LT/bills.lang +++ b/htdocs/langs/lt_LT/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Pavėluoti mokėjimai BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standartinė sąskaita-faktūra InvoiceStandardAsk=Standartinė sąskaita-faktūra @@ -176,6 +178,7 @@ 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. +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=Blogas klientas diff --git a/htdocs/langs/lt_LT/compta.lang b/htdocs/langs/lt_LT/compta.lang index 82c508e0969a1..b1bc37ac085df 100644 --- a/htdocs/langs/lt_LT/compta.lang +++ b/htdocs/langs/lt_LT/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Mokėjimai nėra susiję su jokia sąskaita-faktūra, PaymentsNotLinkedToUser=Mokėjimai nėra susieti su jokiu Vartotoju Profit=Pelnas AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balansas Debit=Debetas Credit=Kreditas diff --git a/htdocs/langs/lt_LT/donations.lang b/htdocs/langs/lt_LT/donations.lang index e4c315607ef87..e23b0061f4cf7 100644 --- a/htdocs/langs/lt_LT/donations.lang +++ b/htdocs/langs/lt_LT/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/lt_LT/errors.lang b/htdocs/langs/lt_LT/errors.lang index 1697da6af7bc0..475faf1eba3da 100644 --- a/htdocs/langs/lt_LT/errors.lang +++ b/htdocs/langs/lt_LT/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Šaltinio ir paskirties sandėliai privalo skirtis diff --git a/htdocs/langs/lt_LT/install.lang b/htdocs/langs/lt_LT/install.lang index dfcbae629ff90..a0d766675933a 100644 --- a/htdocs/langs/lt_LT/install.lang +++ b/htdocs/langs/lt_LT/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Naudojate Dolibarr vedlį iš Proxmox virtualaus prieta 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 ######### # upgrade MigrationFixData=Fiksuoti pažeistus duomenis @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Perkrauti modulį %s +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. diff --git a/htdocs/langs/lt_LT/languages.lang b/htdocs/langs/lt_LT/languages.lang index d28cfcef4ace1..9bbf1f2671fe8 100644 --- a/htdocs/langs/lt_LT/languages.lang +++ b/htdocs/langs/lt_LT/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Ispanų (Paragvajus) Language_es_PE=Ispanų (Peru) Language_es_PR=Ispanų (Puerto Rikas) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estijos Language_eu_ES=Baskų diff --git a/htdocs/langs/lt_LT/mailmanspip.lang b/htdocs/langs/lt_LT/mailmanspip.lang index 2a46efcb2d7ab..5127f2e280a57 100644 --- a/htdocs/langs/lt_LT/mailmanspip.lang +++ b/htdocs/langs/lt_LT/mailmanspip.lang @@ -3,8 +3,8 @@ MailmanSpipSetup=Paštininkas SPIP ir Nustatymų modulis MailmanTitle=Paštininko pašto sistemos sąrašas TestSubscribe=Bandyti prisijungimą prie Paštininko sąrašų TestUnSubscribe=Bandyti atsijungimą iš Paštininko sąrašų -MailmanCreationSuccess=Subscription test was executed successfully -MailmanDeletionSuccess=Unsubscription test was executed successfully +MailmanCreationSuccess=Prenumeratos testas buvo sėkmingai atliktas +MailmanDeletionSuccess=Atsisakymo testas buvo sėkmingai atliktas SynchroMailManEnabled=Paštininko atnaujinimas bus atliekamas SynchroSpipEnabled=SPIP atnaujinimas bus atliekamas DescADHERENT_MAILMAN_ADMINPW=Paštininko administratoriaus slaptažodis @@ -23,5 +23,5 @@ DeleteIntoSpip=Pašalinti iš SPIP DeleteIntoSpipConfirmation=Ar tikrai norite pašalinti šį narį iš SPIP ? DeleteIntoSpipError=Nepavyko sustabdyti vartotojo iš SPIP SPIPConnectionFailed=Nepavyko prisijungti prie SPIP -SuccessToAddToMailmanList=%s successfully added to mailman list %s or SPIP database -SuccessToRemoveToMailmanList=%s successfully removed from mailman list %s or SPIP database +SuccessToAddToMailmanList=%ssėkmingai įtraukta į paštininko sąrašą %s arba SPIP duomenų bazę +SuccessToRemoveToMailmanList=%ssėkmingai pašalinta iš paštininko sąrašo %s arba SPIP duomenų bazės diff --git a/htdocs/langs/lt_LT/main.lang b/htdocs/langs/lt_LT/main.lang index e8c882e9dd62f..df98d246fa504 100644 --- a/htdocs/langs/lt_LT/main.lang +++ b/htdocs/langs/lt_LT/main.lang @@ -548,6 +548,18 @@ MonthShort09=Rgs MonthShort10=Spa MonthShort11=Lap MonthShort12=Grd +MonthVeryShort01=J +MonthVeryShort02=Pe +MonthVeryShort03=Pi +MonthVeryShort04=A +MonthVeryShort05=Pi +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Se +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Prikabinti failus ir dokumentus JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Nustatykite banko sąskaitą AccountCurrency=Account currency ViewPrivateNote=Peržiūrėti pastabas XMoreLines=%s paslėptos eilutės -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Viešas URL AddBox=Pridėti langelį SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Visi +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/lt_LT/opensurvey.lang b/htdocs/langs/lt_LT/opensurvey.lang index 19cdd7f2f639e..90fe3ff0c2045 100644 --- a/htdocs/langs/lt_LT/opensurvey.lang +++ b/htdocs/langs/lt_LT/opensurvey.lang @@ -55,6 +55,6 @@ ErrorOpenSurveyFillFirstSection=Jūs neužpildėte apklausos kūrimo pirmos sekc ErrorOpenSurveyOneChoice=Įveskite bent vieną pasirinkimą ErrorInsertingComment=Įterpiant komentarą įvyko klaida MoreChoices=Įveskite daugiau pasirinkimų balsuotojams -SurveyExpiredInfo=The poll has been closed or voting delay has expired. +SurveyExpiredInfo=Apklausa uždaryta arba baigiasi balsavimo laikas. EmailSomeoneVoted=%s užpildė eilutę.\nJūs galite rasti savo apklausą:\n%s -ShowSurvey=Show survey +ShowSurvey=Rodyti apklausą diff --git a/htdocs/langs/lt_LT/other.lang b/htdocs/langs/lt_LT/other.lang index b156c0448ef8a..b6c21a8bf3fbf 100644 --- a/htdocs/langs/lt_LT/other.lang +++ b/htdocs/langs/lt_LT/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Eksporto sritis diff --git a/htdocs/langs/lt_LT/products.lang b/htdocs/langs/lt_LT/products.lang index 7039bb9257808..22670ec6e2fa5 100644 --- a/htdocs/langs/lt_LT/products.lang +++ b/htdocs/langs/lt_LT/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Dabartinė kaina AlwaysUseNewPrice=Visada naudokite dabartinę produkto/paslaugos kainą AlwaysUseFixedPrice=Naudokite fiksuotą kainą PriceByQuantity=Different prices by quantity +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Kiekio diapazonas 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 diff --git a/htdocs/langs/lt_LT/projects.lang b/htdocs/langs/lt_LT/projects.lang index 2eee8312609d3..bb050f158e2cf 100644 --- a/htdocs/langs/lt_LT/projects.lang +++ b/htdocs/langs/lt_LT/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Laukiantis OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/lt_LT/website.lang b/htdocs/langs/lt_LT/website.lang index bd82a94e2a691..e2cd790717f5c 100644 --- a/htdocs/langs/lt_LT/website.lang +++ b/htdocs/langs/lt_LT/website.lang @@ -3,15 +3,17 @@ Shortname=Kodas WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/lv_LV/accountancy.lang b/htdocs/langs/lv_LV/accountancy.lang index 33f08bfc8a84a..1c58af4f7b72f 100644 --- a/htdocs/langs/lv_LV/accountancy.lang +++ b/htdocs/langs/lv_LV/accountancy.lang @@ -14,7 +14,7 @@ ThisService=Šis pakalpojums ThisProduct=Šis produkts DefaultForService=Default for service DefaultForProduct=Default for product -CantSuggest=Can't suggest +CantSuggest=Nevar ieteikt AccountancySetupDoneFromAccountancyMenu=Most setup of the accountancy is done from the menu %s ConfigAccountingExpert=Configuration of the module accounting expert Journalization=Journalization @@ -108,7 +108,7 @@ IntoAccount=Bind line with the accounting account Ventilate=Bind -LineId=Id line +LineId=Id līnija Processing=Apstrādā EndProcessing=Process terminated. SelectedLines=Selected lines @@ -158,7 +158,7 @@ NumPiece=Gabala numurs TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -183,7 +183,7 @@ CustomerInvoicePayment=Payment of invoice customer ThirdPartyAccount=Trešās personas konts NewAccountingMvt=Jauna transakcija NumMvts=Numero of transaction -ListeMvts=List of movements +ListeMvts=Pārvietošanas saraksts ErrorDebitCredit=Debit and Credit cannot have a value at the same time AddCompteFromBK=Add accounting accounts to the group ReportThirdParty=Trešo personu kontu saraksts @@ -191,9 +191,10 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 -Pcgtype=Group of account -Pcgsubtype=Subgroup of account +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. TotalVente=Total turnover before tax @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Eksporta modulis -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Klasiskais eksports Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id @@ -284,7 +284,7 @@ SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) ExportNotSupported=The export format setuped is not supported into this page BookeppingLineAlreayExists=Lines already existing into bookeeping -NoJournalDefined=No journal defined +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 diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang index 5bcb547d430ba..33e0557888acd 100644 --- a/htdocs/langs/lv_LV/admin.lang +++ b/htdocs/langs/lv_LV/admin.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - admin Foundation=Organizācija Version=Versija -Publisher=Publisher +Publisher=Izdevējs VersionProgram=Programmas versija VersionLastInstall=Sākotnējās instalētā versija VersionLastUpgrade=Jaunākās versijas jauninājums @@ -26,7 +26,7 @@ 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 SessionId=Sesijas ID -SessionSaveHandler=Handler, lai saglabātu sesijas +SessionSaveHandler=Pārdevējs, lai saglabātu sesijas SessionSavePath=Uzglabāšanas sesijas lokalizācija PurgeSessions=Iztīrīt sesijas ConfirmPurgeSessions=Vai jūs tiešām vēlaties iztīrītu visas sesijas? Tas atvienos katru lietotāju (izņemot sevi). @@ -190,7 +190,7 @@ EncodeBinariesInHexa=Šifrēt bināro datu heksadecimālo IgnoreDuplicateRecords=Ignorēt dubulto ierakstu kļūdas (INSERT IGNORE) AutoDetectLang=Automātiski noteikt (pārlūka valoda) FeatureDisabledInDemo=Iespēja bloķēta demo versijā -FeatureAvailableOnlyOnStable=Feature only available on official stable versions +FeatureAvailableOnlyOnStable=Funkcija ir pieejama tikai oficiālajā stabilā versijā 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. 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. @@ -201,22 +201,22 @@ 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)... NewModule=Jauns -FreeModule=Free +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 -Updated=Updated +Updated=Atjaunots Nouveauté=Novelty -AchatTelechargement=Buy / Download +AchatTelechargement=Pirkt / lejupielādēt GoModuleSetupArea=To deploy/install a new module, go onto the Module setup area at %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) WebSiteDesc=Reference websites to find more modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=Saite -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated +BoxesAvailable=Pieejami logrīki +BoxesActivated=Logrīki aktivizēti ActivateOn=Aktivizēt ActiveOn=Aktivizēts SourceFile=Avota fails @@ -241,14 +241,14 @@ OfficialDemo=Dolibarr tiešsaistes demo OfficialMarketPlace=Oficiālais tirgus vieta ārējiem moduļiem/papildinājumiem OfficialWebHostingService=Referenced web hosting services (Cloud hosting) ReferencedPreferredPartners=Preferred Partners -OtherResources=Other resources +OtherResources=Citi resursi ExternalResources=Ārējie resursi SocialNetworks=Sociālie tīkli ForDocumentationSeeWiki=Par lietotāju vai attīstītājs dokumentācijas (Doc, FAQ ...),
ieskatieties uz Dolibarr Wiki:
%s ForAnswersSeeForum=Attiecībā uz jebkuru citu jautājumu / palīdzēt, jūs varat izmantot Dolibarr forumu:
%s HelpCenterDesc1=Šī sadaļa var palīdzēt jums, lai saņemtu palīdzības dienesta atbalstu Dolibarr programmai. HelpCenterDesc2=Daži no šo pakalpojumu daļa ir pieejama tikai angļu valodā. -CurrentMenuHandler=Pašreizējais izvēlne kopējs +CurrentMenuHandler=Pašreizējais izvēlnes apstrādātājs MeasuringUnit=Mērvienības LeftMargin=Left margin TopMargin=Top margin @@ -319,7 +319,7 @@ YouCanSubmitFile=For this step, you can submit the .zip file of module package h 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=Latest activation date +LastActivationDate=Jaunākais aktivizācijas datums LastActivationAuthor=Latest activation author LastActivationIP=Latest activation IP UpdateServerOffline=Update server offline @@ -349,7 +349,7 @@ AddCRIfTooLong=Nav automātiska iesaiņošanas, tādēļ, ja līnija ir no lapas ConfirmPurge=Vai jūs tiešām vēlaties, lai izpildītu šo attīrīta?
Tas izdzēsīs noteikti visus savus datu failus ar nekādi atjaunot to (ECM failus, pievienotos failus ...). MinLength=Minimālais garums LanguageFilesCachedIntoShmopSharedMemory=Faili .lang ielādēti kopējā atmiņā -LanguageFile=Language file +LanguageFile=Valodas fails ExamplesWithCurrentSetup=Piemēri ar pašreizējiem iestatījumiem ListOfDirectories=Saraksts OpenDocument veidnes katalogi 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. @@ -408,7 +408,7 @@ ExtrafieldRadio=Radio pogas (tikai izvēlei) ExtrafieldCheckBox=Izvēles rūtiņas ExtrafieldCheckBoxFromList=Checkboxes from table ExtrafieldLink=Link to an object -ComputedFormula=Computed field +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' 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
... @@ -465,7 +465,7 @@ 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 +FilesAttachedToEmail=Pievienot failu SendEmailsReminders=Send agenda reminders by emails # Modules Module0Name=Lietotāji un grupas @@ -500,7 +500,7 @@ Module52Name=Krājumi Module52Desc=Krājumu pārvaldīšana (produkti) Module53Name=Pakalpojumi Module53Desc=Pakalpojumu vadība -Module54Name=Līgumi/Subscriptions +Module54Name=Līgumi / Abonementi Module54Desc=Management of contracts (services or reccuring subscriptions) Module55Name=Svītrkodi Module55Desc=Svītrkodu vadība @@ -513,7 +513,7 @@ Module58Desc=Integrācija ar ClickToDial sistēmas (zvaigznīte, ...) Module59Name=Bookmark4u Module59Desc=Pievienot funkciju, lai radītu Bookmark4u kontu no Dolibarr konta Module70Name=Iejaukšanās -Module70Desc=Intervences pārvaldība +Module70Desc=Intervences vadība Module75Name=Izdevumi un ceļojumu piezīmes Module75Desc=Izdevumi un ceļojumu piezīmju vadība Module80Name=Sūtījumi @@ -533,13 +533,13 @@ Module240Desc=Tool to export Dolibarr data (with assistants) Module250Name=Datu imports Module250Desc=Tool to import data in Dolibarr (with assistants) Module310Name=Dalībnieki -Module310Desc=Fonds biedri vadība +Module310Desc=Fonda biedru vadība Module320Name=RSS barotne 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 or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Vebkalendārs Module410Desc=Web kalendāra integrācija Module500Name=Special expenses @@ -548,7 +548,7 @@ Module510Name=Payment of employee wages Module510Desc=Record and follow payment of your employee wages Module520Name=Loan Module520Desc=Management of loans -Module600Name=Notifications on business events +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. Module700Name=Ziedojumi @@ -557,7 +557,7 @@ Module770Name=Expense reports Module770Desc=Management and claim expense reports (transportation, meal, ...) Module1120Name=Supplier commercial proposal Module1120Desc=Request supplier commercial proposal and prices -Module1200Name=Dievlūdzējs +Module1200Name=Mantis Module1200Desc=Mantis integrācija Module1520Name=Document Generation Module1520Desc=Mass mail document generation @@ -567,7 +567,7 @@ 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=Scheduled jobs +Module2300Name=Plānotie darbi Module2300Desc=Scheduled jobs management (alias cron or chrono table) Module2400Name=Pasākumi / darba kārtība Module2400Desc=Sekojiet notikušiem un gaidāmiem notikumiem. Ļaujiet programmai reģistrēt automātiskus notikumus izsekošanas nolūkos vai ierakstiet manuāli notikumus vai sarunas. @@ -683,7 +683,7 @@ Permission126=Eksportēt trešās puses Permission141=Read all projects and tasks (also private projects i am not contact for) Permission142=Create/modify all projects and tasks (also private projects i am not contact for) Permission144=Delete all projects and tasks (also private projects i am not contact for) -Permission146=Lasīt sniedzējiem +Permission146=Lasīt pakalpojumu sniedzējus Permission147=Lasīt statistiku Permission151=Read direct debit payment orders Permission152=Create/modify a direct debit payment orders @@ -776,7 +776,7 @@ Permission404=Dzēst atlaides Permission501=Read employee contracts/salaries Permission502=Create/modify employee contracts/salaries Permission511=Read payment of salaries -Permission512=Create/modify payment of salaries +Permission512=Izveidojiet / labojiet algu izmaksu Permission514=Dzēst algas Permission517=Eksportēt algas Permission520=Read Loans @@ -890,7 +890,7 @@ DictionaryStaff=Personāls DictionaryAvailability=Piegādes kavēšanās DictionaryOrderMethods=Pasūtījumu veidi DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=E-pastu paraugi @@ -904,6 +904,7 @@ 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 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. @@ -1046,11 +1047,11 @@ SystemInfoDesc=Sistēmas informācija ir dažādi tehniskā informācija jums ti 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 "Modify" or "Save" button at bottom of page) DisplayDesc=Jūs varat izvēlēties katru parametru, kas saistīts ar Dolibarr izskatu un justies šeit -AvailableModules=Available app/modules +AvailableModules=Pieejamās progrmma / moduļi ToActivateModule=Lai aktivizētu moduļus, dodieties uz iestatīšanas zonas (Home->Setup->Moduļi). SessionTimeOut=Sesijas pārtraukums SessionExplanation=Šis numurs garantiju, ka sesija nekad beidzas pirms šī kavēšanās, ja sesija tīrītājs tiek darīts ar Iekšējā PHP sesijas tīrāku (un nekas cits). Iekšējā PHP sesijas tīrītājs nav garantija, ka sesija beigsies tikai pēc šīs kavēšanās. Tas beigsies, pēc šī kavēšanās, un, kad sesija tīrītājs ir ilga, tāpēc ik %s / %s piekļuves, bet tikai laikā piekļūt dokumentiem, ko citās sēdēs.
Piezīme: par dažiem ar ārēju sesijas tīrīšanas mehānisma (cron zem Debian, Ubuntu ...) serveriem, sesijas var tikt iznīcināti pēc posmā, kas noteikts pēc noklusējuma session.gc_maxlifetime, vienalga kāds vērtību ieraksta šeit. -TriggersAvailable=Pieejamie slēdži +TriggersAvailable=Pieejamie aktivizētāji TriggersDesc=Palaide ir faili, kas mainīs uz Dolibarr darbplūsmas uzvedību, kad nokopēto uz direktoriju htdocs / core / izraisa. Viņi saprata, jaunas darbības, aktivizēta Dolibarr notikumiem (jauns uzņēmums radīšana, rēķinu apstiprināšanu, ...). TriggerDisabledByName=Trigeri Šajā failā ir invalīdi ar-NORUN piedēkli savu vārdu. TriggerDisabledAsModuleDisabled=Trigeri Šajā failā ir invalīdi, kā modulis %s ir atspējots. @@ -1083,7 +1084,7 @@ RestoreDesc2=Atjaunot dokumentu direktorijas arhīva failu (piemēram zip fails) RestoreDesc3=Atjaunot datus no rezerves kopijas faila, datu bāzē jaunā Dolibarr instalācijā vai datu bāzē pašreizējajai instalācijai (%s). Brīdinājums, kad atjaunošana ir pabeigta, jums ir jāizmanto lietotāja vārds / parole, kas bija tad, kad tika veikta rezerves kopija, lai pieslēgtos atkal. Lai atjaunotu rezerves kopiju datubāzei esošajā instalācijā, jūs varat sekot šim palīgam. RestoreMySQL=MySQL imports ForcedToByAModule= Šis noteikums ir spiests %s ar aktivēto modulis -PreviousDumpFiles=Generated database backup files +PreviousDumpFiles=Izveidotie datubāzes rezerves kopijas faili WeekStartOnDay=Pirmā nedēļas diena RunningUpdateProcessMayBeRequired=Running jaunināšanas procesu, šķiet, ir nepieciešams (Programmas versija %s atšķiras no bāzes versijas %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Jums ir palaist šo komandu no komandrindas pēc pieteikšanās uz apvalks ar lietotāju %s, vai jums ir pievienot-W iespēju beigās komandrindas, lai sniegtu %s paroli. @@ -1094,11 +1095,11 @@ ShowProfIdInAddress=Rādīt professionnal id ar adresēm par dokumentu ShowVATIntaInAddress=Slēpt PVN maksātāja numuru un adreses uz dokumentiem TranslationUncomplete=Daļējs tulkojums MAIN_DISABLE_METEO=Atslēgt Meteo skatu -MeteoStdMod=Standard mode +MeteoStdMod=Standarta režīms MeteoStdModEnabled=Standard mode enabled MeteoPercentageMod=Percentage mode MeteoPercentageModEnabled=Percentage mode enabled -MeteoUseMod=Click to use %s +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. ExternalAccess=Ārējā piekļuve @@ -1510,7 +1511,7 @@ TreeMenuPersonalized=Personalizētas izvēlnes NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry NewMenu=Jauna izvēlne Menu=Izvēlnes izvēlēšanās -MenuHandler=Izvēlne kopējs +MenuHandler=Izvēlnes apstrādātājs MenuModule=Avota modulis HideUnauthorizedMenu= Slēpt neatļautās izvēlnes (pelēkas) DetailId=Id izvēlne @@ -1532,7 +1533,7 @@ ConfirmDeleteMenu=Are you sure you want to delete menu entry %s? FailedToInitializeMenu=Failed to initialize menu ##### Tax ##### TaxSetup=Taxes, social or fiscal taxes and dividends module setup -OptionVatMode=Maksājamais PVN +OptionVatMode=PVN jāmaksā OptionVATDefault=Cash basis OptionVATDebitOption=Accrual basis OptionVatDefaultDesc=PVN ir jāmaksā:
- Piegādes laikā precēm (mēs izmantojam rēķina datumu)
- Par maksājumiem par pakalpojumiem @@ -1547,7 +1548,7 @@ Buy=Pirkt Sell=Pārdot InvoiceDateUsed=Rēķina izmantotais datums YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organisation), so there is no VAT options to setup. -AccountancyCode=Accounting Code +AccountancyCode=Grāmatvedības kods AccountancyCodeSell=Tirdzniecība kontu. kods AccountancyCodeBuy=Iegādes konta. kods ##### Agenda ##### @@ -1658,7 +1659,7 @@ 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. YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for EMail notifications by enabling and configuring the module "Notification". -ListOfNotificationsPerUser=List of notifications per user* +ListOfNotificationsPerUser=Paziņojumu saraksts katram lietotājam * ListOfNotificationsPerUserOrContact=List of notifications per user* or per contact** ListOfFixedNotifications=List of fixed notifications GoOntoUserCardToAddMore=Go on the tab "Notifications" of a user to add or remove notifications for users @@ -1695,7 +1696,7 @@ OpportunityPercent=When you create an opportunity, you will defined an estimated TemplateForElement=This template record is dedicated to which element TypeOfTemplate=Type of template TemplateIsVisibleByOwnerOnly=Template is visible by owner only -VisibleEverywhere=Visible everywhere +VisibleEverywhere=Redzams visur VisibleNowhere=Visible nowhere FixTZ=Laika zonas labojums FillFixTZOnlyIfRequired=Example: +2 (fill only if problem experienced) @@ -1711,11 +1712,11 @@ MailToSendSupplierRequestForQuotation=To send quotation request to supplier MailToSendSupplierOrder=To send supplier order MailToSendSupplierInvoice=To send supplier invoice MailToSendContract=To send a contract -MailToThirdparty=To send email from third party page +MailToThirdparty=Sūtīt e-pastu no trešās puses lapas MailToMember=To send email from member page MailToUser=To send email from user page ByDefaultInList=Show by default on list view -YouUseLastStableVersion=You use the latest stable version +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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/lv_LV/agenda.lang b/htdocs/langs/lv_LV/agenda.lang index 1c4d9a3ba1b54..b364c18605946 100644 --- a/htdocs/langs/lv_LV/agenda.lang +++ b/htdocs/langs/lv_LV/agenda.lang @@ -12,7 +12,7 @@ Event=Notikums Events=Notikumi EventsNb=Notikumu skaits ListOfActions=Notikumu saraksts -EventReports=Event reports +EventReports=Pasākumu atskaites Location=Atrašanās vieta ToUserOfGroup=To any user in group EventOnFullDay=Notikums visu -ām dienu -ām diff --git a/htdocs/langs/lv_LV/banks.lang b/htdocs/langs/lv_LV/banks.lang index 9f41fb3f675d7..2dad43b332df6 100644 --- a/htdocs/langs/lv_LV/banks.lang +++ b/htdocs/langs/lv_LV/banks.lang @@ -67,7 +67,7 @@ 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 IdTransaction=Darījuma ID -BankTransactions=Bank entries +BankTransactions=Bankas ieraksti BankTransaction=Bankas darījums ListTransactions=List entries ListTransactionsByCategory=List entries/category @@ -89,6 +89,7 @@ AccountIdShort=Numurs LineRecord=Darījums AddBankRecord=Pievienot ierakstu AddBankRecordLong=Pievienot ierakstu manuāli +Conciliated=Reconciled ConciliatedBy=Jāsaskaņo ar DateConciliating=Izvērtējiet datumu BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/lv_LV/bills.lang b/htdocs/langs/lv_LV/bills.lang index 2096e3aea3282..e0c93128e7471 100644 --- a/htdocs/langs/lv_LV/bills.lang +++ b/htdocs/langs/lv_LV/bills.lang @@ -11,7 +11,9 @@ BillsSuppliersUnpaidForCompany=Neapmaksātie piegādātāja -u rēķini %s BillsLate=Kavētie maksājumi BillsStatistics=Klientu rēķinu statistika BillsStatisticsSuppliers=Piegādātāju rēķinu statistika -DisabledBecauseNotErasable=Bloķēts, jo nevar izdzēst +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. +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. @@ -60,7 +62,7 @@ PaymentBack=Maksājumu atpakaļ CustomerInvoicePaymentBack=Maksājumu atpakaļ Payments=Maksājumi PaymentsBack=Maksājumi atpakaļ -paymentInInvoiceCurrency=in invoices currency +paymentInInvoiceCurrency=rēķinu valūtā PaidBack=Atmaksāts atpakaļ DeletePayment=Izdzēst maksājumu ConfirmDeletePayment=Vai tiešām vēlaties dzēst šo maksājumu? @@ -113,12 +115,12 @@ EnterPaymentDueToCustomer=Veikt maksājumu dēļ klientam DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero PriceBase=Bāzes cena BillStatus=Rēķina statuss -StatusOfGeneratedInvoices=Status of generated invoices +StatusOfGeneratedInvoices=Izveidoto rēķinu statuss BillStatusDraft=Melnraksts (jāapstiprina) BillStatusPaid=Apmaksāts BillStatusPaidBackOrConverted=Credit note refund or converted into discount BillStatusConverted=Apmaksātais (gatavas pēdējo rēķinu) -BillStatusCanceled=Pamests +BillStatusCanceled=Pamesti BillStatusValidated=Apstiprināts (jāapmaksā) BillStatusStarted=Sākts BillStatusNotPaid=Nav samaksāts @@ -129,7 +131,7 @@ BillShortStatusDraft=Melnraksts BillShortStatusPaid=Apmaksāts BillShortStatusPaidBackOrConverted=Refund or converted BillShortStatusConverted=Apmaksāts -BillShortStatusCanceled=Pamests +BillShortStatusCanceled=Pamesti BillShortStatusValidated=Pārbaudīts BillShortStatusStarted=Sākts BillShortStatusNotPaid=Nav samaksāts @@ -176,6 +178,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. 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 @@ -368,7 +371,7 @@ PaymentConditionShortPT_5050=50-50 PaymentConditionPT_5050=50%% priekšapmaksa, 50%% piegādes laikā PaymentConditionShort10D=10 dienas PaymentCondition10D=10 dienas -PaymentConditionShort10DENDMONTH=10 days of month-end +PaymentConditionShort10DENDMONTH=10 dienas mēneša beigas PaymentCondition10DENDMONTH=Within 10 days following the end of the month PaymentConditionShort14D=14 dienas PaymentCondition14D=14 dienas @@ -409,7 +412,7 @@ ExtraInfos=Papildu info RegulatedOn=Regulēta uz ChequeNumber=Pārbaudiet N ° ChequeOrTransferNumber=Pārbaudiet / Transfer N ° -ChequeBordereau=Check schedule +ChequeBordereau=Pārbaudīt grafiku ChequeMaker=Check/Transfer transmitter ChequeBank=Čeka izsniegšanas banka CheckBank=Check diff --git a/htdocs/langs/lv_LV/boxes.lang b/htdocs/langs/lv_LV/boxes.lang index 88351fefa9da3..77f8ce739b5bb 100644 --- a/htdocs/langs/lv_LV/boxes.lang +++ b/htdocs/langs/lv_LV/boxes.lang @@ -1,11 +1,11 @@ # Dolibarr language file - Source file is en_US - boxes -BoxLoginInformation=Login information +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 -BoxLastCustomerBills=Latest customer invoices +BoxLastCustomerBills=Pēdējie klientu rēķini BoxOldestUnpaidCustomerBills=Oldest unpaid customer invoices BoxOldestUnpaidSupplierBills=Oldest unpaid supplier invoices BoxLastProposals=Latest commercial proposals @@ -82,5 +82,5 @@ ForCustomersInvoices=Klientu rēķini ForCustomersOrders=Klientu pasūtījumi ForProposals=Priekšlikumi LastXMonthRolling=The latest %s month rolling -ChooseBoxToAdd=Add widget to your dashboard -BoxAdded=Widget was added in your dashboard +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/categories.lang b/htdocs/langs/lv_LV/categories.lang index fbdd625951936..20d6b736367bb 100644 --- a/htdocs/langs/lv_LV/categories.lang +++ b/htdocs/langs/lv_LV/categories.lang @@ -44,7 +44,7 @@ NotCategorized=Without tag/category CategoryExistsAtSameLevel=Šī sadaļa jau pastāv ar šo ref ContentsVisibleByAllShort=Saturs redzams visiem ContentsNotVisibleByAllShort=Saturu visi neredz -DeleteCategory=Delete tag/category +DeleteCategory=Dzēst atzīmi / sadaļu ConfirmDeleteCategory=Are you sure you want to delete this tag/category? NoCategoriesDefined=No tag/category defined SuppliersCategoryShort=Suppliers tag/category diff --git a/htdocs/langs/lv_LV/companies.lang b/htdocs/langs/lv_LV/companies.lang index c7cd0be41fe3e..c2a9d8ef8f6ae 100644 --- a/htdocs/langs/lv_LV/companies.lang +++ b/htdocs/langs/lv_LV/companies.lang @@ -29,7 +29,7 @@ AliasNameShort=Alias name Companies=Uzņēmumi CountryIsInEEC=Valsts ir Eiropas Ekonomikas kopienas dalībvalsts ThirdPartyName=Trešās puses nosaukums -ThirdPartyEmail=Third party email +ThirdPartyEmail=Trešās puses e-pasts ThirdParty=Trešā puse ThirdParties=Trešās personas ThirdPartyProspects=Perspektīvas diff --git a/htdocs/langs/lv_LV/compta.lang b/htdocs/langs/lv_LV/compta.lang index 83a9e448d7243..4e433c294bee2 100644 --- a/htdocs/langs/lv_LV/compta.lang +++ b/htdocs/langs/lv_LV/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Maksājumi, kas nav saistīti ar kādu rēķinu, tāp PaymentsNotLinkedToUser=Maksājumi, kas nav saistīti ar jebkuru lietotāju Profit=Peļņa AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Bilance Debit=Debets Credit=Kredīts @@ -31,9 +32,9 @@ Piece=Accounting Doc. AmountHTVATRealReceived=Neto iekasēto AmountHTVATRealPaid=Neto samaksāts VATToPay=PVN pārdod -VATReceived=Tax received +VATReceived=Saņemti nodokļi VATToCollect=Tax purchases -VATSummary=Tax Balance +VATSummary=Nodokļu bilance VATPaid=Samaksātie nodokļi LT1Summary=Tax 2 summary LT2Summary=Tax 3 summary @@ -73,7 +74,7 @@ MenuTaxAndDividends=Nodokļi un dividendes MenuSocialContributions=Social/fiscal taxes MenuNewSocialContribution=New social/fiscal tax NewSocialContribution=New social/fiscal tax -AddSocialContribution=Add social/fiscal tax +AddSocialContribution=Pievienot sociālo / fiskālo nodokli ContributionsToPay=Social/fiscal taxes to pay AccountancyTreasuryArea=Grāmatvedība / kase laukums NewPayment=Jauns maksājums @@ -101,14 +102,14 @@ LT2PaymentES=IRPF Maksājumu LT2PaymentsES=IRPF Maksājumi VATPayment=Sales tax payment VATPayments=Sales tax payments -VATRefund=Sales tax refund +VATRefund=PVN atmaksa 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 -CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=Supplier accounting code +CustomerAccountancyCode=Klienta grāmatvedības kods +SupplierAccountancyCode=Piegādātāja grāmatvedības kods CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Konta numurs diff --git a/htdocs/langs/lv_LV/dict.lang b/htdocs/langs/lv_LV/dict.lang index d0234ca7e9b83..0112a62171f53 100644 --- a/htdocs/langs/lv_LV/dict.lang +++ b/htdocs/langs/lv_LV/dict.lang @@ -240,7 +240,7 @@ CountryEH=Rietumsahāra CountryYE=Jemena CountryZM=Zambija CountryZW=Zimbabve -CountryGG=Guernsey +CountryGG=Gērnsija CountryIM=Menas sala CountryJE=Džērsija CountryME=Melnkalne diff --git a/htdocs/langs/lv_LV/donations.lang b/htdocs/langs/lv_LV/donations.lang index 47543915e195d..39a74a2b3566f 100644 --- a/htdocs/langs/lv_LV/donations.lang +++ b/htdocs/langs/lv_LV/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/lv_LV/ecm.lang b/htdocs/langs/lv_LV/ecm.lang index 1afa189661669..0865a0becfbd4 100644 --- a/htdocs/langs/lv_LV/ecm.lang +++ b/htdocs/langs/lv_LV/ecm.lang @@ -47,4 +47,4 @@ 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 +NoDirectoriesFound=Nav atrastas direktorijas diff --git a/htdocs/langs/lv_LV/errors.lang b/htdocs/langs/lv_LV/errors.lang index 708ee9150ef84..6f378752f3b97 100644 --- a/htdocs/langs/lv_LV/errors.lang +++ b/htdocs/langs/lv_LV/errors.lang @@ -104,7 +104,7 @@ ErrorForbidden2=Atļaujas šajā lapā var definēt Dolibarr administrators no i ErrorForbidden3=Šķiet, ka Dolibarr netiek izmantota, izmantojot autentiskums sesiju. Ieskatieties Dolibarr uzstādīšanas dokumentācijas zināt, kā pārvaldīt apstiprinājumi (Htaccess, mod_auth vai citu ...). ErrorNoImagickReadimage=Klases Imagick nav atrodams šajā PHP. Priekšskatījums nav, var būt pieejamas. Administratori var atspējot šo uzlīmi no izvēlnes Setup - displejs. ErrorRecordAlreadyExists=Ieraksts jau eksistē -ErrorLabelAlreadyExists=This label already exists +ErrorLabelAlreadyExists=Šis nosaukums jau pastāv ErrorCantReadFile=Neizdevās nolasīt failu '%s' ErrorCantReadDir=Neizdevās nolasīt katalogu '%s' ErrorBadLoginPassword=Nepareiza vērtība lietotājvārdam vai parolei @@ -156,6 +156,7 @@ 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 ErrorPriceExpressionInternal=Iekšēja kļūda '%s' ErrorPriceExpressionUnknown=Nezināma kļūda '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs @@ -194,7 +195,7 @@ 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. -ErrorNoWarehouseDefined=Error, no warehouses defined. +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) diff --git a/htdocs/langs/lv_LV/exports.lang b/htdocs/langs/lv_LV/exports.lang index d10838ac5ae48..fd40a128e1c62 100644 --- a/htdocs/langs/lv_LV/exports.lang +++ b/htdocs/langs/lv_LV/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=Aprēķinātais lauks ## filters SelectFilterFields=Ja jūs vēlaties filtrēt dažas vērtības, vienkārši ievadi vērtības šeit. FilteredFields=Filtrētie lauki diff --git a/htdocs/langs/lv_LV/install.lang b/htdocs/langs/lv_LV/install.lang index e672c5719f495..5842085657765 100644 --- a/htdocs/langs/lv_LV/install.lang +++ b/htdocs/langs/lv_LV/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Jūs izmantojat Dolibarr iestatīšanas vedni no Proxmo 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 ######### # upgrade MigrationFixData=Noteikt, denormalized datiem @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reload module %s +MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm 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. diff --git a/htdocs/langs/lv_LV/languages.lang b/htdocs/langs/lv_LV/languages.lang index 747c27fff9860..92a06d4465ae5 100644 --- a/htdocs/langs/lv_LV/languages.lang +++ b/htdocs/langs/lv_LV/languages.lang @@ -35,6 +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_VE=Spāņu (Venecuēla) Language_et_EE=Igauņu Language_eu_ES=Basku diff --git a/htdocs/langs/lv_LV/loan.lang b/htdocs/langs/lv_LV/loan.lang index 56e07af099c84..652665b682d7a 100644 --- a/htdocs/langs/lv_LV/loan.lang +++ b/htdocs/langs/lv_LV/loan.lang @@ -22,7 +22,7 @@ LoanCalc=Bank Loans Calculator PurchaseFinanceInfo=Purchase & Financing Information SalePriceOfAsset=Sale Price of Asset PercentageDown=Percentage Down -LengthOfMortgage=Duration of loan +LengthOfMortgage=Aizdevuma ilgums AnnualInterestRate=Annual Interest Rate ExplainCalculations=Explain Calculations ShowMeCalculationsAndAmortization=Show me the calculations and amortization @@ -42,7 +42,7 @@ MonthlyPayment=Monthly Payment LoanCalcDesc=This mortgage calculator can be used to figure out monthly payments of a loaning, based on the amount borrowed, the term of the loan desired and the interest rate.
This calculator includes also PMI (Private Mortgage Insurance) for loans where less than 20%% is put as a down payment. Also taken into consideration are the town property taxes, and their effect on the total monthly mortgage payment.
GoToInterest=%s will go towards INTEREST GoToPrincipal=%s will go towards PRINCIPAL -YouWillSpend=You will spend %s in year %s +YouWillSpend=Jūs iztērēsiet %s gadā %s ListLoanAssociatedProject=List of loan associated with the project AddLoan=Create loan # Admin diff --git a/htdocs/langs/lv_LV/mails.lang b/htdocs/langs/lv_LV/mails.lang index 3eb97867ec044..256a4f5b60b40 100644 --- a/htdocs/langs/lv_LV/mails.lang +++ b/htdocs/langs/lv_LV/mails.lang @@ -83,9 +83,9 @@ MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters MailingModuleDescContactsByCompanyCategory=Contacts by third party category MailingModuleDescContactsByCategory=Contacts by categories MailingModuleDescContactsByFunction=Contacts by position -MailingModuleDescEmailsFromFile=Emails from file +MailingModuleDescEmailsFromFile=E-pasti no faila MailingModuleDescEmailsFromUser=Emails input by user -MailingModuleDescDolibarrUsers=Users with Emails +MailingModuleDescDolibarrUsers=Lietotāji ar e-pastu MailingModuleDescThirdPartiesByCategories=Third parties (by categories) # Libelle des modules de liste de destinataires mailing @@ -150,7 +150,7 @@ RemoveAll=Dzēst visu ItemsCount=Vienība(-s) AdvTgtNameTemplate=Filtra nosaukums AdvTgtAddContact=Add emails according to criterias -AdvTgtLoadFilter=Load filter +AdvTgtLoadFilter=Ielādēt filtru AdvTgtDeleteFilter=Dzēst filtru AdvTgtSaveFilter=Saglabāt filtru AdvTgtCreateFilter=Izveidot filtru diff --git a/htdocs/langs/lv_LV/main.lang b/htdocs/langs/lv_LV/main.lang index 396bdfe11428e..6bd4976798b50 100644 --- a/htdocs/langs/lv_LV/main.lang +++ b/htdocs/langs/lv_LV/main.lang @@ -76,7 +76,7 @@ FileRenamed=The file was successfully renamed FileGenerated=The file was successfully generated FileSaved=The file was successfully saved FileUploaded=The file was successfully uploaded -FileTransferComplete=File(s) was uploaded successfully +FileTransferComplete=Fails(i) tika augšupielādēts veiksmīgi FilesDeleted=File(s) successfully deleted 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 @@ -125,7 +125,7 @@ Home=Mājās Help=Palīdzība OnlineHelp=Tiešsaistes palīdzība PageWiki=Wiki lapa -MediaBrowser=Media browser +MediaBrowser=Multivides pārlūks Always=Vienmēr Never=Nekad Under=saskaņā ar @@ -160,7 +160,7 @@ Edit=Rediģēt Validate=Pārbaudīt ValidateAndApprove=Validate and Approve ToValidate=Jāpārbauda -NotValidated=Not validated +NotValidated=Nav apstiprināts Save=Saglabāt SaveAs=Saglabāt kā TestConnection=Savienojuma pārbaude @@ -201,7 +201,7 @@ Parameter=Parametrs Parameters=Parametri Value=Vērtība PersonalValue=Personīgā vērtība -NewObject=New %s +NewObject=Jauns %s NewValue=Jaunā vērtība CurrentValue=Pašreizējā vērtība Code=Kods @@ -263,9 +263,9 @@ DateBuild=Ziņojuma veidošanas datums DatePayment=Maksājuma datums DateApprove=Approving date DateApprove2=Approving date (second approval) -RegistrationDate=Registration date -UserCreation=Creation user -UserModification=Modification user +RegistrationDate=Reģistrācijas datums +UserCreation=Izveidošanas lietotājs +UserModification=Labošanas lietotājs UserValidation=Validation user UserCreationShort=Izveidot lietotāju UserModificationShort=Labot lietotāju @@ -323,7 +323,7 @@ Copy=Kopēt Paste=Ielīmēt Default=Noklusējums DefaultValue=Noklusējuma vērtība -DefaultValues=Default values +DefaultValues=Noklusējuma vērtības Price=Cena UnitPrice=Vienības cena UnitPriceHT=Vienības cena (neto) @@ -374,7 +374,7 @@ TotalLT1IN=Total CGST TotalLT2IN=Total SGST HT=Bez PVN TTC=Ar PVN -INCVATONLY=Inc. VAT +INCVATONLY=ar PVN INCT=Inc. all taxes VAT=PVN VATIN=IGST @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Okt MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=P +MonthVeryShort03=P +MonthVeryShort04=A +MonthVeryShort05=P +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Sv +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Pievienotie faili un dokumenti JoinMainDoc=Join main document DateFormatYYYYMM=MM.YYYY @@ -602,7 +614,7 @@ Undo=Atcelt Redo=Atcelt ExpandAll=Izvērst visu UndoExpandAll=Paplašināt -SeeAll=See all +SeeAll=Apskatīt visu Reason=Iemesls FeatureNotYetSupported=Funkcija netiek atbalstīta CloseWindow=Aizvērt logu @@ -683,7 +695,7 @@ FreeLineOfType=Not a predefined entry of type CloneMainAttributes=Klonēt objektu ar tā galvenajiem atribūtiem PDFMerge=Apvienot PDF Merge=Apvienot -DocumentModelStandardPDF=Standard PDF template +DocumentModelStandardPDF=Standarta PDF veidne PrintContentArea=Rādīt lapu drukāt galveno satura jomā MenuManager=Izvēlnes iestatīšana WarningYouAreInMaintenanceMode=Uzmanību, jūs esat uzturēšanas režīmā, t.i. tikai pieteikšanās %s ir atļauts lietot programmu. @@ -762,7 +774,7 @@ SetBankAccount=Definēt bankas kontu AccountCurrency=Account currency ViewPrivateNote=Apskatīt piezīmes XMoreLines=%s līnija(as) slēptas -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Publiskā saite AddBox=Pievienot info logu SelectElementAndClick=Select an element and click %s @@ -781,7 +793,7 @@ Genderwoman=Sieviete ViewList=List view Mandatory=Mandatory Hello=Hello -GoodBye=GoodBye +GoodBye=Uz redzēšanos Sincerely=Sincerely DeleteLine=Delete line ConfirmDeleteLine=Vai Jūs tiešām vēlaties izdzēst šo līniju? @@ -791,12 +803,12 @@ 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=Vai tiešām vēlaties dzēst izvēlēto ierakstu %s? RelatedObjects=Saistītie objekti ClassifyBilled=Klasificēt apmaksāts Progress=Progress ClickHere=Noklikšķiniet šeit -FrontOffice=Front office +FrontOffice=birojs BackOffice=Back office View=Izskats Export=Eksportēt @@ -808,12 +820,12 @@ Miscellaneous=Dažādi Calendar=Kalendārs GroupBy=Kārtot pēc... ViewFlatList=View flat list -RemoveString=Remove string '%s' +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/. DirectDownloadLink=Tiešā lejupielādes saite (publiska / ārēja) DirectDownloadInternalLink=Direct download link (need to be logged and need permissions) Download=Lejupielādēt -DownloadDocument=Download document +DownloadDocument=Lejupielādēt dokumentu ActualizeCurrency=Atjaunināt valūtas kursu Fiscalyear=Fiskālais gads ModuleBuilder=Module Builder @@ -821,13 +833,13 @@ SetMultiCurrencyCode=Iestatīt valūtu BulkActions=Bulk actions ClickToShowHelp=Click to show tooltip help WebSite=Mājas lapa -WebSites=Web sites -WebSiteAccounts=Web site accounts +WebSites=Tīmekļa vietnes +WebSiteAccounts=Vietnes konti ExpenseReport=Expense report ExpenseReports=Izdevumu atskaites HR=HR HRAndBank=HR and Bank -AutomaticallyCalculated=Automatically calculated +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 @@ -895,8 +907,10 @@ SearchIntoCustomerShipments=Klientu sūtījumi SearchIntoExpenseReports=Izdevumu atskaites SearchIntoLeaves=Leaves CommentLink=Komentāri -NbComments=Number of comments +NbComments=Komentāru skaits CommentPage=Comments space -CommentAdded=Comment added -CommentDeleted=Comment deleted +CommentAdded=Komentārs pievienots +CommentDeleted=Komentārs dzēsts Everybody=Visi +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/lv_LV/modulebuilder.lang b/htdocs/langs/lv_LV/modulebuilder.lang index 1af681324ac88..8fbcf227df74f 100644 --- a/htdocs/langs/lv_LV/modulebuilder.lang +++ b/htdocs/langs/lv_LV/modulebuilder.lang @@ -6,7 +6,7 @@ ModuleBuilderDesc2=Path where modules are generated/edited (first alternative di 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=New object +NewObject=Jauns objekts ModuleKey=Module key ObjectKey=Object key ModuleInitialized=Modulis inicializēts @@ -49,17 +49,17 @@ ConfirmDeleteProperty=Are you sure you want to delete the property %s 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) -TableDoesNotExists=The table %s does not exists -TableDropped=Table %s deleted +TableDoesNotExists=Tabula %s nepastāv +TableDropped=Tabula %s dzēsta diff --git a/htdocs/langs/lv_LV/multicurrency.lang b/htdocs/langs/lv_LV/multicurrency.lang index 7c6c9edb3edaf..563a180c76237 100644 --- a/htdocs/langs/lv_LV/multicurrency.lang +++ b/htdocs/langs/lv_LV/multicurrency.lang @@ -10,7 +10,7 @@ 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 multicurrency_appId=API atslēga multicurrency_appCurrencySource=Valūtas avots -multicurrency_alternateCurrencySource=Alternate currency source +multicurrency_alternateCurrencySource=Alternatīvs valūtas avots CurrenciesUsed=Izmantotās valūtas CurrenciesUsed_help_to_add=Add the differents currencies and rates you need to use on you proposals, orders, etc. rate=likme diff --git a/htdocs/langs/lv_LV/oauth.lang b/htdocs/langs/lv_LV/oauth.lang index cafca379f6f1d..b67aac6cba1f2 100644 --- a/htdocs/langs/lv_LV/oauth.lang +++ b/htdocs/langs/lv_LV/oauth.lang @@ -14,7 +14,7 @@ DeleteAccess=Click here to delete token UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when creating your credential on your OAuth provider: ListOfSupportedOauthProviders=Enter here credential provided by your OAuth2 provider. Only supported OAuth2 providers are visible here. This setup may be used by other modules that need OAuth2 authentication. OAuthSetupForLogin=Page to generate an OAuth token -SeePreviousTab=See previous tab +SeePreviousTab=Skatīt iepriekšējo cilni OAuthIDSecret=OAuth ID and Secret TOKEN_REFRESH=Token Refresh Present TOKEN_EXPIRED=Token expired diff --git a/htdocs/langs/lv_LV/orders.lang b/htdocs/langs/lv_LV/orders.lang index f944bf574cdcf..ae19bc254eaf1 100644 --- a/htdocs/langs/lv_LV/orders.lang +++ b/htdocs/langs/lv_LV/orders.lang @@ -20,7 +20,7 @@ CustomerOrder=Klienta rīkojums CustomersOrders=Klienta pasūtījumi CustomersOrdersRunning=Current customer orders CustomersOrdersAndOrdersLines=Customer orders and order lines -OrdersDeliveredToBill=Customer orders delivered to bill +OrdersDeliveredToBill=Klienta pasūtījumi piegādāti rēķinam OrdersToBill=Customer orders delivered OrdersInProcess=Klientu pasūtījumi apstrādē OrdersToProcess=Klientu pasūtījumi, kas jāapstrādā diff --git a/htdocs/langs/lv_LV/other.lang b/htdocs/langs/lv_LV/other.lang index f00d75ff2c5e2..5625fe22c78ea 100644 --- a/htdocs/langs/lv_LV/other.lang +++ b/htdocs/langs/lv_LV/other.lang @@ -24,7 +24,7 @@ MessageOK=Ziņu kopā ar apstiprinātu maksājuma atgriešanās lapā MessageKO=Ziņa par atcelto maksājumu atgriešanās lapā YearOfInvoice=Rēķina datums -PreviousYearOfInvoice=Previous year of invoice date +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) @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Diagramma PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Eksportēšanas sadaļa diff --git a/htdocs/langs/lv_LV/products.lang b/htdocs/langs/lv_LV/products.lang index a95e1a122c9f7..7152dbd616fcc 100644 --- a/htdocs/langs/lv_LV/products.lang +++ b/htdocs/langs/lv_LV/products.lang @@ -65,8 +65,8 @@ 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. -SoldAmount=Sold amount -PurchasedAmount=Purchased amount +SoldAmount=Pārdošanas apjoms +PurchasedAmount=Iegādātā summa NewPrice=Jaunā cena MinPrice=Min. pārdošanas cena 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. @@ -99,14 +99,14 @@ AssociatedProductsAbility=Activate the feature to manage virtual products AssociatedProducts=Virtuāls produkts AssociatedProductsNumber=Produktu skaits kas veido šo virtuālo produktu ParentProductsNumber=Number of parent packaging product -ParentProducts=Parent products +ParentProducts=Mātes produkti IfZeroItIsNotAVirtualProduct=Ja 0, šis produkts ir ne virtuālā produkts IfZeroItIsNotUsedByVirtualProduct=Ja 0, šis produkts netiek izmantots ar jebkuru virtuālo produkta KeywordFilter=Atslēgvārda filtru CategoryFilter=Sadaļu filtrs ProductToAddSearch=Meklēt produktu, lai pievienotu NoMatchFound=Nekas netika atrasts -ListOfProductsServices=List of products/services +ListOfProductsServices=Produktu / pakalpojumu saraksts ProductAssociationList=List of products/services that are component of this virtual product/package ProductParentList=Saraksts virtuālo produktu / pakalpojumu ar šo produktu kā sastāvdaļu ErrorAssociationIsFatherOfThis=Viens no izvēlētā produkta mātes ar pašreizējo produktu @@ -196,6 +196,7 @@ 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 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 @@ -203,7 +204,7 @@ 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 +VariantLabelExample=Piemērs: Krāsa ### composition fabrication Build=Ražot ProductsMultiPrice=Products and prices for each price segment @@ -263,7 +264,7 @@ 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"}} UpdateInterval=Atjaunošanās intervāls (minūtes) -LastUpdated=Latest update +LastUpdated=Pēdējo reizi atjaunots CorrectlyUpdated=Correctly updated PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is PropalMergePdfProductChooseFile=Izvēlieties PDF failus @@ -299,15 +300,15 @@ ProductAttributeDeleteDialog=Are you sure you want to delete this attribute? All 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 +ProductCombinations=Varianti PropagateVariant=Propagate variants HideProductCombinations=Hide products variant in the products selector ProductCombination=Variants -NewProductCombination=New variant -EditProductCombination=Editing variant -NewProductCombinations=New variants -EditProductCombinations=Editing variants -SelectCombination=Select combination +NewProductCombination=Jauns variants +EditProductCombination=Rediģēšanas variants +NewProductCombinations=Jauni varianti +EditProductCombinations=Rediģēšanas varianti +SelectCombination=Izvēlieties kombināciju ProductCombinationGenerator=Variants generator Features=Iespējas PriceImpact=Price impact @@ -321,8 +322,8 @@ 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 -NbOfDifferentValues=Nb of different values -NbProducts=Nb. of products +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? diff --git a/htdocs/langs/lv_LV/projects.lang b/htdocs/langs/lv_LV/projects.lang index 7a0402e321e36..8ca77ad154ea6 100644 --- a/htdocs/langs/lv_LV/projects.lang +++ b/htdocs/langs/lv_LV/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/lv_LV/sendings.lang b/htdocs/langs/lv_LV/sendings.lang index cd8da5f98a564..d8fb165b1c20e 100644 --- a/htdocs/langs/lv_LV/sendings.lang +++ b/htdocs/langs/lv_LV/sendings.lang @@ -22,7 +22,7 @@ QtyShippedShort=Qty ship. QtyPreparedOrShipped=Sagatavotais vai nosūtītais daudzums QtyToShip=Daudzums, kas jānosūta QtyReceived=Saņemtais daudzums -QtyInOtherShipments=Qty in other shipments +QtyInOtherShipments=Daudz. citi sūtījumi KeepToShip=Vēl jāpiegādā KeepToShipShort=Remain OtherSendingsForSameOrder=Citas sūtījumiem uz šo rīkojumu diff --git a/htdocs/langs/lv_LV/stocks.lang b/htdocs/langs/lv_LV/stocks.lang index 838e317500734..724129c24069a 100644 --- a/htdocs/langs/lv_LV/stocks.lang +++ b/htdocs/langs/lv_LV/stocks.lang @@ -16,13 +16,13 @@ DeleteSending=Dzēst nosūtot Stock=Krājums Stocks=Krājumi StocksByLotSerial=Stocks by lot/serial -LotSerial=Lots/Serials -LotSerialList=List of lot/serials +LotSerial=Daudz / sērijas nr +LotSerialList=Partijas saraksts / sērijas nr Movements=Kustības ErrorWarehouseRefRequired=Noliktava nosaukums ir obligāts ListOfWarehouses=Saraksts noliktavās ListOfStockMovements=Krājumu pārvietošanas saraksts -MovementId=Movement ID +MovementId=Pārvietošanas ID StockMovementForId=Movement ID %d ListMouvementStockProject=List of stock movements associated to project StocksArea=Noliktavas platība @@ -134,7 +134,7 @@ MovementLabel=Label of movement DateMovement=Date of movement InventoryCode=Movement or inventory code IsInPackage=Contained into package -WarehouseAllowNegativeTransfer=Stock can be negative +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. ShowWarehouse=Rādīt noliktavu MovementCorrectStock=Stock correction for product %s @@ -142,7 +142,7 @@ MovementTransferStock=Stock transfer of product %s into another warehouse 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=Open for all actions +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 diff --git a/htdocs/langs/lv_LV/supplier_proposal.lang b/htdocs/langs/lv_LV/supplier_proposal.lang index 41a730589faef..31aecb739f7b8 100644 --- a/htdocs/langs/lv_LV/supplier_proposal.lang +++ b/htdocs/langs/lv_LV/supplier_proposal.lang @@ -7,7 +7,7 @@ CommRequests=Cenas pieprasījumi SearchRequest=Atrast pieprasījumu DraftRequests=Pieprasījuma melnraksts SupplierProposalsDraft=Draft supplier proposals -LastModifiedRequests=Latest %s modified price requests +LastModifiedRequests=Pēdējie %s labotie cenu pieprasījumi RequestsOpened=Atvērt cenas pieprasījumu SupplierProposalArea=Supplier proposals area SupplierProposalShort=Supplier proposal diff --git a/htdocs/langs/lv_LV/trips.lang b/htdocs/langs/lv_LV/trips.lang index e48e082f2a4c2..37b2bf294748c 100644 --- a/htdocs/langs/lv_LV/trips.lang +++ b/htdocs/langs/lv_LV/trips.lang @@ -54,19 +54,19 @@ EX_FUE=Fuel CV EX_HOT=Viesnīca EX_PAR=Parking CV EX_TOL=Toll CV -EX_TAX=Various Taxes +EX_TAX=Dažādi nodokļi EX_IND=Indemnity transportation subscription EX_SUM=Maintenance supply EX_SUO=Office supplies -EX_CAR=Car rental -EX_DOC=Documentation +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_BRE=Breakfast +EX_BRE=Brokastis EX_FUE_VP=Fuel PV EX_TOL_VP=Toll PV EX_PAR_VP=Parking PV @@ -100,7 +100,7 @@ ValidatedWaitingApproval=Validated (waiting for approval) 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 -ConfirmValideTrip=Are you sure you want to approve this expense report? +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? @@ -122,7 +122,7 @@ expenseReportOffset=Kompensācija expenseReportCoef=Coefficient expenseReportTotalForFive=Example with d = 5 expenseReportRangeFromTo=from %d to %d -expenseReportRangeMoreThan=more than %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 @@ -137,7 +137,7 @@ ExpenseReportRestrictive=Restrictive AllExpenseReport=All type of expense report OnExpense=Expense line ExpenseReportRuleSave=Expense report rule saved -ExpenseReportRuleErrorOnSave=Error: %s +ExpenseReportRuleErrorOnSave=Kļūda: %s RangeNum=Range %d ExpenseReportConstraintViolationError=Constraint violation id [%s]: %s is superior to %s %s diff --git a/htdocs/langs/lv_LV/website.lang b/htdocs/langs/lv_LV/website.lang index 9568737816038..9485987fc0339 100644 --- a/htdocs/langs/lv_LV/website.lang +++ b/htdocs/langs/lv_LV/website.lang @@ -3,57 +3,64 @@ 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_PAGENAME=Lapas nosaukums / pseidonīms -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Web site .htaccess file +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. -MediaFiles=Media library +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. +MediaFiles=Mediju bibliotēka EditCss=Edit Style/CSS or HTML header EditMenu=Labot izvēlni -EditMedias=Edit medias +EditMedias=Rediģēt medijus EditPageMeta=Edit Meta -AddWebsite=Add website +AddWebsite=Pievienot vietni Webpage=Web page/container AddPage=Pievienot lapu / konteineru -HomePage=Home Page +HomePage=Mājas lapa PageContainer=Page/container 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 -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page +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 direct web server access, and not only using Dolibarr server. PreviewSiteServedByWebServer=Preview %s in a new tab.

The %s will be served by an external web server (like Apache, Nginx, IIS). You must install and setup this server before to point to directory:
%s
URL served by external server:
%s PreviewSiteServedByDolibarr=Preview %s in a new tab.

The %s will be served by Dolibarr server so it does not need any extra web server (like Apache, Nginx, IIS) to be installed.
The inconvenient is that URL of pages are not user friendly and start with path of your Dolibarr.
URL served by Dolibarr:
%s

To use your own external web server to serve this web site, create a virtual host on your web server that point on directory
%s
then enter the name of this virtual server and click on the other preview button. VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet +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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 -CloneSite=Clone site -SiteAdded=Web site added +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 -WebsiteId=Website 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 -IDOfPage=Id of page -WebsiteAccount=Web site account -WebsiteAccounts=Web site accounts +IDOfPage=Lapas ID +Banner=Bandeau +BlogPost=Blog post +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 diff --git a/htdocs/langs/lv_LV/withdrawals.lang b/htdocs/langs/lv_LV/withdrawals.lang index 53b1dd6ef9b85..45776cfb89162 100644 --- a/htdocs/langs/lv_LV/withdrawals.lang +++ b/htdocs/langs/lv_LV/withdrawals.lang @@ -76,7 +76,7 @@ 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 StatisticsByLineStatus=Statistics by status of lines -RUM=UMR +RUM=RUM RUMLong=Unique Mandate Reference RUMWillBeGenerated=UMR number will be generated once bank account information are saved WithdrawMode=Direct debit mode (FRST or RECUR) @@ -97,7 +97,7 @@ ModeRECUR=Atkārtotais maksājums ModeFRST=One-off payment PleaseCheckOne=Lūdzu izvēlaties tikai vienu DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +AmountRequested=Pieprasītais daudzums ### Notifications InfoCreditSubject=Payment of direct debit payment order %s by the bank diff --git a/htdocs/langs/lv_LV/workflow.lang b/htdocs/langs/lv_LV/workflow.lang index b313eadc4a326..a419d4729e6e3 100644 --- a/htdocs/langs/lv_LV/workflow.lang +++ b/htdocs/langs/lv_LV/workflow.lang @@ -16,5 +16,5 @@ descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classify linked source customer ord # Autoclassify supplier order descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source supplier proposal(s) to billed when supplier 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 supplier order(s) to billed when supplier invoice is validated (and if amount of the invoice is same than total amount of linked orders) -AutomaticCreation=Automatic creation +AutomaticCreation=Automātiska veidošana AutomaticClassification=Automātiskā klasifikācija diff --git a/htdocs/langs/mk_MK/accountancy.lang b/htdocs/langs/mk_MK/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/mk_MK/accountancy.lang +++ b/htdocs/langs/mk_MK/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/mk_MK/admin.lang b/htdocs/langs/mk_MK/admin.lang index 8e1cb04867bff..d020a9a085e02 100644 --- a/htdocs/langs/mk_MK/admin.lang +++ b/htdocs/langs/mk_MK/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/mk_MK/banks.lang b/htdocs/langs/mk_MK/banks.lang index 40b76f8c64c2e..be8f75d172b54 100644 --- a/htdocs/langs/mk_MK/banks.lang +++ b/htdocs/langs/mk_MK/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/mk_MK/bills.lang b/htdocs/langs/mk_MK/bills.lang index b865c00be9de6..eeafc56bf1cc4 100644 --- a/htdocs/langs/mk_MK/bills.lang +++ b/htdocs/langs/mk_MK/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/mk_MK/compta.lang b/htdocs/langs/mk_MK/compta.lang index 4082b9fa9b7f9..df4942cf23473 100644 --- a/htdocs/langs/mk_MK/compta.lang +++ b/htdocs/langs/mk_MK/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/mk_MK/donations.lang b/htdocs/langs/mk_MK/donations.lang index f4578fa9fc398..5edc8d62033c5 100644 --- a/htdocs/langs/mk_MK/donations.lang +++ b/htdocs/langs/mk_MK/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/mk_MK/errors.lang b/htdocs/langs/mk_MK/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/mk_MK/errors.lang +++ b/htdocs/langs/mk_MK/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/mk_MK/install.lang b/htdocs/langs/mk_MK/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/mk_MK/install.lang +++ b/htdocs/langs/mk_MK/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/mk_MK/languages.lang b/htdocs/langs/mk_MK/languages.lang index 2af36a216992f..df6945fb5eb30 100644 --- a/htdocs/langs/mk_MK/languages.lang +++ b/htdocs/langs/mk_MK/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Шпански (Парагвај) Language_es_PE=Шпански (Перу) Language_es_PR=Шпански (Порто Рико) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Естонскиот Language_eu_ES=Баскиската diff --git a/htdocs/langs/mk_MK/main.lang b/htdocs/langs/mk_MK/main.lang index 6053f1aa64643..fb35714c63bd4 100644 --- a/htdocs/langs/mk_MK/main.lang +++ b/htdocs/langs/mk_MK/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/mk_MK/other.lang b/htdocs/langs/mk_MK/other.lang index 0d9d1cfbd85fe..1a5314a24d9c0 100644 --- a/htdocs/langs/mk_MK/other.lang +++ b/htdocs/langs/mk_MK/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/mk_MK/products.lang b/htdocs/langs/mk_MK/products.lang index 43c74c9b87706..53835bd7f0676 100644 --- a/htdocs/langs/mk_MK/products.lang +++ b/htdocs/langs/mk_MK/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/mk_MK/projects.lang b/htdocs/langs/mk_MK/projects.lang index f33a950acff08..c69302deecb7d 100644 --- a/htdocs/langs/mk_MK/projects.lang +++ b/htdocs/langs/mk_MK/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/mk_MK/website.lang b/htdocs/langs/mk_MK/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/mk_MK/website.lang +++ b/htdocs/langs/mk_MK/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/mn_MN/accountancy.lang b/htdocs/langs/mn_MN/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/mn_MN/accountancy.lang +++ b/htdocs/langs/mn_MN/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/mn_MN/admin.lang b/htdocs/langs/mn_MN/admin.lang index 4f3d25c4eb170..9dce46ab295b8 100644 --- a/htdocs/langs/mn_MN/admin.lang +++ b/htdocs/langs/mn_MN/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/mn_MN/banks.lang b/htdocs/langs/mn_MN/banks.lang index 40b76f8c64c2e..be8f75d172b54 100644 --- a/htdocs/langs/mn_MN/banks.lang +++ b/htdocs/langs/mn_MN/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/mn_MN/bills.lang b/htdocs/langs/mn_MN/bills.lang index b865c00be9de6..eeafc56bf1cc4 100644 --- a/htdocs/langs/mn_MN/bills.lang +++ b/htdocs/langs/mn_MN/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/mn_MN/compta.lang b/htdocs/langs/mn_MN/compta.lang index 4082b9fa9b7f9..df4942cf23473 100644 --- a/htdocs/langs/mn_MN/compta.lang +++ b/htdocs/langs/mn_MN/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/mn_MN/donations.lang b/htdocs/langs/mn_MN/donations.lang index f4578fa9fc398..5edc8d62033c5 100644 --- a/htdocs/langs/mn_MN/donations.lang +++ b/htdocs/langs/mn_MN/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/mn_MN/errors.lang b/htdocs/langs/mn_MN/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/mn_MN/errors.lang +++ b/htdocs/langs/mn_MN/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/mn_MN/install.lang b/htdocs/langs/mn_MN/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/mn_MN/install.lang +++ b/htdocs/langs/mn_MN/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/mn_MN/languages.lang b/htdocs/langs/mn_MN/languages.lang index 05288a888eb11..a062883d667f9 100644 --- a/htdocs/langs/mn_MN/languages.lang +++ b/htdocs/langs/mn_MN/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanish (Paraguay) Language_es_PE=Spanish (Peru) Language_es_PR=Spanish (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/mn_MN/main.lang b/htdocs/langs/mn_MN/main.lang index 1bf46c1240235..be3c8169bda9e 100644 --- a/htdocs/langs/mn_MN/main.lang +++ b/htdocs/langs/mn_MN/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/mn_MN/other.lang b/htdocs/langs/mn_MN/other.lang index 0d9d1cfbd85fe..1a5314a24d9c0 100644 --- a/htdocs/langs/mn_MN/other.lang +++ b/htdocs/langs/mn_MN/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/mn_MN/products.lang b/htdocs/langs/mn_MN/products.lang index 43c74c9b87706..53835bd7f0676 100644 --- a/htdocs/langs/mn_MN/products.lang +++ b/htdocs/langs/mn_MN/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/mn_MN/projects.lang b/htdocs/langs/mn_MN/projects.lang index f33a950acff08..c69302deecb7d 100644 --- a/htdocs/langs/mn_MN/projects.lang +++ b/htdocs/langs/mn_MN/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/mn_MN/website.lang b/htdocs/langs/mn_MN/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/mn_MN/website.lang +++ b/htdocs/langs/mn_MN/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/nb_NO/accountancy.lang b/htdocs/langs/nb_NO/accountancy.lang index 5e36e288036e7..c182b0d84efa1 100644 --- a/htdocs/langs/nb_NO/accountancy.lang +++ b/htdocs/langs/nb_NO/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Del nummer TransactionNumShort=Transaksjonsnummer AccountingCategory=Personlige grupper GroupByAccountAccounting=Grupper etter regnskapskonto -AccountingAccountGroupsDesc=Her kan du definere noen grupper av regnskapskontoer. Den blir brukt i rapporten %s for å vise inntekt/utgift med data gruppert i henhold til disse gruppene. +AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. ByAccounts=Etter kontoer ByPredefinedAccountGroups=Etter forhåndsdefinerte grupper ByPersonalizedAccountGroups=Etter personlige grupper @@ -191,6 +191,7 @@ DescThirdPartyReport=Liste over kunder og leverandører og deres regnskapskontoe ListAccounts=Liste over regnskapskontoer UnknownAccountForThirdparty=Ukjent tredjepartskonto. Vi vil bruke %s UnknownAccountForThirdpartyBlocking=Ukjent tredjepartskonto. Blokkeringsfeil +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third party account and waiting account not defined. Blocking error Pcgtype=Kontogruppe Pcgsubtype=Konto-undergruppe @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Denne journalen er allerede i bruk ## Export ExportDraftJournal=Eksporter utkastjournal Modelcsv=Eksportmodell -OptionsDeactivatedForThisExportModel=For denne eksportmodellen er opsjoner deaktivert Selectmodelcsv=Velg eksportmodell Modelcsv_normal=Klassisk eksport Modelcsv_CEGID=Eksport til CEGID Expert Comptabilité @@ -254,7 +254,7 @@ Modelcsv_ciel=Eksport til Sage Ciel Compta eller Compta Evolution Modelcsv_quadratus=Eksport til Quadratus QuadraCompta Modelcsv_ebp=Eksporter mot EBP Modelcsv_cogilog=Eksport mot Cogilog -Modelcsv_agiris=Eksport mot Agiris (Test) +Modelcsv_agiris=Export mot Agiris Modelcsv_configurable=Eksport konfigurerbar ChartofaccountsId=Kontoplan ID diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang index a67fb49fe863e..0b2953f739a60 100644 --- a/htdocs/langs/nb_NO/admin.lang +++ b/htdocs/langs/nb_NO/admin.lang @@ -131,7 +131,7 @@ HoursOnThisPageAreOnServerTZ=Advarsel, i motsetning til andre skjermer, er timer Box=Widget Boxes=Widgeter MaxNbOfLinesForBoxes=Maks. antall linjer for widgeter -AllWidgetsWereEnabled=All available widgets are enabled +AllWidgetsWereEnabled=Alle tilgjengelige widgeter er aktivert PositionByDefault=Gjeldende rekkefølge Position=Posisjon MenusDesc=Menyeditor for å velge innhold i den horisontale og vertikale menyen. @@ -539,7 +539,7 @@ Module320Desc=Legg til RSS nyhetsstrøm på Dolibarrsider Module330Name=Bookmerker Module330Desc=Bokmerkebehandling Module400Name=Prosjekter/Muligheter -Module400Desc=Behandling av prosjekter og muligheter. Du kan deretter tildele elementer (faktura, ordre, tilbud, intervensjon, ...) til et prosjekt og få en bedre prosjekt-visning. +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=Spesielle utgifter @@ -890,7 +890,7 @@ DictionaryStaff=Stab DictionaryAvailability=Leveringsforsinkelse DictionaryOrderMethods=Ordremetoder DictionarySource=Tilbud/ordre-opprinnelse -DictionaryAccountancyCategory=Personlige grupper +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Diagram-modeller for kontoer DictionaryAccountancyJournal=Regnskapsjournaler DictionaryEMailTemplates=E-postmaler @@ -904,6 +904,7 @@ SetupSaved=Innstillinger lagret SetupNotSaved=Oppsettet er ikke lagret BackToModuleList=Tilbake til moduloversikt BackToDictionaryList=Tilbake til ordliste +TypeOfRevenueStamp=Type inntektsstempel 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. @@ -1408,7 +1409,7 @@ CompressionOfResources=Undertrykkelse av HTTP-respons CompressionOfResourcesDesc=For eksempel ved bruk av Apache-direktivet "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=En slik automatisk deteksjon er ikke mulig med nåværende nettlesere DefaultValuesDesc=Her kan du definere/tvinge standardverdien du vil ha når du oppretter en ny post, og/eller standardfiltre eller sorteringsrekkefølge når du lister poster. -DefaultCreateForm=Default values (on forms to create) +DefaultCreateForm=Standardverdier (ved opprettelse av skjema) DefaultSearchFilters=Standard søkefiltre DefaultSortOrder=Standard sorteringsorden DefaultFocus=Standard fokusfelt @@ -1765,3 +1766,4 @@ ResourceSetup=Oppsett av Ressursmodulen UseSearchToSelectResource=Bruk et søkeskjema for å velge en ressurs (i stedet for en nedtrekksliste). DisabledResourceLinkUser=Deaktivert ressurslink til bruker DisabledResourceLinkContact=Deaktivert ressurslink til kontakt +ConfirmUnactivation=Bekreft nullstilling av modul diff --git a/htdocs/langs/nb_NO/banks.lang b/htdocs/langs/nb_NO/banks.lang index 3a775219323f1..c57518f8e1cb9 100644 --- a/htdocs/langs/nb_NO/banks.lang +++ b/htdocs/langs/nb_NO/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Nummer LineRecord=Transaksjon AddBankRecord=Legg til oppføringer AddBankRecordLong=Legg til oppføring manuelt +Conciliated=Slått sammen ConciliatedBy=Avstemt av DateConciliating=Avstemt den BankLineConciliated=Oppføring avstemt diff --git a/htdocs/langs/nb_NO/bills.lang b/htdocs/langs/nb_NO/bills.lang index e2dd13e04e49e..4056c55e8110b 100644 --- a/htdocs/langs/nb_NO/bills.lang +++ b/htdocs/langs/nb_NO/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Ubetalte leverandørfakturaer for %s BillsLate=Forfalte betalinger BillsStatistics=Kunde fakturastatistikker BillsStatisticsSuppliers=Leverandør fakturastatistikker +DisabledBecauseDispatchedInBookkeeping=Deaktivert fordi fakturaen ble sendt inn til bokføring +DisabledBecauseNotLastInvoice=Deaktivert fordi fakturaen ikke kan slettes. Noen fakturaer ble registrert etter denne, og det vil skape hull i telleren. DisabledBecauseNotErasable=Deaktivert fordi den ikke kan slettes InvoiceStandard=Standardfaktura InvoiceStandardAsk=Standardfaktura @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Hvorfor vil du klassifisere denne fakturaen til "forla ConfirmClassifyPaidPartially=Er du sikker på at du vil endre fakturaen %s til status "betalt"? ConfirmClassifyPaidPartiallyQuestion=Denne fakturaen er ikke fullt ut betalt. Hvorfor lukker du denne fakturaen? ConfirmClassifyPaidPartiallyReasonAvoir=Restbeløpet (%s %s) er rabatt innrømmet fordi betalingen ble gjort før forfall. Jeg ønsker å rette opp MVA med en kreditnota. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Restbeløpet (%s %s) er rabatt innrømmet fordi betalingen ble gjort før forfall. Jeg aksepterer å miste MVA på denne rabatten. ConfirmClassifyPaidPartiallyReasonDiscountVat=Restebløpet (%s %s) er rabatt innrømmet fordi betalingen ble gjort før forfall. Jeg skriver av MVA på denne rabatten uten kreditnota. ConfirmClassifyPaidPartiallyReasonBadCustomer=Dårlig kunde diff --git a/htdocs/langs/nb_NO/compta.lang b/htdocs/langs/nb_NO/compta.lang index f0b3d972cb1c7..793eb11d0c315 100644 --- a/htdocs/langs/nb_NO/compta.lang +++ b/htdocs/langs/nb_NO/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Betalinger ikke knyttet til noen faktura, er heller i PaymentsNotLinkedToUser=Betalinger ikke knyttet til noen bruker Profit=Profit AccountingResult=Regnskapsresultat +BalanceBefore=Balance (before) Balance=Balanse Debit=Debet Credit=Kreditt diff --git a/htdocs/langs/nb_NO/donations.lang b/htdocs/langs/nb_NO/donations.lang index 630fe8c3bbc9e..6ca535f13f1c0 100644 --- a/htdocs/langs/nb_NO/donations.lang +++ b/htdocs/langs/nb_NO/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Vis artikkel 200 fra CGI hvis du er bekymret DONATION_ART238=Vis artikkel 238 fra CGI hvis du er bekymret DONATION_ART885=Vis artikkel 885 fra CGI hvis du er bekymret DonationPayment=Donasjonsbetaling +DonationValidated=Donation %s validated diff --git a/htdocs/langs/nb_NO/errors.lang b/htdocs/langs/nb_NO/errors.lang index 49d58fc470b01..b12795e3aea92 100644 --- a/htdocs/langs/nb_NO/errors.lang +++ b/htdocs/langs/nb_NO/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Tomt uttrykk ErrorPriceExpression21=Tomt resultat '%s' ErrorPriceExpression22=Negativt resultat '%s' ErrorPriceExpression23=Ukjent eller ikke-satt variabel '%s' i %s +ErrorPriceExpression24=Variabel '%s' eksisterer men har ingen verdi ErrorPriceExpressionInternal=Intern feil '%s' ErrorPriceExpressionUnknown=Ukjent feil '%s' ErrorSrcAndTargetWarehouseMustDiffers=Kilde- og mållager må være ulik @@ -205,7 +206,7 @@ ErrorChooseBetweenFreeEntryOrPredefinedProduct=Du må velge om artikkelen er et ErrorDiscountLargerThanRemainToPaySplitItBefore=Rabatten du prøver å legge til er større enn restbeløp. Del rabatten i 2 mindre rabatter. ErrorFileNotFoundWithSharedLink=Filen ble ikke funnet. Kanskje delingsnøkkelen ble endret eller filen ble fjernet nylig. ErrorProductBarCodeAlreadyExists=Vare-strekkoden %s finnes allerede i en annen produktreferanse. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Vær også oppmerksom på at bruk av virtuelle varer som har automatisk økning/reduksjon av undervarer, ikke er mulig når minst en undervare (eller undervare av undervarer) trenger et serienummer/lotnummer. # Warnings WarningPasswordSetWithNoAccount=Et passord ble satt for dette medlemmet, men ingen brukerkonto ble opprettet. Det fører til at passordet ikke kan benyttes for å logge inn på Dolibarr. Det kan brukes av en ekstern modul/grensesnitt, men hvis du ikke trenger å definere noen innlogging eller passord for et medlem, kan du deaktivere alternativet "opprett en pålogging for hvert medlem" fra medlemsmodul-oppsettet. Hvis du trenger å administrere en pålogging, men ikke trenger noe passord, kan du holde dette feltet tomt for å unngå denne advarselen. Merk: E-post kan også brukes som en pålogging dersom medlemmet er knyttet til en bruker. diff --git a/htdocs/langs/nb_NO/install.lang b/htdocs/langs/nb_NO/install.lang index c1fb67064a2dd..6cbe5ee91603c 100644 --- a/htdocs/langs/nb_NO/install.lang +++ b/htdocs/langs/nb_NO/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Du bruker Dolibarrs konfigureringsveiviser fra en Proxm UpgradeExternalModule=Kjør dedikert oppgradering av eksterne moduler SetAtLeastOneOptionAsUrlParameter=Angi minst ett alternativ som et parameter i URL. For eksempel: '... repair.php?standard=confirmed' NothingToDelete=Ingenting å rengjøre/slette +NothingToDo=Ingenting å gjøre ######### # upgrade MigrationFixData=Reparasjon av ødelagte data @@ -196,6 +197,7 @@ MigrationEventsContact=Overføring av hendelser for å legge til hendelseskontak MigrationRemiseEntity=Oppdater verdien i enhetsfeltet llx_societe_remise MigrationRemiseExceptEntity=Oppdater verdien i enhetsfeltet llx_societe_remise_except MigrationReloadModule=Last inn modulen %s på nytt +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. diff --git a/htdocs/langs/nb_NO/languages.lang b/htdocs/langs/nb_NO/languages.lang index 6c6c8eaef13d1..e7c2900def524 100644 --- a/htdocs/langs/nb_NO/languages.lang +++ b/htdocs/langs/nb_NO/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spansk (Panama) Language_es_PY=Spansk (Paraguay) Language_es_PE=Spansk (Peru) Language_es_PR=Spansk (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spansk (Venezuela) Language_et_EE=Estonsk Language_eu_ES=Baskisk diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang index 7dfd9c693dfe3..3017a36357c76 100644 --- a/htdocs/langs/nb_NO/main.lang +++ b/htdocs/langs/nb_NO/main.lang @@ -548,6 +548,18 @@ MonthShort09=sep MonthShort10=okt MonthShort11=nov MonthShort12=des +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Vedlagte filer og dokumenter JoinMainDoc=Koble hoveddokument DateFormatYYYYMM=ÅÅÅÅ-MM @@ -762,7 +774,7 @@ SetBankAccount=Definer Bankkonto AccountCurrency=Konto valuta ViewPrivateNote=Vis notater XMoreLines=%s linje(r) skjult -ShowMoreLines=Vis flere linjer +ShowMoreLines=Vis flere/færre linjer PublicUrl=Offentlig URL AddBox=Legg til boks SelectElementAndClick=Velg et element og klikk %s @@ -900,3 +912,5 @@ CommentPage=Kommentarfelt CommentAdded=Kommentar lagt til CommentDeleted=Kommentar slettet Everybody=Alle +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/nb_NO/other.lang b/htdocs/langs/nb_NO/other.lang index fe5a1a6119db7..d9e7d9e307841 100644 --- a/htdocs/langs/nb_NO/other.lang +++ b/htdocs/langs/nb_NO/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Hvis beløpet er høyere enn%s SourcesRepository=Oppbevaring av kilder Chart=Diagram PassEncoding=Passordkoding +PermissionsAdd=Tillatelser lagt til +PermissionsDelete=Tillatelser fjernet ##### Export ##### ExportsArea=Eksportområde diff --git a/htdocs/langs/nb_NO/products.lang b/htdocs/langs/nb_NO/products.lang index af5b5ca2c6cbf..7b060827c4279 100644 --- a/htdocs/langs/nb_NO/products.lang +++ b/htdocs/langs/nb_NO/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Gjeldende pris AlwaysUseNewPrice=Bruk alltid gjeldende pris på vare/tjeneste AlwaysUseFixedPrice=Bruk den faste prisen PriceByQuantity=Prisen varierer med mengde +DisablePriceByQty=Deaktiver mengderabatt PriceByQuantityRange=Kvantumssatser MultipriceRules=Prissegment-regler UseMultipriceRules=Bruk prissegment-regler (definert i oppsettet i Varemodulen) for automatisk å kalkulere prisene til alle andre segmenter i forhold til første segment diff --git a/htdocs/langs/nb_NO/projects.lang b/htdocs/langs/nb_NO/projects.lang index 47d7be767a2dc..c32ab359d5ddb 100644 --- a/htdocs/langs/nb_NO/projects.lang +++ b/htdocs/langs/nb_NO/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Venter OppStatusWON=Vunnet OppStatusLOST=Tapt Budget=Budsjett +AllowToLinkFromOtherCompany=Tillat å koble prosjekt fra annet firma

Støttede verdier:
- Hold tom: Kan lenke eventuelle prosjekt fra selskapet (standard)
- "alle": Kan lenke eventuelle prosjekter, selv prosjekt fra andre selskaper
- En liste over tredjeparts ID, separert med kommaer: Kan lenke alle definerte prosjekter fra disse tredjepartene (Eksempel: 123,4795,53)
LatestProjects=Siste %s prosjekter LatestModifiedProjects=Siste %s endrede prosjekter OtherFilteredTasks=Andre filtrerte oppgaver +NoAssignedTasks=Ingen tildelte oppgaver (tilordne deg prosjekt/oppgaver fra toppvalgsruten for å legge inn tid på det) # Comments trans AllowCommentOnTask=Tillat brukerkommentarer på oppgaver AllowCommentOnProject=Tillat brukerkommentarer på prosjekter + diff --git a/htdocs/langs/nb_NO/website.lang b/htdocs/langs/nb_NO/website.lang index 340abdcf18062..6da640dd3224c 100644 --- a/htdocs/langs/nb_NO/website.lang +++ b/htdocs/langs/nb_NO/website.lang @@ -3,15 +3,17 @@ Shortname=Kode WebsiteSetupDesc=Sett inn antall ulike websider du ønsker. Deretter kan du redigere dem under menyen Websider DeleteWebsite=Slett wedside ConfirmDeleteWebsite=Er du sikker på at du vil slette denne websiden? Alle sider og innhold vil bli slettet. +WEBSITE_TYPE_CONTAINER=Type side/container WEBSITE_PAGENAME=Sidenavn/alias -WEBSITE_HTML_HEADER=HTML-header(felles for alle sider) -HtmlHeaderPage=HTML-spesifikk header for side WEBSITE_CSS_URL=URL til ekstern CSS-fil WEBSITE_CSS_INLINE=CSS-filinnhold (vanlig for alle sider) WEBSITE_JS_INLINE=Javascript-filinnhold (felles for alle sider) +WEBSITE_HTML_HEADER=Tillegg nederst på HTML-header(felles for alle sider) WEBSITE_ROBOT=Robotfil (robots.txt) WEBSITE_HTACCESS=Webområde. Htaccess-fil +HtmlHeaderPage=HTML-header (kun for denne siden) PageNameAliasHelp=Navn eller alias på siden.
Dette aliaset brukes også til å lage en SEO-URL når nettsiden blir kjørt fra en virtuell vert til en webserver (som Apacke, Nginx, ...). Bruk knappen "%s" for å redigere dette aliaset. +EditTheWebSiteForACommonHeader=Merk: Hvis du vil definere en personlig topptekst for alle sider, redigerer du overskriften på nettstedsnivå i stedet for på siden/containeren. MediaFiles=Mediabibliotek EditCss=Rediger stil/CSS eller HTML-header EditMenu=Rediger meny @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL til ekstern webserver ikke definert NoPageYet=Ingen sider ennå SyntaxHelp=Hjelp med spesifikke syntakstips YouCanEditHtmlSourceckeditor=Du kan redigere HTML kildekode ved hjelp av "Kilde" -knappen i redigeringsprogrammet. -YouCanEditHtmlSource=
Du kan inkludere PHP-kode i denne kilden ved hjelp av tagger <?php?. Følgende globale variabler er tilgjengelige: $conf, $langs, $db, $mysoc, $user, $website.

Du kan også inkludere innhold fra en annen side/beholder med følgende syntaks:
<?php dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php');?

For å inkludere en lenke for å laste ned en fil som er lagret i dokument katalog, brukdocument.php wrapper:
Eksempel, for en fil i dokumenter/ecm (må logges), er syntaks:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext"
For en fil delt med en delkobling (åpen tilgang ved hjelp av delings hash-nøkkelen til filen), er syntaksen:
<a href="/document.php?hashp=publicsharekeyoffile"
For en fil i dokumenter/medias (åpen mappe for offentlig tilgang), er syntaksen:
<a href="/document.php? Modulepart=media&file=[relative_dir/]filnavn.ext"

For å ta med etbilde som er lagret i dokumenter -katalogen, brukviewimage.php wrapper:
Eksempel, for et bilde i dokumenter/medias (åpen tilgang), er syntaks:
<a href="/viewimage.php? modulepart=medias&file=[relative_dir/] filnavn.ext"
+YouCanEditHtmlSource=
Du kan inkludere PHP-kode i denne kilden ved hjelp av tagger <?php ?> . Følgende globale variabler er tilgjengelige: $conf, $langs, $db, $mysoc, $user, $website.

Du kan også inkludere innhold av en annen side/container med følgende syntaks:
<?php includeContainer('alias_of_container_to_include'); ?>

For å inkludere en lenke for å laste ned en fil som er lagret i dokument katalog, bruk document.php wrapper:
Eksempel, for en fil i documents/ecm (må logges), er syntaks:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
For en fil i documents/medias (åpen mappe for offentlig tilgang) er syntaksen:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
For en fil delt med en delkobling (åpen tilgang ved hjelp av delings-hashnøkkelen til filen), er syntaks:
<a href="/document.php?hashp=publicsharekeyoffile">

For å inkludere et bilde som er lagret i dokument -katalogen, bruk viewimage.php wrapper:
Eksempel, for et bilde i documents/medias (åpen tilgang), er syntaks:
<a href="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
ClonePage=Klon side/container CloneSite=Klon side SiteAdded=Nettsted lagt til @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Eller opprett en tom side fra grunnen av... FetchAndCreate=Hent og opprett ExportSite=Eksporter nettside IDOfPage=Side-ID +Banner=Banner +BlogPost=Blogg post WebsiteAccount=Nettstedskonto WebsiteAccounts=Nettstedskontoer AddWebsiteAccount=Opprett nettsidekonto BackToListOfThirdParty=Tilbake til listen over tredjeparter +DisableSiteFirst=Deaktiver nettsted først +MyContainerTitle=Mitt nettsteds tittel +AnotherContainer=En annen container diff --git a/htdocs/langs/nl_BE/accountancy.lang b/htdocs/langs/nl_BE/accountancy.lang index 7a77a57e75794..871020df87f41 100644 --- a/htdocs/langs/nl_BE/accountancy.lang +++ b/htdocs/langs/nl_BE/accountancy.lang @@ -29,6 +29,5 @@ TotalVente=Totaal omzet voor belastingen AccountingJournalType2=Verkoop AccountingJournalType3=Inkoop Modelcsv=Model van een export -OptionsDeactivatedForThisExportModel=Voor dit export model zijn de opties gedeactiveerd. Selectmodelcsv=Selecteer een model van export Modelcsv_CEGID=Exporteer naar CEGID Expert Comptabilité diff --git a/htdocs/langs/nl_BE/admin.lang b/htdocs/langs/nl_BE/admin.lang index 836bda26845ee..30b69a1f7c4d1 100644 --- a/htdocs/langs/nl_BE/admin.lang +++ b/htdocs/langs/nl_BE/admin.lang @@ -1,22 +1,36 @@ # Dolibarr language file - Source file is en_US - admin VersionLastInstall=Versie van eerste installatie ConfirmPurgeSessions=Ben je zeker dat je alle sessies wil wissen? De connectie van elke gebruiker zal worden verbroken (uitgezonderd jezelf). +DBStoringCharset=Databasekarakterset voor het opslaan van gegevens +DBSortingCharset=Databasekarakterset voor het sorteren van gegevens +UserSetup=Gebruikersbeheerinstellingen NotConfigured=Module/Applicatie is niet geconfigureerd +CurrentSessionTimeOut=Huidige sessietimeout MaxNbOfLinesForBoxes=Max aantal lijnen voor widgets +PositionByDefault=Standaardvolgorde MenusDesc=Menubeheerders stellen de inhoud van de 2 menubalken in (horizontaal en verticaal) MenusEditorDesc=De menu editor laat je toe om aangepaste menu-invoer te definiëren. Wees voorzichtig bij het gebruik van deze functionaliteit, om instabiele en permanent onvindbare menus te voorkomen.
Sommige modules voegen menu-meldingen toe (in menu Alles meestal). Indien u per ongeluk sommige van deze meldingen zou verwijderen, dan kan u deze herstellen door de module eerst uit te schakelen en opnieuw in te schakelen. +SystemToolsArea=Systeemwerksetoverzicht PurgeAreaDesc=De pagina laat je toe om alle gegenereerde of opgeslagen bestanden door Dolibarr te verwijderen (tijdelijke of alle bestanden  in %s folder). Het gebruik van deze functie is niet nodig. Het is een tool die het mogelijk maakt voor gebruikers, waarvan de website gehost wordt door derden en die geen toestemming geven om gegenereerde bestanden te verwijderen op hun webserver, om via een andere weg het toch mogelijk te maken om deze bestanden te verwijderen. PurgeDeleteLogFile=Verwijder logbestanden, inclusief %s  gedefinieerd voor Syslog module (geen risico om gegevens te verliezen) PurgeDeleteTemporaryFiles=Verwijder alle tijdelijke bestanden (geen risico op verlies van gegevens) PurgeNothingToDelete=Geen map of bestanden om te verwijderen. +PurgeAuditEvents=Verwijder alle gebeurtenisen ConfirmPurgeAuditEvents=Ben je zeker dat je alle veiligheidsgebeurtenissen wil verwijderen? Alle veiligheidslogboeken zullen worden verwijderd, en geen andere bestanden worden verwijderd -IgnoreDuplicateRecords=Negeer fouten van dubbele tabelregels (INSERT negeren) +NoBackupFileAvailable=Geen backupbestanden beschikbaar. +ToBuildBackupFileClickHere=Om een backupbestand te maken, klik hier. +ImportMySqlDesc=Voor de invoer van een backupbestand, voert u het mysql-commando vanaf de opdrachtregel uit: +CommandsToDisableForeignKeysForImportWarning=Verplicht als je je sql neerslag later wil gebruiken +ExportStructure=Struktuur +NameColumn=Kollomennaam BoxesDesc=Widgets ( grafisch object of element) zijn componenten om specifieke informatie toe te voegen om bepaalde pagina's te personaliseren. Je hebt de keuze om al dan niet de widget te laten zien door de doelpagina te selecteren en te klikken op 'Activeren', of te klikken op het vuilbakje om het uit te schakelen. ModulesMarketPlaceDesc=Je kan meer modules vinden door te zoeken op andere externe websites, waar je ze kan downloaden ModulesMarketPlaces=Zoek externe app / modules +DoliStoreDesc=DoliStore, de officiële markt voor externe Dolibarr ERP / CRM modules WebSiteDesc=Linken naar websites om naar extra modules te zoeken  BoxesActivated=Geactiveerde widgets ProtectAndEncryptPdfFilesDesc=Een beveiligd PDF document kan gelezen en afgedrukt worden met elke PDF browser of lezer. Echter, bewerken en kopiëren van gegevens in een beveiligd document is niet meer mogelijk. Door het gebruik van deze functionaliteit, is het niet mogelijk om een globaal samengevoegd PDF document te maken van meerdere beveiligde PDF documenten. +MeasuringUnit=Maateenheid EMailsSetup=Email instellingen SubmitTranslation=Indien de vertaling voor deze taal niet compleet is of fouten bevat in de vertaling, dan kan u die verbeteren door de bestanden in de folder langs/%s aan te passen en uw aanpassingen in te dienen bij www.transifex.com/dolibarr-association/dolibarr/ of via op het forum van Dolibarr : www.dolibarr.org SubmitTranslationENUS=Als de vertaling voor deze taal niet volledig is of een fout bevat, dan kunt u dit corrigeren door het bewuste taalbestand in de map Langs/%s te wijzigen en de wijzigingen op het Dolibarr forum te delen met anderen: www.dolibarr.org. diff --git a/htdocs/langs/nl_BE/install.lang b/htdocs/langs/nl_BE/install.lang index 88a29bb1687a6..ec636adcb1b55 100644 --- a/htdocs/langs/nl_BE/install.lang +++ b/htdocs/langs/nl_BE/install.lang @@ -1,7 +1,27 @@ # Dolibarr language file - Source file is en_US - install +MiscellaneousChecks=Vereisten controle +PHPSupportPOSTGETOk=Deze PHP installatie ondersteund POST en GET. +PHPSupportPOSTGETKo=Mogelijk ondersteund uw PHP installatie geen POST en / of GET variabelen. Controleer deze instelling variables_order in php.ini. +PHPSupportGD=Deze PHP installatie ondersteund GD grafische functies. +PHPSupportUTF8=Deze PHP installatie ondersteund UTF8 functies. +Recheck=Klik hier voor een significantere test +ErrorPHPDoesNotSupportSessions=Uw PHP installatie ondersteund geen sessies. Dit is vereist voor een goede werking van Dolibarr. Controleer uw PHP instellingen. +ErrorPHPDoesNotSupportGD=Uw PHP installatie ondersteund geen grafische functies. Grafieken zullen niet beschikbaar zijn. +ErrorPHPDoesNotSupportUTF8=Uw PHP installatie ondersteund geen UTF8 functies. Dolibarr kan daardoor niet goed werken. Los dit op voordat u verder gaat met de installatie van Dolibarr. +ErrorFailedToConnectToDatabase=Er kon niet verbonden worden met de database '%s'. +ErrorDatabaseVersionTooLow=Databankversie (%s) te oud. Versie %s of hoger is vereist. +ErrorConnectedButDatabaseNotFound=De verbinding met de server kon succesvol worden opgezet, maar de database '%s' is niet gevonden. +PasswordAgain=Geef uw wachtwoord opnieuw +CreateOtherKeysForTable=Creëer foreign keys en indexes voor de tabel %s +SystemIsInstalled=De installatie is voltooid +GoToDolibarr=Ga naar Dolibarr +GoToSetupArea=Ga naar Dolibarr (instellingsomgeving) +GoToUpgradePage=Ga opnieuw naar de upgrade pagina +WithNoSlashAtTheEnd=Zonder toevoeging van de slash "/" LastStepDesc=Laatste stap: Definieer hier de login en het wachtwoord die u wilt gebruiken om verbinding te maken software. Niet los dit als het is de rekening voor alle anderen te beheren. ShowEditTechnicalParameters=Klik hier om verder gevorderde parameters te zien of aan te passen. (expert instellingen) ErrorDatabaseVersionForbiddenForMigration=Uw database versie is %s en heeft een kritieke bug die gegevensverlies veroorzaakt als je structuur verandering uitvoert op uw database, welke gedaan worden door het migratieproces. Voor deze reden, zal de migratie niet worden toegestaan ​​totdat u uw database upgrade naar een hogere versie (lijst van gekende versies met bug: %s). +MigrationUpdateFailed=Upgrade mislukt MigrationDeliveryAddress=Werk de afleveringsadressen voor verzending bij MigrationCategorieAssociation=Overzetten van categoriën MigrationReloadModule=Herladen van de module %s diff --git a/htdocs/langs/nl_NL/accountancy.lang b/htdocs/langs/nl_NL/accountancy.lang index a279446c4e574..3f2b77564ab00 100644 --- a/htdocs/langs/nl_NL/accountancy.lang +++ b/htdocs/langs/nl_NL/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Export model -OptionsDeactivatedForThisExportModel=Voor dit export model zijn de opties uitgezet Selectmodelcsv=Selecteer een export model Modelcsv_normal=Klassieke export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang index 57d3e75359ee5..7fbb02d58c0c5 100644 --- a/htdocs/langs/nl_NL/admin.lang +++ b/htdocs/langs/nl_NL/admin.lang @@ -29,7 +29,7 @@ SessionId=Sessie-ID SessionSaveHandler=Wijze van sessieopslag SessionSavePath=Sessie opslaglocatie PurgeSessions=Verwijderen van sessies -ConfirmPurgeSessions=Wilt u werkelijk alle sessies sluiten? Dit wil elke gebruikerssessie afbreken (behalve uzelf). +ConfirmPurgeSessions=Wilt u werkelijk alle sessies sluiten? Dit zal elke gebruikerssessie afbreken (behalve die van uzelf). NoSessionListWithThisHandler=De waarde van 'save session handler' ingesteld in uw PHP instellingen staat het niet toe een lijst van alle lopende sessies weer te geven. LockNewSessions=Blokkeer nieuwe sessies ConfirmLockNewSessions=Weet u zeker dat u alle sessies wilt beperken tot uzelf? Alleen de gebruiker %s kan dan nog met Dolibarr verbinden. @@ -38,10 +38,10 @@ YourSession=Uw sessie Sessions=Gebruikers-sessies WebUserGroup=Webserver gebruiker / groep NoSessionFound=Uw PHP installatie lijkt het niet toe te staan een lijst van actieve sessies weer te geven. De map waarin sessies worden opgeslagen (%s) zou afgeschermd kunnen zijn (bijvoorbeeld, door OS rechten of via de PHP instelling open_basedir). -DBStoringCharset=Databasekarakterset voor het opslaan van gegevens -DBSortingCharset=Databasekarakterset voor het sorteren van gegevens -ClientCharset=Client charset -ClientSortingCharset=Client collation +DBStoringCharset=Database karakterset voor het opslaan van gegevens +DBSortingCharset=Database karakterset voor het sorteren van gegevens +ClientCharset=Cliënt tekenset +ClientSortingCharset=Cliënt vergelijking WarningModuleNotActive=Module %s dient te worden ingeschakeld WarningOnlyPermissionOfActivatedModules=Hier worden alleen de rechten van geactiveerde modules weergegeven. U kunt andere modules in het menu Home->Instellingen->Modules activeren. DolibarrSetup=Installatie of upgrade van Dolibarr @@ -100,7 +100,7 @@ AntiVirusCommandExample= Voorbeeld voor ClamWin: c:\\Program Files (x86)\\ClamWi AntiVirusParam= Aanvullende parameters op de opdrachtregel AntiVirusParamExample= Voorbeeld voor ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=Instellingen van de boekhoudkundige module -UserSetup=Gebruikersbeheerinstellingen +UserSetup=Gebruikersbeheer instellingen MultiCurrencySetup=Multi-currency setup MenuLimits=Limieten en nauwkeurigheid MenuIdParent=ID van het bovenliggende menu @@ -125,35 +125,35 @@ OSTZ=Server OS Time Zone PHPTZ=Tijdzone binnen de PHP server DaylingSavingTime=Zomertijd (gebruiker) CurrentHour=Huidige tijd op server -CurrentSessionTimeOut=Huidige sessietimeout +CurrentSessionTimeOut=Huidige sessie 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. Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Maximaal aantal regels voor widgets -AllWidgetsWereEnabled=All available widgets are enabled -PositionByDefault=Standaardvolgorde +AllWidgetsWereEnabled=Alle beschikbare widgets zijn geactiveerd +PositionByDefault=Standaard volgorde Position=Positie -MenusDesc=Menu managers set content of the two menu bars (horizontal and vertical). -MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. +MenusDesc=Menu-managers bepalen de inhoud van de twee menubalken in (horizontaal en verticaal). +MenusEditorDesc=Met behulp van de menu-editor kunt u gepersonaliseerde items in menu's instellen. Gebruik deze functionaliteit zorgvuldig om te vermijden dat Dolibarr instabiel wordt en menu-items permanent onbereikbaar worden.
Sommige modules voegen items toe in de menu's (in de meeste gevallen in het menu Alle). Als u sommige van deze items abusievelijk verwijderd, dan kunt u ze herstellen door de module eerst uit te schakelen en daarna opnieuw in te schakelen. MenuForUsers=Gebruikersmenu LangFile=.lang bestand System=Systeem SystemInfo=Systeeminformatie -SystemToolsArea=Systeemwerksetoverzicht +SystemToolsArea=Systeem werkset overzicht SystemToolsAreaDesc=Dit gedeelte biedt administratieve functionaliteit. Gebruik het menu om de functionaliteit in te stellen die u nodig heeft. Purge=Leegmaken -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) -PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data) +PurgeAreaDesc=Deze pagina maakt het mogelijk dat u alle bestanden gemaakt of opgeslagen door Dolibarr te verwijderen (tijdelijke bestanden en / of alle bestanden in de map %s). Het gebruik van deze functie is niet noodzakelijk. Deze is slechts bedoeld voor gebruikers waarbij Dolibarr gehost wordt door een provider die geen rechten geeft voor het verwijderen van bestanden gemaakt door de webserver. +PurgeDeleteLogFile=Verwijder logbestanden %s aangemaakt door de Syslog module (Geen risico op verlies van gegevens) +PurgeDeleteTemporaryFiles=Verwijder alle tijdelijke bestanden (Geen risico op verlies van gegevens) PurgeDeleteTemporaryFilesShort=Delete temporary files PurgeDeleteAllFilesInDocumentsDir=Verwijder alle bestanden in de map %s.. Tijdelijke bestanden, maar ook databasebackupbestanden, bijlagen van elementen (derde partijen, facturen, etc) en bestanden geüpload naar de ECM-module zullen verwijderd worden. PurgeRunNow=Nu opschonen -PurgeNothingToDelete=No directory or files to delete. +PurgeNothingToDelete=Geen directory of bestanden om te verwijderen. PurgeNDirectoriesDeleted=%s bestanden of mappen verwijderd. PurgeNDirectoriesFailed=Failed to delete %s files or directories. -PurgeAuditEvents=Verwijder alle gebeurtenisen -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. +PurgeAuditEvents=Verwijder alle beveiligingsgerelateerde gebeurtenissen +ConfirmPurgeAuditEvents=Weet u zeker dat u alle beveiligingsgerelateerde gebeurtenissen wilt verwijderen? Alle beveiligingsgerelateerde logbestanden zullen worden verwijderd. Er zullen geen andere gegevens worden verwijderd. GenerateBackup=Genereer backup Backup=Backup Restore=Herstellen @@ -161,18 +161,18 @@ RunCommandSummary=Backup geïnitieerd met het volgende commando BackupResult=Resultaat backup BackupFileSuccessfullyCreated=Backupbestand succesvol gegenereerd YouCanDownloadBackupFile=De gegenereerde bestanden kunnen nu gedownload worden -NoBackupFileAvailable=Geen backupbestanden beschikbaar. +NoBackupFileAvailable=Geen back-up bestanden beschikbaar. ExportMethod=Exporteer methode ImportMethod=Importeer methode -ToBuildBackupFileClickHere=Om een backupbestand te maken, klik hier. -ImportMySqlDesc=Voor de invoer van een backupbestand, voert u het mysql-commando vanaf de opdrachtregel uit: +ToBuildBackupFileClickHere=Om een back-up bestand te maken, klik hier. +ImportMySqlDesc=Voor de invoer van een back-up bestand, voert u het My SQL-commando vanaf de opdrachtregel uit: ImportPostgreSqlDesc=Om een backupbestand te importeren, dient u het 'pg_restore' commando vanaf de opdrachtregel uit te voeren: ImportMySqlCommand=%s %s < mijnbackupbestand.sql ImportPostgreSqlCommand=%s %s mijnbackupbestand.sql FileNameToGenerate=Te creëren bestandsnaam Compression=Compressie CommandsToDisableForeignKeysForImport=Commando om 'foreign keys' bij importeren uit te schakelen -CommandsToDisableForeignKeysForImportWarning=Verplicht als je je sql neerslag later wil gebruiken +CommandsToDisableForeignKeysForImportWarning=Verplicht als je je SQL dump later wil gebruiken ExportCompatibility=Uitwisselbaarheid (compatibiliteit) van het gegenereerde exportbestand MySqlExportParameters=MySQL exporteer instellingen PostgreSqlExportParameters= PostgreSQL uitvoer parameters @@ -181,22 +181,22 @@ FullPathToMysqldumpCommand=Het volledige pad naar het 'MySQL dump' commando FullPathToPostgreSQLdumpCommand=Volledige pad naar het 'pg_dump' commando AddDropDatabase=Voeg 'DROP DATABASE' commando toe AddDropTable=Voeg 'DROP TABLE' commando toe -ExportStructure=Struktuur -NameColumn=Kollomennaam +ExportStructure=Structuur +NameColumn=Naam kolommen ExtendedInsert=Uitgebreide (extended) INSERT NoLockBeforeInsert=Geen lock-opdrachten rond INSERT DelayedInsert=Vertraagde (delayed) INSERT EncodeBinariesInHexa=Codeer binaire data in hexadecimalen -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) +IgnoreDuplicateRecords=Negeer fouten van dubbele tabelregels (INSERT negeren) AutoDetectLang=Automatisch detecteren (taal van de browser) FeatureDisabledInDemo=Functionaliteit uitgeschakeld in de demonstratie 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=Vakken zijn delen op het scherm die bepaalde informatie tonen op geselecteerde pagina's. U kunt een vak in- of uitschakelen door de doelpagina te selecteren en op "activeren" te klikken of door op de prullenbak te klikken om het vak uit te schakelen. OnlyActiveElementsAreShown=Alleen elementen van ingeschakelde modules worden getoond. -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=U kunt meer modules downloaden van externe website op het internet... +ModulesDesc=Dolibarr modules bepalen welke functionaliteit is ingeschakeld in de software. Voor enkele applicatiemodules is het noodzakelijk, zodra de module is ingeschakeld, rechten te verlenen aan de gebruikers. Klik op de knop uit / aan in de kolom "Status" om een module / functionaliteit in of uit te schakelen. +ModulesMarketPlaceDesc=U kunt meer modules downloaden van externe websites op het 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. -ModulesMarketPlaces=Find external app/modules +ModulesMarketPlaces=Vind externe apps of modules 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)... @@ -210,9 +210,9 @@ Updated=Updated Nouveauté=Novelty AchatTelechargement=Buy / Download GoModuleSetupArea=To deploy/install a new module, go onto the Module setup area at %s. -DoliStoreDesc=DoliStore, de officiële markt voor externe Dolibarr ERP / CRM modules +DoliStoreDesc=DoliStore, de officiële markt voor externe Dolibarr ERP / CRM 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... +WebSiteDesc=Websiteaanbieders waarop u naar meer modules kunt zoeken DevelopYourModuleDesc=Some solutions to develop your own module... URL=Link BoxesAvailable=Beschikbare widgets @@ -230,7 +230,7 @@ MainDbPasswordFileConfEncrypted=Databasewachtwoord versleuteld opslaan in conf.p InstrucToEncodePass=Om je paswoord versleuteld (gecodeerd) te krijgen in dit bestand conf.php , vervang de regel
$dolibarr_main_db_pass="...";
door
$dolibarr_main_db_pass="crypted:%s"; InstrucToClearPass=Om je paswoord gedecodeerd te verkrijgen in dit bestand conf.php, vervang de regel
$dolibarr_main_db_pass="crypted:...";
door
$dolibarr_main_db_pass="%s"; ProtectAndEncryptPdfFiles=Bescherming van gecreëerde PDF files. (Activering NIET aanbevolen, omdat dit de aanmaak van meerdere bestanden onmogelijk maakt) -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. +ProtectAndEncryptPdfFilesDesc=Bescherming van PDF files, deze kunnen nog gelezen en afgedrukt worden met behulp van een PDF-lezer. Echter, het bewerken en kopiëren is niet meer mogelijk. Let op dat door het gebruik van deze functionaliteit, de bouw van een globale samengevoegde PDF niet werkt zoals bij onbetaalde facturen. Feature=Functionaliteit DolibarrLicense=Licentie Developpers=Ontwikkelaars / mensen die bijgedragen hebben @@ -249,7 +249,7 @@ ForAnswersSeeForum=Voor alle andere vragen / hulp, kunt u gebruik maken van het HelpCenterDesc1=Dit scherm kan u helpen om ondersteuning voor Dolibarr te krijgen. HelpCenterDesc2=Kies de ondersteuning die overeenkomt met uw behoeften door te klikken op de betreffende link (Sommige van deze diensten zijn alleen beschikbaar in het Engels). CurrentMenuHandler=Huidige menuverwerker -MeasuringUnit=Maateenheid +MeasuringUnit=Meeteenheid LeftMargin=Left margin TopMargin=Top margin PaperSize=Paper type @@ -260,18 +260,18 @@ FontSize=Font size Content=Content 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. -EmailSenderProfiles=Emails sender profiles +Emails=E-mails +EMailsSetup=E-mail instellingen +EMailsDesc=Met behulp van deze pagina kunt u PHP instellingen om e-mails te verzenden overschrijven. Op Unix / Linux besturingssystemen zijn deze in de meeste gevallen goed ingesteld en zijn deze instellingen nutteloos. +EmailSenderProfiles=Verzender e-mails profielen MAIN_MAIL_SMTP_PORT=SMTP / SMTPS-poort (standaard in php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS Host (standaard in php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP / SMTPS-poort (niet gedefinieerd in PHP op Unix-achtige systemen) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP / SMTPS-host (Niet gedefinieerd in PHP op Unix-achtige systemen) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (By default in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Sender email used for error returns emails sent +MAIN_MAIL_EMAIL_FROM=E-mail afzender voor automatische e-mails (Standaard in php.ini: %s) +MAIN_MAIL_ERRORS_TO=Afzender e-mailadres gebruikt voor foutrapporten e-mails verzonden MAIN_MAIL_AUTOCOPY_TO= Stuur systematisch een verborgen zogenoemde 'Carbon-Copy' van alle verzonden e-mails naar -MAIN_DISABLE_ALL_MAILS=Disable all emails sendings (for test purposes or demos) +MAIN_DISABLE_ALL_MAILS=Schakel het versturen van alle e-mails uit (voor testdoeleinden of demonstraties) MAIN_MAIL_SENDMODE=Te gebruiken methode om e-mails te verzenden MAIN_MAIL_SMTPS_ID=SMTP-gebruikersnaam indien verificatie vereist MAIN_MAIL_SMTPS_PW=SMTP-wachtwoord indien verificatie vereist @@ -287,7 +287,7 @@ FeatureNotAvailableOnLinux=Functionaliteit niet beschikbaar op Unix-achtige syst SubmitTranslation=Indien de vertaling voor deze taal nog niet volledig is of je vindt fouten, dan kan je dit verbeteren door de bestanden te editeren in de volgende directory langs/%s en stuur uw wijzigingen door naar 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. ModuleSetup=Module-instellingen -ModulesSetup=Modules/Application setup +ModulesSetup=Instellingen van modules & applicatie ModuleFamilyBase=Systeem ModuleFamilyCrm=Customer Relation Management (CRM) ModuleFamilySrm=Supplier Relation Management (SRM) @@ -304,16 +304,16 @@ ModuleFamilyInterface=Interfaces with external systems MenuHandlers=Menuverwerkers MenuAdmin=Menu wijzigen DoNotUseInProduction=Niet in productie gebruiken -ThisIsProcessToFollow=This is steps to process: +ThisIsProcessToFollow=Dit zijn de stappen om te verwerken: ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: StepNb=Stap %s FindPackageFromWebSite=Vind een pakket die u de functionaliteit geeft die u wilt (bijvoorbeeld op de officiële website van %s). DownloadPackageFromWebSite=Download het pakket (voorbeeld vanaf de officiële web site %s). -UnpackPackageInDolibarrRoot=Unpack the packaged files into server directory dedicated to Dolibarr: %s +UnpackPackageInDolibarrRoot=Pak bestand uit op de Dolibarr server directory toegewezen aan de externe modules: %s UnpackPackageInModulesRoot=To deploy/install an external module, unpack the packaged files into the server directory dedicated to 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).
+NotExistsDirect=De alternatieve hoofdmap is niet gedefinieerd in een bestaande map.
+InfDirAlt=Vanaf versie 3 is het mogelijk om een alternatieve root directory te definiëren. Dit stelt je in staat om op dezelfde plaats zowel plug-ins als eigen templates te bewaren.
Maak gewoon een directory op het niveau van de root van Dolibarr (bv met de naam: aanpassing).
InfDirExample=
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 : CurrentVersion=Huidige versie van Dolibarr @@ -464,9 +464,9 @@ Field=veld 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 +AttachMainDocByDefault=Zet dit op 1 als u het hoofddocument als standaard aan e-mail wilt toevoegen (indien van toepassing) +FilesAttachedToEmail=Voeg een bestand toe +SendEmailsReminders=Stuur agendaherinneringen per e-mail # Modules Module0Name=Gebruikers & groepen Module0Desc=Groepenbeheer gebruikers/werknemers @@ -539,7 +539,7 @@ Module320Desc=Voeg een RSS feed toe in de informatieschermen van Dolibarr Module330Name=Weblinks (Favouriete internetpagina's in het menu weergeven) Module330Desc=Internetfavorietenbeheer Module400Name=Projecten/Kansen/Leads -Module400Desc=Beheer van projecten, kansen of leads. U kunt elk willekeurig element (factuur, order, offerte, interventie, ...) toewijzen aan een project en een transversale weergave krijgen van de projectweergave. +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=Integratie van een webkalender Module500Name=Speciale uitgaven @@ -890,7 +890,7 @@ DictionaryStaff=Personeel DictionaryAvailability=Leverings vertraging DictionaryOrderMethods=Bestel methodes DictionarySource=Oorsprong van offertes / bestellingen -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modellen voor rekeningschema DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Email documentensjablonen @@ -904,6 +904,7 @@ SetupSaved=Instellingen opgeslagen SetupNotSaved=Installatie niet opgeslagen BackToModuleList=Terug naar moduleoverzicht BackToDictionaryList=Terug naar de woordenboeken lijst +TypeOfRevenueStamp=Type of revenue stamp VATManagement=BTW-beheer 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=Standaard is de voorgestelde BTW 0. Dit kan gebruikt worden in situaties zoals verenigingen, particulieren of kleine bedrijven. @@ -1094,9 +1095,9 @@ ShowProfIdInAddress=Toon in het adresgedeelte van documenten het 'professioneel ShowVATIntaInAddress=Verberg BTW Intra num met adressen op documenten TranslationUncomplete=Onvolledige vertaling MAIN_DISABLE_METEO=Schakel "Meteo"-weergave uit -MeteoStdMod=Standard mode -MeteoStdModEnabled=Standard mode enabled -MeteoPercentageMod=Percentage mode +MeteoStdMod=Standaard mode +MeteoStdModEnabled=Standaard mode geactiveerd +MeteoPercentageMod=Percentage modus MeteoPercentageModEnabled=Percentage mode enabled MeteoUseMod=Click to use %s TestLoginToAPI=Test inloggen op API @@ -1271,7 +1272,7 @@ LDAPSynchronizeUsers=Organisatie van gebruikers in LDAP LDAPSynchronizeGroups=Organisatie van groepen in LDAP LDAPSynchronizeContacts=Organisatie van contactpersonen in LDAP LDAPSynchronizeMembers=Organisatie van verenigingsleden in LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPSynchronizeMembersTypes=Organisatie van de ledentypes van de stichting in LDAP LDAPPrimaryServer=Primaire server LDAPSecondaryServer=Secundaire server LDAPServerPort=Serverpoort @@ -1318,7 +1319,7 @@ LDAPTestSynchroContact=Test contactpersonensynchronisatie LDAPTestSynchroUser=Test gebruikersynchronisatie LDAPTestSynchroGroup=Test groepsynchronisatie LDAPTestSynchroMember=Test ledensynchronisatie -LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSynchroMemberType=Test type lid synchronisatie LDAPTestSearch= Test een LDAP-zoekopdracht LDAPSynchroOK=Synchronisatietest succesvol LDAPSynchroKO=Synchronisatietest mislukt @@ -1384,7 +1385,7 @@ LDAPDescContact=Deze pagina maakt het u mogelijk LDAP-waarden in de LDAP structu LDAPDescUsers=Deze pagina maakt het u mogelijk LDAP-waarden in de LDAP structuur te koppelen aan elk gegeven in de Dolibarr gebruikers LDAPDescGroups=Deze pagina maakt het u mogelijk LDAP-waarden in de LDAP structuur te koppelen aan elk gegeven in de Dolibarr groepen LDAPDescMembers=Deze pagina maakt het u mogelijk LDAP-waarden in de LDAP structuur te koppelen aan elk gegeven in de Dolibarr ledenmodule -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=Op deze pagina kunt u de LDAP kenmerknaam in de LDAP structuur definiëren voor alle gegevens die op Dolibarr -ledentypen worden gevonden. LDAPDescValues=Voorbeeldwaarden zijn ingesteld voor OpenLDAP geladen met de volgende schema's: TODO {VAR INSTELLEN?)core.schema, cosine.schema, inetorgperson.schema). Als udie waarden gebruikt en OpenLDAP, wijzigen dan uw LDAP 'config'-bestand slapd.conf om alle die schema's te laden. ForANonAnonymousAccess=Voor een geautoriseerde verbinding (bijvoorbeeld om over schrijfrechten te beschikken) PerfDolibarr=Prestaties setup / optimaliseren rapport @@ -1712,7 +1713,7 @@ MailToSendSupplierOrder=To send supplier order MailToSendSupplierInvoice=To send supplier invoice MailToSendContract=To send a contract MailToThirdparty=To send email from third party page -MailToMember=To send email from member page +MailToMember=Om e-mail van lid pagina te verzenden MailToUser=To send email from user page ByDefaultInList=Show by default on list view YouUseLastStableVersion=You use the latest stable version @@ -1724,7 +1725,7 @@ MultiPriceRuleDesc=When option "Several level of prices per product/service" is 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) +SeeChangeLog=Zie ChangeLog bestand (alleen in het Engels) AllPublishers=All publishers UnknownPublishers=Unknown publishers AddRemoveTabs=Add or remove tabs @@ -1756,12 +1757,13 @@ BaseCurrency=Reference currency of the company (go into setup of company to chan 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_LEFT=Linker marge op PDF +MAIN_PDF_MARGIN_RIGHT=Rechter marge op PDF +MAIN_PDF_MARGIN_TOP=Bovenmarge op PDF MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF ##### Resource #### ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/nl_NL/banks.lang b/htdocs/langs/nl_NL/banks.lang index c41035cb4f5d2..46cef9a112fda 100644 --- a/htdocs/langs/nl_NL/banks.lang +++ b/htdocs/langs/nl_NL/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Aantal LineRecord=Transactie AddBankRecord=Item toevoegen AddBankRecordLong=Item handmatig toevoegen +Conciliated=Reconciled ConciliatedBy=Afgestemd door DateConciliating=Afgestemd op BankLineConciliated=Item afgestemd diff --git a/htdocs/langs/nl_NL/bills.lang b/htdocs/langs/nl_NL/bills.lang index 7b86125ad0525..4b342bc77dc3c 100644 --- a/htdocs/langs/nl_NL/bills.lang +++ b/htdocs/langs/nl_NL/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Onbetaalde leveranciers facturen voor %s BillsLate=Betalingsachterstand BillsStatistics=Statistieken afnemersfacturen BillsStatisticsSuppliers=Statistieken leveranciersfacturen +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Uitgeschakeld om dat het niet verwijderd kan worden InvoiceStandard=Standaardfactuur InvoiceStandardAsk=Standaardfactuur @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Wilt u deze factuur classificeren als 'verlaten'? ConfirmClassifyPaidPartially=Weet u zeker dat u de status van factuur %s wilt wijzigen naar betaald? ConfirmClassifyPaidPartiallyQuestion=Deze factuur is niet volledig betaald. Wat zijn de redenen om deze factuur te sluiten? ConfirmClassifyPaidPartiallyReasonAvoir=Aan restant te betalen (%s %s) wordt een korting toegekend, omdat de betaling werd gedaan vóór de termijn. Ik regulariseer de BTW met een creditnota. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Aan restant te betalen (%s %s) wordt een korting toegekend, omdat de betaling werd verricht vóór de termijn. Ik accepteer de BTW te verliezen op deze korting. ConfirmClassifyPaidPartiallyReasonDiscountVat=Aan restant te betalen (%s %s) wordt een korting toegekend, omdat de betaling werd verricht vóór de termijn. Ik vorder de BTW terug van deze korting, zonder een credit nota. ConfirmClassifyPaidPartiallyReasonBadCustomer=Slechte afnemer diff --git a/htdocs/langs/nl_NL/compta.lang b/htdocs/langs/nl_NL/compta.lang index 31958a36849eb..bc6b7514631a8 100644 --- a/htdocs/langs/nl_NL/compta.lang +++ b/htdocs/langs/nl_NL/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Betalingen niet gekoppeld aan een factuur, dus niet g PaymentsNotLinkedToUser=Betalingen niet gekoppeld aan een gebruiker Profit=Winst AccountingResult=Boekhoudkundig resultaat +BalanceBefore=Balance (before) Balance=Saldo Debit=Debet Credit=Credit diff --git a/htdocs/langs/nl_NL/donations.lang b/htdocs/langs/nl_NL/donations.lang index 80ed87ecc96c2..7c77b4a2300ae 100644 --- a/htdocs/langs/nl_NL/donations.lang +++ b/htdocs/langs/nl_NL/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Toon artikel 200 van CGI als u bezorgt bent DONATION_ART238=Toon artikel 238 als u bezorgt bent DONATION_ART885=Toon artikel 885 als u bezorgt bent DonationPayment=Donatie betaling +DonationValidated=Donation %s validated diff --git a/htdocs/langs/nl_NL/errors.lang b/htdocs/langs/nl_NL/errors.lang index a77f28e39b56c..a905f89839e74 100644 --- a/htdocs/langs/nl_NL/errors.lang +++ b/htdocs/langs/nl_NL/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Bron en doel magazijnen moeten verschillend zijn diff --git a/htdocs/langs/nl_NL/install.lang b/htdocs/langs/nl_NL/install.lang index 549c27f1137b4..dcb350abb4a88 100644 --- a/htdocs/langs/nl_NL/install.lang +++ b/htdocs/langs/nl_NL/install.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - install InstallEasy=Volg simpelweg stap voor stap de instructies -MiscellaneousChecks=Vereisten controle +MiscellaneousChecks=Vereisten controleren ConfFileExists=Configuratiebestand %s bestaat. ConfFileDoesNotExistsAndCouldNotBeCreated=Configuratiebestand %s bestaat niet en kon ook niet worden gecreëerd ! ConfFileCouldBeCreated=Configuratiebestand %s kon worden gecreëerd. @@ -8,26 +8,26 @@ ConfFileIsNotWritable=Configuratie bestand %s is niet voor schrijven te o ConfFileIsWritable=Configuratiebestand %s kan voor schrijven geopend worden. ConfFileReload=Reload alle informatie van configuratiebestand. PHPSupportSessions=Deze PHP installatie ondersteund sessies. -PHPSupportPOSTGETOk=Deze PHP installatie ondersteund POST en GET. -PHPSupportPOSTGETKo=Mogelijk ondersteund uw PHP installatie geen POST en / of GET variabelen. Controleer deze instelling variables_order in php.ini. -PHPSupportGD=Deze PHP installatie ondersteund GD grafische functies. +PHPSupportPOSTGETOk=Deze PHP installatie ondersteunt POST en GET. +PHPSupportPOSTGETKo=Mogelijk ondersteunt uw PHP installatie geen POST en / of GET variabelen. Controleer deze instelling variables_order in php.ini. +PHPSupportGD=Deze PHP installatie ondersteunt GD grafische functies. PHPSupportCurl=PHP ondersteunt Curl. -PHPSupportUTF8=Deze PHP installatie ondersteund UTF8 functies. +PHPSupportUTF8=Deze PHP installatie ondersteunt UTF8 functies. PHPMemoryOK=Het maximale sessiegeheugen van deze PHP installatie is ingesteld op %s. Dit zou genoeg moeten zijn. PHPMemoryTooLow=Het maximale sessiegeheugen van deze PHP installatie is ingesteld op %s bytes. Dit zou te weinig kunnen zijn. Verander uw php.ini om de memory_limit instelling op minimaal %s bytes te zetten. -Recheck=Klik hier voor een significantere test -ErrorPHPDoesNotSupportSessions=Uw PHP installatie ondersteund geen sessies. Dit is vereist voor een goede werking van Dolibarr. Controleer uw PHP instellingen. -ErrorPHPDoesNotSupportGD=Uw PHP installatie ondersteund geen grafische functies. Grafieken zullen niet beschikbaar zijn. -ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. -ErrorPHPDoesNotSupportUTF8=Uw PHP installatie ondersteund geen UTF8 functies. Dolibarr kan daardoor niet goed werken. Los dit op voordat u verder gaat met de installatie van Dolibarr. +Recheck=Klik hier voor een meer significantere test +ErrorPHPDoesNotSupportSessions=Uw PHP installatie ondersteunt geen sessies. Dit is vereist voor een goede werking van Dolibarr. Controleer uw PHP instellingen. +ErrorPHPDoesNotSupportGD=Uw PHP installatie ondersteunt geen grafische functies. Grafieken zullen niet beschikbaar zijn. +ErrorPHPDoesNotSupportCurl=Uw PHP versie ondersteunt geen Curl. +ErrorPHPDoesNotSupportUTF8=Uw PHP installatie ondersteunt geen UTF8 functies. Dolibarr kan daardoor niet goed werken. Los dit op voordat u verder gaat met de installatie van Dolibarr. ErrorDirDoesNotExists=De map %s bestaat niet. ErrorGoBackAndCorrectParameters=Ga terug en corrigeer de foutief ingestelde waarden. ErrorWrongValueForParameter=U heeft de parameter '%s' mogelijk verkeerd ingesteld. ErrorFailedToCreateDatabase=De database '%s' kon niet worden gecreëerd. -ErrorFailedToConnectToDatabase=Er kon niet verbonden worden met de database '%s'. -ErrorDatabaseVersionTooLow=Databankversie (%s) te oud. Versie %s of hoger is vereist. +ErrorFailedToConnectToDatabase=Het is niet gelukt om een verbinding met de database '%s' te maken. +ErrorDatabaseVersionTooLow=Database versie (%s) is te oud. Versie %s of hoger is vereist. ErrorPHPVersionTooLow=De geïnstalleerde PHP versie is te oud. Versie %s is nodig. -ErrorConnectedButDatabaseNotFound=De verbinding met de server kon succesvol worden opgezet, maar de database '%s' is niet gevonden. +ErrorConnectedButDatabaseNotFound=De verbinding met de server kon succesvol worden gemaakt, maar de database '%s' is niet gevonden. ErrorDatabaseAlreadyExists=Database '%s' bestaat al. IfDatabaseNotExistsGoBackAndUncheckCreate=Wanneer de database niet bestaat, ga dan terug en vink de optie "Creëer database" aan. IfDatabaseExistsGoBackAndCheckCreate=Wanneer de database al bestaat, ga dan terug en vink "Creëer database" uit. @@ -50,13 +50,13 @@ DatabaseServer=Databaseserver DatabaseName=Databasenaam DatabasePrefix=Database prefix tafel AdminLogin=Gebruikersnaam voor Dolibarr database eigenaar. -PasswordAgain=Geef uw wachtwoord opnieuw +PasswordAgain=Voer uw wachtwoord opnieuw in. AdminPassword=Wachtwoord voor de database eigenaar. CreateDatabase=Creëer database -CreateUser=Create owner or grant him permission on database +CreateUser=Creëer eigenaar en geef deze permissies op de database. DatabaseSuperUserAccess=Databaseserver - Superuser toegang (root toegang) CheckToCreateDatabase=Vink deze optie aan wanneer de database nog niet bestaat en gecreëerd moet worden.
In dit geval, moet u de velden gebruikersnaam en wachtwoord voor het superuser (root) account onderaan deze pagina ook invullen. -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=Schakel het selectievakje in als de database-eigenaar niet bestaat en moet worden gemaakt, of als deze bestaat maar de database niet bestaat en machtigingen moeten worden verleend.
In dit geval moet u de login en het wachtwoord kiezen en ook de login / het wachtwoord voor het superuser-account onderaan deze pagina invullen. Als dit selectievakje niet is aangevinkt, moeten de eigenaarsdatabase en de bijbehorende wachtwoorden aanwezig zijn. DatabaseRootLoginDescription=Gebruikersnaam van de gebruiker die gemachtigd is om nieuwe databases of gebruikers aan te maken, nutteloos wanneer uw database en gebruiker al bestaan (zoals het geval wanneer u een webhosting provider gebruikt). KeepEmptyIfNoPassword=Laat dit veld leeg wanneer de gebruiker geen wachtwoord heeft (vermijd dit) SaveConfigurationFile=Waarden opslaan @@ -66,7 +66,7 @@ CreateDatabaseObjects=Creatie van databaseobjecten ReferenceDataLoading=Referentiegegevens worden geladen TablesAndPrimaryKeysCreation=Creatie van tabellen en primary keys CreateTableAndPrimaryKey=Creëer tabel %s -CreateOtherKeysForTable=Creëer foreign keys en indexes voor de tabel %s +CreateOtherKeysForTable=Creëer foreign keys en indexes voor tabel %s OtherKeysCreation=Creatie van Foreign keys en indexes FunctionsCreation=Creatie van functies AdminAccountCreation=Creatie van beheerdersaccount @@ -74,15 +74,15 @@ PleaseTypePassword=Vul een wachtwoord in a.u.b., lege wachtwoorden zijn niet toe PleaseTypeALogin=Typ een gebruikersnaam in ! PasswordsMismatch=Wachtwoorden komen niet overeen, probeert u het opnieuw ! SetupEnd=Einde van de installatie -SystemIsInstalled=De installatie is voltooid +SystemIsInstalled=De installatie is voltooid. SystemIsUpgraded=Dolibarr is succesvol bijgewerkt. YouNeedToPersonalizeSetup=U dient Dolibarr naar eigen behoefte in te richten (uiterlijk, functionaliteit, etc). Volgt u om dit te doen de onderstaande link: AdminLoginCreatedSuccessfuly=Dolibarr beheerdersaccount '%s' succesvol gecreëerd. -GoToDolibarr=Ga naar Dolibarr -GoToSetupArea=Ga naar Dolibarr (instellingsomgeving) +GoToDolibarr=Ga naar Dolibarr. +GoToSetupArea=Ga naar Dolibarr (instellingsomgeving). MigrationNotFinished=De versie van uw database is niet helemaal actueel, daarom moet u de upgrade opnieuw uitvoeren. -GoToUpgradePage=Ga opnieuw naar de upgrade pagina -WithNoSlashAtTheEnd=Zonder toevoeging van de slash "/" +GoToUpgradePage=Ga opnieuw naar de upgrade pagina. +WithNoSlashAtTheEnd=Zonder toevoeging van de slash "/" aan het eind DirectoryRecommendation=Aanbevolen wordt een map te gebruiken buiten uw webpagina map LoginAlreadyExists=Bestaat al DolibarrAdminLogin=Login van de Dolibarr beheerder @@ -132,15 +132,16 @@ MigrationFinished=Migratie voltooid LastStepDesc=Laatste stap: Definieer hier de login en het wachtwoord die u wilt gebruiken om verbinding te maken met de software. Raak deze gegevens niet kwijt omdat dit account bedoelt is om alle andere gebruikers te beheren. ActivateModule=Activeer module %s ShowEditTechnicalParameters=Klik hier om geavanceerde parameters te zien of te wijzigen. (expert instellingen) -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=Waarschuwing:\nHeeft u eerst een database back-up gemaakt?\nDit wordt ten zeerste aanbevolen. Bijvoorbeeld door bugs in databasesystemen (bijvoorbeeld in MySQL versie 5.5.40 / 41/42/43), kunnen sommige gegevens of tabellen tijdens dit proces verloren gaan, dus het wordt sterk aanbevolen om een complete dump van uw database te maken voordat u met de migratie begint.\n\nKlik op OK om het migratieproces te starten ... ErrorDatabaseVersionForbiddenForMigration=Uw database versie is %s en heeft een kritieke bug die gegevensverlies veroorzaakt als u structuur veranderingen uitvoert op uw database, welke gedaan worden door het migratieproces. Vanwege deze reden, zal de migratie niet worden toegestaan ​​totdat u uw database upgrade naar een hogere versie (lijst van gekende versies met bug: %s). KeepDefaultValuesWamp=U gebruikt de Dolibarr installatiewizard van DoliWamp, dus de hier voorgestelde waarden zijn al geoptimaliseerd. Wijzig ze alleen wanneer u weet wat u doet. KeepDefaultValuesDeb=U gebruikt de Dolibarr installatiewizard uit een Ubuntu of Debian pakket, dus de hier voorgestelde waarden zijn al geoptimaliseerd. Alleen het wachtwoord van de te creëren database-eigenaar moeten worden ingevuld. Wijzig de andere waarden alleen als u weet wat u doet. KeepDefaultValuesMamp=U gebruikt de Dolibarr installatiewizard van DoliMamp, dus de hier voorgestelde waarden zijn al geoptimaliseerd. Wijzig ze alleen wanneer u weet wat u doet. KeepDefaultValuesProxmox=U gebruikt de Dolibarr installatiewizard van een Proxmox virtueel systeem, dus de hier voorgestelde waarden zijn al geoptimaliseerd. Wijzig ze alleen wanneer u weet wat u doet. -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 +UpgradeExternalModule=Voer een specifiek upgradeproces uit voor externe modules +SetAtLeastOneOptionAsUrlParameter=Stel ten minste één optie in als parameter in de URL. Bijvoorbeeld: '... repair.php? Standard = confirmed' +NothingToDelete=Niets om op te ruimen / verwijderen +NothingToDo=Nothing to do ######### # upgrade MigrationFixData=Reparatie voor gedenormaliseerde gegevens @@ -150,7 +151,7 @@ MigrationProposal=Gegevensmigratie van zakelijke voorstellen MigrationInvoice=Gegevensmigratie van afnemersfacturen MigrationContract=Gegevensmigratie van contracten MigrationSuccessfullUpdate=Dolibarr is succesvol bijgewerkt. -MigrationUpdateFailed=Upgrade mislukt +MigrationUpdateFailed=Het upgrade proces is mislukt MigrationRelationshipTables=Gegevensmigratie van de relatietabellen (%s) MigrationPaymentsUpdate=Correctie betalingsgegevens MigrationPaymentsNumberToUpdate=%s betaling(en) bij te werken @@ -163,7 +164,7 @@ MigrationContractsLineCreation=Creëer contract regel voor contract %s MigrationContractsNothingToUpdate=Niets meer te doen MigrationContractsFieldDontExist=Het veld fk_facture bestaat niet meer. Niets te doen. MigrationContractsEmptyDatesUpdate=Contract lege datum correctie -MigrationContractsEmptyDatesUpdateSuccess=Contract emtpy date correction done successfully +MigrationContractsEmptyDatesUpdateSuccess=Contract lege datumcorrectie met succes uitgevoerd MigrationContractsEmptyDatesNothingToUpdate=Geen contract lege datum te corrigieren MigrationContractsEmptyCreationDatesNothingToUpdate=Geen contract creatiedatum te corrigeren MigrationContractsInvalidDatesUpdate=Ongeldige datum contract waarde correctie @@ -192,10 +193,11 @@ MigrationActioncommElement=Bijwerken van gegevens over acties MigrationPaymentMode=Data migratie voor de betaling mode MigrationCategorieAssociation=Migratie van categoriën MigrationEvents=Migratie van taken om taak eigenaar toe te voegen in toekennings tabel -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 +MigrationEventsContact=Migratie van evenementen om afspraakcontact toe te voegen aan de toewijzingstabel +MigrationRemiseEntity=Aanpassen entity veld waarde van llx_societe_remise +MigrationRemiseExceptEntity=Aanpassen entity veld waarde van llx_societe_remise_except MigrationReloadModule=Herlaad module %s +MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm ShowNotAvailableOptions=Toon niet beschikbare opties HideNotAvailableOptions=Verberg niet beschikbare opties -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=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. diff --git a/htdocs/langs/nl_NL/languages.lang b/htdocs/langs/nl_NL/languages.lang index d626f5a700740..af0ffe76ae357 100644 --- a/htdocs/langs/nl_NL/languages.lang +++ b/htdocs/langs/nl_NL/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spaans (Paraguay) Language_es_PE=Spaans (Peru) Language_es_PR=Spaans (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estlands Language_eu_ES=Bask diff --git a/htdocs/langs/nl_NL/main.lang b/htdocs/langs/nl_NL/main.lang index 9751174fa74f4..7d160493a3112 100644 --- a/htdocs/langs/nl_NL/main.lang +++ b/htdocs/langs/nl_NL/main.lang @@ -548,6 +548,18 @@ MonthShort09=sep MonthShort10=okt MonthShort11=nov MonthShort12=dec +MonthVeryShort01=J +MonthVeryShort02=Vr +MonthVeryShort03=Ma +MonthVeryShort04=A +MonthVeryShort05=Ma +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Zo +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Bijgevoegde bestanden en documenten JoinMainDoc=Join main document DateFormatYYYYMM=JJJJ-MM @@ -762,7 +774,7 @@ SetBankAccount=Definieer Bank Rekening AccountCurrency=Account currency ViewPrivateNote=Notities bekijken XMoreLines=%s regel(s) verborgen -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Openbare URL AddBox=Box toevoegen SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Iedereen +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/nl_NL/other.lang b/htdocs/langs/nl_NL/other.lang index e36f1d2e0865f..8cfd1a9d93129 100644 --- a/htdocs/langs/nl_NL/other.lang +++ b/htdocs/langs/nl_NL/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Uitvoeroverzicht diff --git a/htdocs/langs/nl_NL/products.lang b/htdocs/langs/nl_NL/products.lang index 60ca4ff55e905..4d060ee8360b5 100644 --- a/htdocs/langs/nl_NL/products.lang +++ b/htdocs/langs/nl_NL/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Huidige prijs AlwaysUseNewPrice=Gebruik altijd huidige product/diensten prijs AlwaysUseFixedPrice=Gebruik vaste prijs PriceByQuantity=Verschillende prijzen per hoeveelheid +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Aantal bereik 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 diff --git a/htdocs/langs/nl_NL/projects.lang b/htdocs/langs/nl_NL/projects.lang index 78fa3f52c4e98..71d8420c96a7a 100644 --- a/htdocs/langs/nl_NL/projects.lang +++ b/htdocs/langs/nl_NL/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Hangende OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/nl_NL/website.lang b/htdocs/langs/nl_NL/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/nl_NL/website.lang +++ b/htdocs/langs/nl_NL/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/pl_PL/accountancy.lang b/htdocs/langs/pl_PL/accountancy.lang index 792f73e20e161..648efab6e5b5f 100644 --- a/htdocs/langs/pl_PL/accountancy.lang +++ b/htdocs/langs/pl_PL/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=ilość sztuk TransactionNumShort=Numer transakcji AccountingCategory=Personalized groups GroupByAccountAccounting=Grupuj według konta księgowego -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. ByAccounts=Według kont ByPredefinedAccountGroups=By predefined groups ByPersonalizedAccountGroups=By personalized groups @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Lista kont księgowych 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Ten dziennik jest już w użytku ## Export ExportDraftJournal=Export dziennika projektu Modelcsv=Model eksportu -OptionsDeactivatedForThisExportModel=Dla tego modelu eksportu opcje są wyłączone Selectmodelcsv=Wybierz model eksportu Modelcsv_normal=Standardowy eksport Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang index b8b5ebbfbeaf6..28a698da201f9 100644 --- a/htdocs/langs/pl_PL/admin.lang +++ b/htdocs/langs/pl_PL/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Dodaj kanał RSS Dolibarr wewnątrz stron Module330Name=Zakładki Module330Desc=Zarządzanie zakładkami Module400Name=Projekty / Możliwości / Wskazówki -Module400Desc=Zarządzanie projektami, możliwości lub wskazówki. Następnie możesz przypisać dowolny element (faktury, zamówienia, propozycje, interwencje, ...) do projektu i uzyskać widok poprzeczny z widoku projektu. +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=Webcalendar Module410Desc=Integracja Webcalendar Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Personel DictionaryAvailability=Opóźnienie dostawy DictionaryOrderMethods=Sposoby zamawiania DictionarySource=Pochodzenie wniosków / zleceń -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modele dla planu kont DictionaryAccountancyJournal=Dzienniki kont księgowych DictionaryEMailTemplates=Szablony wiadomości e-mail @@ -904,6 +904,7 @@ SetupSaved=Konfiguracja zapisana SetupNotSaved=Setup not saved BackToModuleList=Powrót do listy modułów BackToDictionaryList=Powrót do listy słowników +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/pl_PL/banks.lang b/htdocs/langs/pl_PL/banks.lang index 380add53831e2..ae818cf96af8e 100644 --- a/htdocs/langs/pl_PL/banks.lang +++ b/htdocs/langs/pl_PL/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Liczba LineRecord=Transakcja AddBankRecord=Dodaj wpis AddBankRecordLong=Dodaj wpis ręcznie +Conciliated=Reconciled ConciliatedBy=Rekoncyliowany przez DateConciliating=Data rekoncyliacji BankLineConciliated=Transakcje zaksięgowane diff --git a/htdocs/langs/pl_PL/bills.lang b/htdocs/langs/pl_PL/bills.lang index b2444f6a37723..0d961034001aa 100644 --- a/htdocs/langs/pl_PL/bills.lang +++ b/htdocs/langs/pl_PL/bills.lang @@ -11,6 +11,8 @@ 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 +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 InvoiceStandard=Standardowa faktura InvoiceStandardAsk=Standardowa faktura @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Dlaczego chcesz sklasyfikować tę fakturę jako „po ConfirmClassifyPaidPartially=Czy jesteś pewien, że chcesz zmienić status faktury %s na zapłaconą? ConfirmClassifyPaidPartiallyQuestion=Ta faktura nie została zapłacona w całości. Jaka jest przyczyna, że chcesz zamknąć tą fakturę? ConfirmClassifyPaidPartiallyReasonAvoir=Upływającym nieopłaconym (%s %s) jest przyznana zniżka, ponieważ płatność została dokonana przed terminem. Uregulowano podatku VAT do faktury korygującej. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Upływające nieopłacone (%s %s) jest przyznana zniżka, ponieważ płatność została dokonana przed terminem. Akceptuję stracić VAT na tej zniżce. ConfirmClassifyPaidPartiallyReasonDiscountVat=Upływające nieopłacone (% s% s) mają przyznaną zniżkę, ponieważ płatność została dokonana przed terminem. Odzyskano VAT od tej zniżki bez noty kredytowej. ConfirmClassifyPaidPartiallyReasonBadCustomer=Zły klient diff --git a/htdocs/langs/pl_PL/boxes.lang b/htdocs/langs/pl_PL/boxes.lang index 82c6bd3078057..49d1d4f48111c 100644 --- a/htdocs/langs/pl_PL/boxes.lang +++ b/htdocs/langs/pl_PL/boxes.lang @@ -77,7 +77,7 @@ BoxTitleLastModifiedSupplierBills=Ostatnie %s zmodyfikowanych rachunków dostawc BoxTitleLatestModifiedSupplierOrders=Ostatnie %s zmodyfikowanych zamówień dostawców BoxTitleLastModifiedCustomerBills=Ostatnie %s zmodyfikowanych rachunków klientów BoxTitleLastModifiedCustomerOrders=Ostatnich %s modyfikowanych zamówień klientów -BoxTitleLastModifiedPropals=Latest %s modified proposals +BoxTitleLastModifiedPropals=Ostatnich %s zmodyfikowanych ofert ForCustomersInvoices=Faktury Klientów ForCustomersOrders=Zamówienia klientów ForProposals=Oferty diff --git a/htdocs/langs/pl_PL/companies.lang b/htdocs/langs/pl_PL/companies.lang index 6f09e25f5a9db..9743ab8dad03e 100644 --- a/htdocs/langs/pl_PL/companies.lang +++ b/htdocs/langs/pl_PL/companies.lang @@ -29,7 +29,7 @@ AliasNameShort=Alias Companies=Firmy CountryIsInEEC=Kraj należy do Europejskiej Strefy Ekonomicznej ThirdPartyName=Nazwa kontrahenta -ThirdPartyEmail=Third party email +ThirdPartyEmail=Email kontrahenta ThirdParty=Kontrahent ThirdParties=Kontrahenci ThirdPartyProspects=Potencjalni klienci @@ -51,7 +51,7 @@ Lastname=Nazwisko Firstname=Imię PostOrFunction=Stanowisko UserTitle=Tytuł -NatureOfThirdParty=Nature of Third party +NatureOfThirdParty=Rodzaj kontrahenta Address=Adres State=Województwo StateShort=Województwo @@ -267,7 +267,7 @@ CustomerAbsoluteDiscountShort=Bezwzględny rabat CompanyHasRelativeDiscount=Ten klient ma standardowy rabat %s%% CompanyHasNoRelativeDiscount=Ten klient domyślnie nie posiada względnego rabatu CompanyHasAbsoluteDiscount=Ten klient ma dostępny rabat (kredyty lub zaliczki) dla %s%s -CompanyHasDownPaymentOrCommercialDiscount=This customer has discount available (commercial, down payments) for %s %s +CompanyHasDownPaymentOrCommercialDiscount=Ten klient ma dostępny rabat (komercyjny, zaliczki) dla %s%s CompanyHasCreditNote=Ten klient nadal posiada noty kredytowe dla %s %s CompanyHasNoAbsoluteDiscount=Ten klient nie posiada punktów rabatowych CustomerAbsoluteDiscountAllUsers=Bezwzględne rabaty (przyznawane przez wszystkich użytkowników) diff --git a/htdocs/langs/pl_PL/compta.lang b/htdocs/langs/pl_PL/compta.lang index 769a891212e39..ed4c7b9569aba 100644 --- a/htdocs/langs/pl_PL/compta.lang +++ b/htdocs/langs/pl_PL/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Płatność nie dowiązana do żadnej faktury, więc PaymentsNotLinkedToUser=Płatnośc nie dowiązana do żadnego użytkownika Profit=Zysk AccountingResult=Wynik księgowy +BalanceBefore=Balance (before) Balance=Saldo Debit=Rozchody Credit=Kredyt diff --git a/htdocs/langs/pl_PL/donations.lang b/htdocs/langs/pl_PL/donations.lang index 74c207490d587..787d44a37e259 100644 --- a/htdocs/langs/pl_PL/donations.lang +++ b/htdocs/langs/pl_PL/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Pokaż artykuł 200 z CGI, jeśli obawiasz DONATION_ART238=Pokaż artykuł 238 z CGI, jeśli obawiasz DONATION_ART885=Pokaż artykuł 885 z CGI, jeśli obawiasz DonationPayment=Płatności Darowizna +DonationValidated=Donation %s validated diff --git a/htdocs/langs/pl_PL/errors.lang b/htdocs/langs/pl_PL/errors.lang index f843519a57593..62ebe49f72674 100644 --- a/htdocs/langs/pl_PL/errors.lang +++ b/htdocs/langs/pl_PL/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Puste wyrażenie ErrorPriceExpression21=Pusty wynik '%s' ErrorPriceExpression22=Wynik negatywny '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Wewnętrzny błąd '%s' ErrorPriceExpressionUnknown=Nieznany błąd '%s' ErrorSrcAndTargetWarehouseMustDiffers=Magazyn źródłowy i docelowy musi być różny diff --git a/htdocs/langs/pl_PL/holiday.lang b/htdocs/langs/pl_PL/holiday.lang index 1e80d8c5f8953..164418c393cc0 100644 --- a/htdocs/langs/pl_PL/holiday.lang +++ b/htdocs/langs/pl_PL/holiday.lang @@ -79,8 +79,8 @@ HolidaysCancelation=Anulowanie wniosku urlopowego EmployeeLastname=Nazwisko pracownika EmployeeFirstname=Imię pracownika TypeWasDisabledOrRemoved=Typ urlopu (id %s) zostało wyłączone lub usunięte -LastHolidays=Latest %s leave requests -AllHolidays=All leave requests +LastHolidays=Ostatnie %s wnioski urlopowe +AllHolidays=Wszystkie wnioski urlopowe ## Configuration du Module ## LastUpdateCP=Ostatnia automatyczna aktualizacja alokacji urlopów diff --git a/htdocs/langs/pl_PL/install.lang b/htdocs/langs/pl_PL/install.lang index 0032debd1ca45..062a4bf2f0a9d 100644 --- a/htdocs/langs/pl_PL/install.lang +++ b/htdocs/langs/pl_PL/install.lang @@ -139,8 +139,9 @@ KeepDefaultValuesDeb=Używasz kreatora instalacji Dolibarr z pakietu Linux (Ubut KeepDefaultValuesMamp=Używasz kreatora instalacji, więc zaproponowane wartości są zoptymalizowane. Zmieniaj je tylko jeśli wiesz co robisz. KeepDefaultValuesProxmox=Możesz skorzystać z kreatora konfiguracji Dolibarr z urządzeniem wirtualnym Proxmox, więc wartości zaproponowane tutaj są już zoptymalizowane. Zmieniaj je tylko jeśli wiesz co robisz. UpgradeExternalModule=Uruchom dedykowany proces uaktualniania modułów zewnętrznych -SetAtLeastOneOptionAsUrlParameter=Set at least one option as a parameter in URL. For example: '...repair.php?standard=confirmed' -NothingToDelete=Nothing to clean/delete +SetAtLeastOneOptionAsUrlParameter=Ustaw przynajmniej jedną opcję jako parametr w adresie URL. Na przykład: '...repair.php?standard=confirmed' +NothingToDelete=Nic do wyczyszczenia/usunięcia +NothingToDo=Nic do zrobienia ######### # upgrade MigrationFixData=Napraw nieznormalizowane dane @@ -192,10 +193,11 @@ MigrationActioncommElement=Aktualizacja danych na temat działań MigrationPaymentMode=Migracji danych w trybie płatności MigrationCategorieAssociation=Migracja kategorii MigrationEvents=Przenieś wydarzenie by dodać nowego właściciela do przypisanej tabeli. -MigrationEventsContact=Migration of events to add event contact into assignement table +MigrationEventsContact=Migracja zdarzeń w celu dodania kontaktu zdarzenia do tabeli przydziału MigrationRemiseEntity=Zaktualizuj wartość pola podmiotu llx_societe_remise MigrationRemiseExceptEntity=Zaktualizuj wartość pola podmiotu llx_societe_remise_except MigrationReloadModule=Odśwież moduł %s +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. diff --git a/htdocs/langs/pl_PL/languages.lang b/htdocs/langs/pl_PL/languages.lang index 584dd33153f19..b229b2f9a9889 100644 --- a/htdocs/langs/pl_PL/languages.lang +++ b/htdocs/langs/pl_PL/languages.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - languages Language_ar_AR=Arabski -Language_ar_EG=Arabic (Egypt) +Language_ar_EG=Arabski (Egipt) Language_ar_SA=Arabski Language_bn_BD=Bengalski Language_bg_BG=Bułgarski @@ -35,6 +35,7 @@ Language_es_PA=Hiszpański (Panama) Language_es_PY=Hiszpański (Paragwaj) Language_es_PE=Hiszpański (Peru) Language_es_PR=Hiszpański (Portoryko) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Hiszpański (Wenezuela) Language_et_EE=Estoński Language_eu_ES=Baskijski diff --git a/htdocs/langs/pl_PL/main.lang b/htdocs/langs/pl_PL/main.lang index eb16933ba82e1..1aef6729019c1 100644 --- a/htdocs/langs/pl_PL/main.lang +++ b/htdocs/langs/pl_PL/main.lang @@ -548,6 +548,18 @@ MonthShort09=wrz MonthShort10=paź MonthShort11=lis MonthShort12=gru +MonthVeryShort01=J +MonthVeryShort02=Pi +MonthVeryShort03=Po +MonthVeryShort04=A +MonthVeryShort05=Po +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Ni +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Dołączone pliki i dokumenty JoinMainDoc=Join main document DateFormatYYYYMM=RRRR-MM @@ -762,7 +774,7 @@ SetBankAccount=Przypisz konto bankowe AccountCurrency=Account currency ViewPrivateNote=Wyświetl notatki XMoreLines=%s lini(e) ukryte -ShowMoreLines=Pokaż więcej lini +ShowMoreLines=Show more/less lines PublicUrl=Publiczny URL AddBox=Dodaj skrzynke SelectElementAndClick=Wybierz element i kliknij %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Wszyscy +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/pl_PL/opensurvey.lang b/htdocs/langs/pl_PL/opensurvey.lang index 50ef898a11507..ab6b46ecbc613 100644 --- a/htdocs/langs/pl_PL/opensurvey.lang +++ b/htdocs/langs/pl_PL/opensurvey.lang @@ -57,4 +57,4 @@ ErrorInsertingComment=Wystąpił błąd podczas wstawiania twojego komentarza MoreChoices=Wprowadź więcej możliwości dla głosujących SurveyExpiredInfo=Ankieta została zamknięta lub upłynął termin ważności oddawania głosów. EmailSomeoneVoted=% S napełnił linię. Możesz znaleźć ankietę na link:% s -ShowSurvey=Show survey +ShowSurvey=Pokaż ankietę diff --git a/htdocs/langs/pl_PL/other.lang b/htdocs/langs/pl_PL/other.lang index 53216d966b44f..92d183684c15f 100644 --- a/htdocs/langs/pl_PL/other.lang +++ b/htdocs/langs/pl_PL/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Jeśli kwota wyższa niż %s SourcesRepository=Źródła dla repozytorium Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Wywóz obszarze diff --git a/htdocs/langs/pl_PL/products.lang b/htdocs/langs/pl_PL/products.lang index 0e93ce8fe0b72..130ec3d6a02d6 100644 --- a/htdocs/langs/pl_PL/products.lang +++ b/htdocs/langs/pl_PL/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Aktualna cena AlwaysUseNewPrice=Zawsze używaj aktualnej ceny produktu/usługi AlwaysUseFixedPrice=Zastosuj stałą cenę PriceByQuantity=Różne ceny według ilości +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Zakres ilości MultipriceRules=Price segment rules UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first segment diff --git a/htdocs/langs/pl_PL/projects.lang b/htdocs/langs/pl_PL/projects.lang index c3f0603cceb5b..a8355c6572eea 100644 --- a/htdocs/langs/pl_PL/projects.lang +++ b/htdocs/langs/pl_PL/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=W oczekiwaniu OppStatusWON=Won OppStatusLOST=Zagubiony Budget=Budżet +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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/pl_PL/propal.lang b/htdocs/langs/pl_PL/propal.lang index 33a35e25845b4..4dd74e785cb44 100644 --- a/htdocs/langs/pl_PL/propal.lang +++ b/htdocs/langs/pl_PL/propal.lang @@ -16,7 +16,7 @@ AddProp=Utwórz wniosek 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 +LastModifiedProposals=Ostatnich %s zmodyfikowanych ofert AllPropals=Wszystkie oferty SearchAProposal=Szukaj oferty NoProposal=No proposal diff --git a/htdocs/langs/pl_PL/sms.lang b/htdocs/langs/pl_PL/sms.lang index 15cc7e492da54..c221e3acb35ba 100644 --- a/htdocs/langs/pl_PL/sms.lang +++ b/htdocs/langs/pl_PL/sms.lang @@ -48,4 +48,4 @@ SmsInfoNumero= (W formacie międzynarodowym np.: +33899701761) DelayBeforeSending=Opóźnienie przed wysłaniem (w minutach) SmsNoPossibleSenderFound=Brak nadawcy. Sprawdź ustawienia dostawcy usług SMS. SmsNoPossibleRecipientFound=Odbiorca niedostępny. Sprawdź konfigurację dostawcy SMS. -DisableStopIfSupported=Disable STOP message (if supported) +DisableStopIfSupported=Wyłącz komunikat STOP (jeśli jest obsługiwany) diff --git a/htdocs/langs/pl_PL/website.lang b/htdocs/langs/pl_PL/website.lang index 463a25f2ecbf8..e47b9d00f0276 100644 --- a/htdocs/langs/pl_PL/website.lang +++ b/htdocs/langs/pl_PL/website.lang @@ -3,15 +3,17 @@ Shortname=Kod WebsiteSetupDesc=Stwórz tyle stron ile potrzebujesz. Następnie przejść do menu Strony WWW by je edytować DeleteWebsite=Skasuj stronę ConfirmDeleteWebsite=Jesteś pewny że chcesz skasować stronę? Całą jej zawartość zostanie usunięta. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Nazwa strony -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL zewnętrznego pliku CSS WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Biblioteka mediów EditCss=Edytuj styl / CSS lub nagłówek HTML EditMenu=Edytuj Menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=Brak stron 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Duplikuj stronę SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/pt_BR/accountancy.lang b/htdocs/langs/pt_BR/accountancy.lang index 4888ed7f9ac94..26cb9f5fc1712 100644 --- a/htdocs/langs/pt_BR/accountancy.lang +++ b/htdocs/langs/pt_BR/accountancy.lang @@ -106,7 +106,6 @@ ListOfProductsWithoutAccountingAccount=Lista de produtos não vinculados a qualq ChangeBinding=Alterar a vinculação AccountingJournals=Relatórios da contabilidade AccountingJournalType2=De vendas -OptionsDeactivatedForThisExportModel=Para este modelo de exportação, as opções são desativadas Selectmodelcsv=Escolha um modelo de exportação Modelcsv_CEGID=Exportação em direção CEGID Especialista em Contabilidade Modelcsv_COALA=Exportar para Sage Coala diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang index 4c12fbb803bc4..13a39d6bb8b0c 100644 --- a/htdocs/langs/pt_BR/admin.lang +++ b/htdocs/langs/pt_BR/admin.lang @@ -449,7 +449,6 @@ Module320Desc=Adiciona um RSS feed dentro das páginas de tela do Dolibarr Module330Name=Marcadores de Página Module330Desc=Gerenciamento de agendamentos Module400Name=Projetos -Module400Desc=Gestor de Projetos dentro de outros módulos Module410Desc=Integração do Webcalendar Module500Name=Taxas, Contribuições Sociais e Dividendos Module500Desc=Gestor Taxas, Contribuições Sociais e Dividentos diff --git a/htdocs/langs/pt_BR/banks.lang b/htdocs/langs/pt_BR/banks.lang index 5675ffd28f26d..187347403bc33 100644 --- a/htdocs/langs/pt_BR/banks.lang +++ b/htdocs/langs/pt_BR/banks.lang @@ -69,6 +69,7 @@ StatusAccountClosed=Inativa LineRecord=Transação AddBankRecord=Adicionar transação AddBankRecordLong=Adicionar manualmente uma transação +Conciliated=Conciliada ConciliatedBy=Reconciliado por DateConciliating=Data da reconciliação BankLineConciliated=Transação reconciliada diff --git a/htdocs/langs/pt_PT/accountancy.lang b/htdocs/langs/pt_PT/accountancy.lang index 5361051f88c00..98631a0879754 100644 --- a/htdocs/langs/pt_PT/accountancy.lang +++ b/htdocs/langs/pt_PT/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Número da peça TransactionNumShort=Núm. de transação AccountingCategory=Grupos personalizados GroupByAccountAccounting=Agrupar por conta contabilística -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +AccountingAccountGroupsDesc=You can define here some groups of accounting account. They will be used for personalized accounting reports. ByAccounts=Por contas ByPredefinedAccountGroups=By predefined groups ByPersonalizedAccountGroups=By personalized groups @@ -191,6 +191,7 @@ DescThirdPartyReport=Consulte aqui a lista de clientes e fornecedores e as suas ListAccounts=Lista de contas contabilísticas 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Este diário já está a ser utilizado ## Export ExportDraftJournal=Exportar o diário rascunho Modelcsv=Modelo de exportação -OptionsDeactivatedForThisExportModel=Para este modelo de exportação, as opções estão desativadas Selectmodelcsv=Selecione um modelo de exportação Modelcsv_normal=Exportação clássica Modelcsv_CEGID=Exportar relativamente a CEGID Expert Comptabilité @@ -254,7 +254,7 @@ Modelcsv_ciel=Exportar relativamente a Sage Ciel Compta ou Compta Evolution Modelcsv_quadratus=Exportar relativamente a Quadratus QuadraCompta Modelcsv_ebp=Exportar relativamente a EBP Modelcsv_cogilog=Exportar relativamente a Cogilog -Modelcsv_agiris=Exportar para Agiris (Teste) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=ID de plano de contas diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang index 8ed20c97c980c..682978c48e6a7 100644 --- a/htdocs/langs/pt_PT/admin.lang +++ b/htdocs/langs/pt_PT/admin.lang @@ -10,7 +10,7 @@ VersionDevelopment=Desenvolvimento VersionUnknown=Desconhecida VersionRecommanded=Recomendada FileCheck=Verificador da integridade dos ficheiros -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=Esta ferramenta permite que você verifique a integridade dos arquivos e a configuração do seu aplicativo, comparando cada arquivo com o oficial. O valor de algumas constantes de configuração também pode ser verificado. Você pode usar essa ferramenta para detectar se alguns arquivos foram modificados por um hacker, por exemplo. FileIntegrityIsStrictlyConformedWithReference=A integridade dos ficheiros é ajustada rigorosamente conforme a referência. FileIntegrityIsOkButFilesWereAdded=A verificação da integridade dos arquivos passou, no entanto, alguns arquivos novos foram adicionados. FileIntegritySomeFilesWereRemovedOrModified=A verificação da integridade dos ficheiros falhou. Alguns ficheiros foram modificados, removidos ou adicionados. @@ -40,8 +40,8 @@ WebUserGroup=Utilizador/grupo do servidor da Web NoSessionFound=O seu PHP parece não permitir a listagem das sessões ativas. A diretoria utilizada para guardar as sessões (%s) poderá estar protegida (por exemplo, pelas permissões do SO ou pela diretiva open_basedir PHP ). DBStoringCharset=Conjunto de carateres da base de dados para guardar os dados DBSortingCharset=Conjunto de carateres da base de dados para ordenar os dados -ClientCharset=Client charset -ClientSortingCharset=Client collation +ClientCharset=Jogo de caráter Cliente +ClientSortingCharset=Colação de clientes WarningModuleNotActive=O módulo %s deve estar ativado WarningOnlyPermissionOfActivatedModules=Só são mostradas aqui as permissões relacionadas com os módulos ativados. Pode ativar outros módulos em Início->Configuração->Módulos. DolibarrSetup=Instalar ou atualizar o Dolibarr @@ -127,11 +127,11 @@ DaylingSavingTime=Horário de verão CurrentHour=Hora do PHP (servidor) CurrentSessionTimeOut=Sessão atual expirou YouCanEditPHPTZ=Para definir um fuso horário diferente do PHP (não é necessário), você pode tentar adicionar um ficheiro .htaccess contendo uma linha como esta "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. +HoursOnThisPageAreOnServerTZ=Aviso, ao contrário de outras ecrans, as horas nesta página não estão no seu fuso horário local, mas para o fuso horário do servidor. Box=Widget Boxes=Widgets MaxNbOfLinesForBoxes=Número máximo de linhas para os widgets -AllWidgetsWereEnabled=All available widgets are enabled +AllWidgetsWereEnabled=Todos os widgets disponíveis estão habilitados PositionByDefault=Ordem predefinida Position=Posição MenusDesc=Os gestores de menu definem o conteúdo das duas barras de menu (horizontal e vertical) @@ -199,13 +199,13 @@ ModulesDeployDesc=Se as permissões no seu sistema de ficheiros o permitir, voc ModulesMarketPlaces=Procurar aplicações/módulos externos ModulesDevelopYourModule=Desenvolva as suas próprias aplicações/módulos ModulesDevelopDesc=Pode desenvolver ou encontrar um parceiro para desenvolver por você, o seu módulo personalizado -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)... +DOLISTOREdescriptionLong=Em vez de ligar o site www.dolistore.com para encontrar um módulo externo, você pode usar esta ferramenta incorporada que tornará a procura no mercado externo para você (pode ser lento, precisa de um acesso à internet) ... NewModule=Novo FreeModule=Livre CompatibleUpTo=Compatível com a versão %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 +NotCompatible=Este módulo não parece compatível com o seu Dolibarr %s (Min%s - Max%s). +CompatibleAfterUpdate=Este módulo requer uma atualização para o seu Dolibarr %s(Min%s-Max%s). +SeeInMarkerPlace=Veja no mercado de modulos Updated=Atualizado Nouveauté=Novidade AchatTelechargement=Comprar / Download @@ -213,7 +213,7 @@ GoModuleSetupArea=Para implementar/instalar um novo módulo, vá para a área de DoliStoreDesc=DoliStore, o mercado oficial para módulos externos Dolibarr ERP/CRM DoliPartnersDesc=Lista de empresas que desenvolvem módulos ou funcionalidades personalizadas (Nota: qualquer pessoa com experiência em programação PHP pode proporcionar o desenvolvimento personalizado para um projeto open source) WebSiteDesc=Indique sites de referência para encontrar mais módulos... -DevelopYourModuleDesc=Some solutions to develop your own module... +DevelopYourModuleDesc=Algumas soluções para desenvolver seu próprio módulo ... URL=Hiperligação BoxesAvailable=Aplicativos disponíveis BoxesActivated=Aplicativos ativados @@ -263,7 +263,7 @@ NewByMonth=Novo por mês Emails=Emails EMailsSetup=Configuração de emails EMailsDesc=Esta página permite substituir os parâmetros PHP relacionados com o envio de emails. Na maioria dos casos em sistemas operativos Unix/Linux, a configuração PHP está correta e estes parâmetros são inúteis. -EmailSenderProfiles=Emails sender profiles +EmailSenderProfiles=Perfis do remetente de e-mails MAIN_MAIL_SMTP_PORT=Porta de SMTP/SMTPS (Por predefinição no php.ini: %s) 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) @@ -285,7 +285,7 @@ UserEmail=Email do utilizador CompanyEmail=E-mail da empresa FeatureNotAvailableOnLinux=Funcionalidade não disponivel em sistemas Unix. Teste parâmetros sendmail localmente. SubmitTranslation=Se a tradução para esta lingua não estiver completa ou se encontrar erros, pode corrigi-los editando os ficheiros no diretório langs/%s e submetendo-os em 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=Se a tradução para este idioma não estiver completa ou você encontrar erros, você pode corrigir isso editando arquivos em idiomas de diretório langs/ %s e enviar arquivos modificados em dolibarr.org/forum ou para desenvolvedores em github.com/Dolibarr/dolibarr. ModuleSetup=Configuração do módulo ModulesSetup=Módulos/Aplicação - Configuração ModuleFamilyBase=Sistema @@ -310,7 +310,7 @@ StepNb=Passo %s FindPackageFromWebSite=Encontre um pacote que fornece a funcionalidade desejada (por exemplo, na página oficial %s). DownloadPackageFromWebSite=Descarregue o pacote (por exemplo, da página oficial %s). UnpackPackageInDolibarrRoot=Descompactar os ficheiros para a raiz da instalação Dolibarr: %s -UnpackPackageInModulesRoot=To deploy/install an external module, unpack the packaged files into the server directory dedicated to modules: %s +UnpackPackageInModulesRoot=Para implantar / instalar um módulo externo, descompacte os arquivos empacotados no diretório do servidor dedicado aos módulos:%s SetupIsReadyForUse=A instalação do módulo terminou. No entanto você deve ativar e configurar o módulo na sua aplicação, indo à página de configuração de módulos: %s. NotExistsDirect=O diretório raiz alternativo não está definido para um diretório existente.
InfDirAlt=Desde a versão 3 do Dolibarr que é possível definir um diretório raiz alternativo. Isto permite que você consiga armazenar plug-ins e templates, num diretório dedicado.
Para tal basta criar um dirétorio na raiz do Dolibarr (ex: dedicado).
@@ -409,12 +409,12 @@ ExtrafieldCheckBox=Caixas de marcação ExtrafieldCheckBoxFromList=Caixas de marcação da tabela ExtrafieldLink=Vincular a um objeto ComputedFormula=Campo calculado -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' +ComputedFormulaDesc=Você pode inserir aqui uma fórmula usando outras propriedades do objeto ou qualquer codificação PHP para obter um valor calculado dinâmico. Você pode usar todas as fórmulas compatíveis com PHP, incluindo o "?" operador de condição e seguinte objeto global: $db, $conf, $langs, $mysoc, $user, $object.
AVISO: Somente algumas propriedades de $object podem estar disponíveis. Se você precisa de propriedades não carregadas, basta buscar o objeto na sua fórmula, como no segundo exemplo.
Usando um campo calculado significa que você não pode entrar qualquer valor da interface. Além disso, se houver um erro de sintaxe, a fórmula pode retornar nada.

Exemplo de fórmula:
$object-> id <10? round ($object-> id / 2, 2): ($object-> id + 2 * $user-> id) * (int) substr($mysoc-> zip, 1, 2)

Exemplo para recarregar o objeto
(($reloadedobj = new Societe ($db)) && ($reloadedobj->fetch($obj-> id? $obj-> id: ($obj-> rowid? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options ['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

Outro exemplo de fórmula para forçar a carga do objeto e seu objeto pai:
(($reloadedobj = new Task ($db)) && ($reloadedobj->fetch ($object-> id)> 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj-> fetch($reloadedobj->fk_project)> 0)) ? $secondloadedobj->ref: 'Projeto pai não encontrado' ExtrafieldParamHelpselect=A lista de parâmetros tem seguir o seguinte esquema chave,valor (no qual a chave não pode ser '0')

por exemplo:
1,value1
2,value2
3,value3
...

Para que a lista dependa noutra lista de atributos complementares:
1,value1|options_parent_list_code:parent_key
2,value2|options_parent_list_code:parent_key

Para que a lista dependa doutra lista:
1,value1|parent_list_code:parent_key
2,value2|parent_list_code:parent_key ExtrafieldParamHelpcheckbox=A lista de valores tem de seguir o seguinte esquema chave,valor (onde a chave não pode ser '0')

por exemplo:
1,value1
2,value2
3,value3
... ExtrafieldParamHelpradio=A lista de valores tem de seguir o seguinte esquema chave,valor (onde a chave não pode ser '0')

por exemplo:
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 +ExtrafieldParamHelpsellist=Lista dos valores da tabela
sintaxe : table_name:label_field:id_field::filter
Exemplo : c_typent:libelle:id::filter

-idfilter é necessariamente uma chave primaria enteira
-filter (filtro) é um simples teste (ex active=1) para mostrar somente os valores activos
tem somente de usar $ID$ no filtro como corente id do objecto
Para fazer um SELECT no filtro use $SEL$
se quizer um filtro com extrafields use a sintax extra.fiedlcode=... (donde field code é o codigo do extrafield)

Para que a lista dependa de outra lista de atributos complementares:
c_typent:libelle:id:options_ parent_list_code |parent_column:filter

Para ter a lista dependendo de outra lista:
c_typent:libelle:id: parent_list_code |parent_column:filter +ExtrafieldParamHelpchkbxlst=Lista dos valores da tabela
sintaxe : table_name:label_field:id_field::filter
Exemplo : c_typent:libelle:id::filter

filter (filtro) é um simples teste (ex active=1) para mostrar somente os valores activos
tem somente de usar $ID$ no filtro como corente id do objecto
Para fazer um SELECT no filtro use $SEL$
se quizer um filtro com extrafields use a sintax extra.fiedlcode=... (donde field code é o codigo do extrafield)

Para que a lista dependa de outra lista de atributos complementares:
c_typent:libelle:id:options_ parent_list_code |parent_column:filter

Para ter a lista dependendo de outra lista:
c_typent:libelle:id: parent_list_code |parent_column:filter ExtrafieldParamHelplink=Os parâmetros devem ser ObjectName:Classpath
Syntax: ObjectName:Classpath
Exemplo: Societe:societe/class/societe.class.php LibraryToBuildPDF=Biblioteca utilizada para gerar PDF WarningUsingFPDF=Aviso: O seu ficheiro conf.php contém a diretiva dolibarr_pdf_force_fpdf=1. Isto significa que utiliza a biblioteca FPDF para gerar ficheiros PDF. Esta biblioteca está desatualizada e não suporta muitas funcionalidades (Unicode, transparência de imagens, línguas asiáticas, árabes ou cirílicas, ...), por isso você pode experienciar alguns erros durante a produção de PDFs.
Para resolver isto e para ter suporte completo para produção de PDF, por favor descarregue a biblioteca TCPDF, comente ou remova a linha $dolibarr_pdf_force_fpdf=1, e adicione $dolibarr_lib_TCPDF_PATH='path_to_TCPDF_dir' @@ -442,31 +442,31 @@ NoDetails=Sem mais detalhes no rodapé DisplayCompanyInfo=Exibir morada da empresa DisplayCompanyManagers=Mostrar nomes dos gestores DisplayCompanyInfoAndManagers=Exibir a morada da empresa e menus de gestor -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. -ModuleCompanyCodeAquarium=Return an accounting code built by:
%s followed by third party supplier code for a supplier accounting code,
%s followed by third party customer code for a customer accounting code. +EnableAndSetupModuleCron=Se você deseja que esta fatura periódica seja gerada automaticamente, o módulo *1 %s* deve ser habilitado e configurado corretamente. Caso contrário, a geração de faturas deve ser feita manualmente a partir deste modelo com o botão * Criar *. Observe que, mesmo que você tenha ativado a geração automática, você ainda pode iniciar com segurança a geração manual. A geração de duplicatas para o mesmo período não é possível. +ModuleCompanyCodeAquarium=Retorno de um código de contabilidade construído por:
%s seguido do código de fornecedor de terceiros para um código de contabilidade do fornecedor,
%s seguido do código de cliente de terceiros para um código de contabilidade do cliente. ModuleCompanyCodePanicum=Retornar um código de contabilidade vazio. -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. +ModuleCompanyCodeDigitaria=O código de contabilidade depende do código de terceiros. O código é composto pelo caractere "C" na primeira posição seguida pelos primeiros 5 caracteres do código de terceiros. +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: Some email providers (like Yahoo) does not allow you to send an email from another server than the Yahoo server if the email address used as a sender is your Yahoo email (like myemail@yahoo.com, myemail@yahoo.fr, ...). Your current setup use the server of the application to send email, so some recipients (the one compatible with the restrictive DMARC protocol), will ask Yahoo if they can accept your email and Yahoo will respond "no" because the server is not a server owned by Yahoo, so few of your sent Emails may not be accepted.
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=AVISO: alguns provedores de e-mail (como o Yahoo) não permitem que você envie um e-mail de outro servidor que o servidor Yahoo se o endereço de e-mail usado como remetente é seu e-mail do Yahoo (como myemail@yahoo.com, myemail@yahoo.fr, ...). A sua configuração atual usa o servidor do aplicativo para enviar e-mail, de modo que alguns destinatários (o compatível com o protocolo DMARC restritivo) perguntarão ao Yahoo se eles podem aceitar seu e-mail e o Yahoo responderá "não" porque o servidor não é um servidor Propriedade do Yahoo, então poucos de seus e-mails enviados podem não ser aceitos.
Se o seu provedor de e-mail (como o Yahoo) tiver essa restrição, você deve alterar a configuração de e-mail para escolher o outro método "Servidor SMTP" e digitar o servidor SMTP e as credenciais fornecidas por seu provedor de e-mail (peça ao seu provedor de E-mail para obter credenciais SMTP para sua conta). 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) -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 +TheKeyIsTheNameOfHtmlField=Este é o nome do campo HTML. Esta necessidade de ter conhecimentos técnicos para ler o conteúdo da página HTML para obter o nome-chave de um campo. +PageUrlForDefaultValues=Você deve inserir aqui a URL relativa da página. Se você incluir parâmetros em URL, os valores padrão serão efetivos se todos os parâmetros estiverem configurados para o mesmo valor. Exemplos: +PageUrlForDefaultValuesCreate=
Para que o formulário crie um novo treceiro, é%s,
se você quiser o valor padrão somente se url tiver algum parâmetro, você pode usar%s +PageUrlForDefaultValuesList=
Para a página que lista terceiros, é%s,
se você quiser o valor padrão somente se url tiver algum parâmetro, você pode usar%s EnableDefaultValues=Permitir o uso de valores predefinidos personalizados EnableOverwriteTranslation=Permitir o uso da tradução substituída -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. +GoIntoTranslationMenuToChangeThis=Uma tradução foi encontrada para a chave com este código, então, para alterar esse valor, você deve editá-lo para a tradução do Home-Setup. +WarningSettingSortOrder=Aviso, definir uma ordem de classificação padrão pode resultar em um erro técnico ao entrar na página da lista se o campo for um campo desconhecido. Se você tiver um erro desse tipo, volte para esta página para remover a ordem de classificação padrão e restaurar o comportamento padrão. Field=Campo ProductDocumentTemplates=Modelos de documento para gerar documento do produto FreeLegalTextOnExpenseReports=Texto legal livre nos relatórios de despesas WatermarkOnDraftExpenseReports=Marca d'água nos rascunhos de relatórios de despesa AttachMainDocByDefault=Defina isto como 1 se desejar anexar o documento principal ao email por defeito (se aplicável) FilesAttachedToEmail=Anexar ficheiro -SendEmailsReminders=Send agenda reminders by emails +SendEmailsReminders=Envie lembretes da agenda por e-mails # Modules Module0Name=Utilizadores e grupos Module0Desc=Gestão de Utilizadores / Funcionários e Grupos @@ -539,7 +539,7 @@ 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 ou leads. Depois você pode atribuir qualquer elemento (fatura, encomenda, proposta, intervenção, ...) a um projeto e obter uma vista transversal do mesmo. +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=Webcalendar Module410Desc=Integração com Webcalendar Module500Name=Despesas especiais @@ -549,8 +549,8 @@ Module510Desc=Registe o seguinte pagamento dos ordenados do seu funcionário Module520Name=Empréstimo Module520Desc=Gestão de empréstimos Module600Name=Notificações sobre eventos comerciais -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=Envio de Email de notificação (desactiva para alguns eventos de negocio) para utilisadores (na configuração define-se cada usuário), para os contactos dos terceiros (na configuração define-se os terceiros) ou os emails defenidos. +Module600Long=Observe que este módulo é dedicado a enviar emails em tempo real quando ocorre um evento comercial dedicado. Se você está procurando um recurso para enviar lembretes por e-mail de seus eventos da agenda, entre na configuração do módulo Agenda. Module700Name=Donativos Module700Desc=Gestão de donativos Module770Name=Relatórios de despesas @@ -587,7 +587,7 @@ Module2900Desc=Capacidades de conversões GeoIP Maxmind Module3100Name=Skype Module3100Desc=Adicionar um botão Skype nas fichas dos usuários/terceiros/contactos/membros Module3200Name=Registos irreversíveis -Module3200Desc=Activate log of some business events into a non reversible log. Events are archived in real-time. The log is a table of chained event that can be then read and exported. This module may be mandatory for some countries. +Module3200Desc=Active o log de alguns eventos comerciais em um registro não reversível. Os eventos são arquivados em tempo real. O log é uma tabela de eventos encadeados que podem ser lidos e exportados. Este módulo pode ser obrigatório para alguns países. Module4000Name=GRH Module4000Desc=Gestão de recursos humanos (gestão de departamento e contratos de funcionários) Module5000Name=Multiempresa @@ -595,17 +595,17 @@ Module5000Desc=Permite-lhe gerir várias empresas Module6000Name=Fluxo de trabalho Module6000Desc=Gestão do fluxo de trabalho Module10000Name=Sites da 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. +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 Module20000Desc=Declarar e seguir os pedidos de licença dos funcionários Module39000Name=Lote do produto Module39000Desc=Gestão de produtos por lotes ou números de série 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=Modulo que permite pagina online de pagamento com cartões de crédito/débito via PayBox. Pode ser utilisado para permitir ao cliente para fazer pagamentos libre ou pagamentos ligados a objetos do Dolibarr (faturas, encomendas, ...) Module50100Name=Ponto de vendas Module50100Desc=Modúlo de ponto de vendas (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=Modulo que permite pagina online de pagamento aceitando pagamentos utilisando PayPal (cartões de crédito ou crédito PayPal). Pode ser utilisado para permitir ao cliente para fazer pagamentos libre ou pagamentos ligados a objetos do Dolibarr (faturas, encomendas, ...) Module50400Name=Contabilidade (avançada) Module50400Desc=Gestão de contabilidade (dupla entrada, suporta registos gerais e auxiliares) Module54000Name=PrintIPP @@ -884,13 +884,13 @@ DictionaryTypeContact=Tipos de contacto/endereço DictionaryEcotaxe=Ecotax (WEEE) DictionaryPaperFormat=Formatos de Papel DictionaryFormatCards=Formatos das fichas -DictionaryFees=Expense report - Types of expense report lines +DictionaryFees=Relatório de despesas - Tipo de linhas no relatório de despesas DictionarySendingMethods=Métodos de expedição DictionaryStaff=Empregados DictionaryAvailability=Atraso na entrega DictionaryOrderMethods=Métodos de encomenda DictionarySource=Origem de orçamentos/encomendas -DictionaryAccountancyCategory=Grupos personalizados +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modelos para o gráfíco de contas DictionaryAccountancyJournal=Diários contabilisticos DictionaryEMailTemplates=Modelos de emails @@ -898,12 +898,13 @@ DictionaryUnits=Unidades DictionaryProspectStatus=Estado da prospeção DictionaryHolidayTypes=Tipos de licença DictionaryOpportunityStatus=Estado da oportunidade para o projeto/lead -DictionaryExpenseTaxCat=Expense report - Transportation categories -DictionaryExpenseTaxRange=Expense report - Range by transportation category +DictionaryExpenseTaxCat=Relatório de despesas - categorias de transporte +DictionaryExpenseTaxRange=Relatório de despesas - Escala por categoria de transporte 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=Type of revenue 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. @@ -1110,7 +1111,7 @@ MAIN_PROXY_PASS=Palavra-passe para utilizar o servidor proxy DefineHereComplementaryAttributes=Defina aqui todos os atributos complementares, que não estejam disponíveis por defeito, e que deseja que seja suportado por %s. ExtraFields=Atributos complementares ExtraFieldsLines=Atributos complementares (linhas) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsLinesRec=Atributos complementares (linhas de faturas de modelos) ExtraFieldsSupplierOrdersLines=Atributos complementares (linhas da encomenda) ExtraFieldsSupplierInvoicesLines=Atributos complementares (linhas da fatura) ExtraFieldsThirdParties=Atributos complementares (terceiro) @@ -1132,7 +1133,7 @@ SendmailOptionMayHurtBuggedMTA=Funcionalidade para enviar e-mails usando o méto TranslationSetup=Configuração da tradução TranslationKeySearch=Procurar uma chave ou texto de tradução TranslationOverwriteKey=Modificar o texto de uma tradução -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). +TranslationDesc=Como seleccionar os idiomas do aplicativo exibidos :
* Sistema amplo : menu Inicio - Configuração - Display
*Por usuário: use o usuário configuração display guia da ficha usuário (clic no nome do usuário no cima do écran). TranslationOverwriteDesc=Você pode substituir as traduções na seguinte tabela. Escolha o seu idioma na caixa de seleção "%s", insira a chave tradução rm "%s" e sua nova tradução em "%s" TranslationOverwriteDesc2=Você pode utilizar o outro separador para ajudá-lo a saber a chave de tradução que tem de usar TranslationString=Texto de tradução @@ -1140,7 +1141,7 @@ CurrentTranslationString=Texto de tradução atual WarningAtLeastKeyOrTranslationRequired=É necessário pelo menos um critério de pesquisa para a chave ou texto de tradução NewTranslationStringToShow=Novo texto de tradução a exibir OriginalValueWas=A tradução original foi alterada. O valor original era:

%s -TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exists in any language files +TransKeyWithoutOriginalValue=Você forçou uma nova tradução para a chave de tradução '%s' que não existe em nenhum arquivo de idioma TotalNumberOfActivatedModules=Aplicação/módulos ativados: %s / %s YouMustEnableOneModule=Deve ativar, pelo menos, 1 módulo ClassNotFoundIntoPathWarning=A classe %s não foi encontrada no caminho PHP @@ -1271,7 +1272,7 @@ LDAPSynchronizeUsers=Sincronização dos utilizadores com LDAP LDAPSynchronizeGroups=Sincronização dos grupos de utilizadores com LDAP LDAPSynchronizeContacts=Sincronização dos contactos com LDAP LDAPSynchronizeMembers=Sincronização dos membros da fundação com LDAP -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPSynchronizeMembersTypes=Organização dos tipos de membros da fundação no LDAP LDAPPrimaryServer=Servidor primario LDAPSecondaryServer=Servidor secundario LDAPServerPort=Porta do servidor @@ -1295,7 +1296,7 @@ LDAPDnContactActive=Sincronização de contactos LDAPDnContactActiveExample=Sincronização ativada/desativada LDAPDnMemberActive=Sincronização de membros LDAPDnMemberActiveExample=Sincronização ativada/desativada -LDAPDnMemberTypeActive=Members types' synchronization +LDAPDnMemberTypeActive=Sincronização de tipos de membros LDAPDnMemberTypeActiveExample=Sincronização ativada/desativada LDAPContactDn=DN dos contactos Dolibarr LDAPContactDnExample=DN completo (ex: ou=contacts,dc=example,dc=com) @@ -1303,8 +1304,8 @@ LDAPMemberDn=DN dos membros Dolibarr LDAPMemberDnExample=DN completo (ex: ou=members,dc=example,dc=com) LDAPMemberObjectClassList=Lista de objectClass LDAPMemberObjectClassListExample=Lista de objectClass que definem os atributos de registo (ex: top,inetOrgPerson or top,user for active directory) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=Dolibarr membros tipos DN +LDAPMemberTypepDnExample=DN completo (ex: ou = memberstypes, dc = exemplo, dc = com) LDAPMemberTypeObjectClassList=Lista de objectClass LDAPMemberTypeObjectClassListExample=Lista de objectClass que definem os atributos de registo (ex: top,groupOfUniqueNames) LDAPUserObjectClassList=Lista de objectClass @@ -1318,7 +1319,7 @@ LDAPTestSynchroContact=Teste a sincronização de contactos LDAPTestSynchroUser=Testar a sincronização de utilizadores LDAPTestSynchroGroup=Testar a sincronização de grupos LDAPTestSynchroMember=Testar a sincronização de membros -LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSynchroMemberType=Sincronização do tipo de membro do teste LDAPTestSearch= Testar pesquisa LDAP LDAPSynchroOK=Teste de sincronização realizado com sucesso LDAPSynchroKO=O teste de sincronização falhou @@ -1384,7 +1385,7 @@ LDAPDescContact=Esta página permite definir o nome dos atributos da árvore LDA LDAPDescUsers=Esta página permite definir o nome dos atributos da árvore LDAP para cada utilizador registado no Dolibarr. LDAPDescGroups=Esta página permite definir o nome dos atributos da árvore LDAP para cada grupo registado no Dolibarr. LDAPDescMembers=Esta página permite definir o Nome dos atributos da árvore LDAP para cada membro registado no Dolibarr. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=Esta página permite que você defina o nome dos atributos LDAP na árvore LDAP para cada dado encontrado nos tipos de membros do Dolibarr. LDAPDescValues=Os valores de exemplo foram construídos para o OpenLDAP com os seguintes esquemas carregados: core.schema, cosine.schema, inetorgperson.schema. Se você utiliza esses valores e o OpenLDAP, então modifique o seu ficheiro de configuração LDAP, slapd.conf, para carregar todos esses esquemas. ForANonAnonymousAccess=Para um acesso autentificado PerfDolibarr=Relatório de configuração/otimização de desempenho @@ -1402,15 +1403,15 @@ FilesOfTypeNotCached=Ficheiros do tipo %s não são guardados na cache do servid FilesOfTypeCompressed=Ficheiros do tipo %s são comprimidos pelo servidor HTTP FilesOfTypeNotCompressed=Ficheiros do tipo %s não são comprimidos pelo servidor HTTP CacheByServer=Cache pelo servidor -CacheByServerDesc=For exemple using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=Por exemplo, usando a diretiva Apache "ExpiresByType image / gif A2592000" CacheByClient=Cache pelo navegador CompressionOfResources=Compressão das respostas HTTP CompressionOfResourcesDesc=Por exemplo, usando a diretiva Apache "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=A detecção automática não é possível com os navegadores atuais -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=Você pode definir / forçar aqui o valor padrão que deseja obter quando criar um novo registro e / ou defautar filtros ou ordem de classificação quando o registro da lista. +DefaultCreateForm=Valores padrão (nos formulários a serem criados) DefaultSearchFilters=Filtros de pesquisa predefinidos -DefaultSortOrder=Default sort orders +DefaultSortOrder=Pedidos de classificação padrão DefaultFocus=Campos de foco predefinidos ##### Products ##### ProductSetup=Configuração do módulo "Produtos" @@ -1559,8 +1560,8 @@ AGENDA_USE_EVENT_TYPE_DEFAULT=Definir este valor automaticamente como o valor pr AGENDA_DEFAULT_FILTER_TYPE=Definir automaticamente este tipo de evento no filtro de pesquisa da vista agenda AGENDA_DEFAULT_FILTER_STATUS=Definido automaticamente este estado para eventos no filtro de pesquisa da vista agenda AGENDA_DEFAULT_VIEW=Qual é o separador que você deseja abrir por defeito quando seleciona o 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_EMAIL=Ativar lembrete de eventos por e-mails (lembrar opção / atraso pode ser definido em cada evento). Nota: O módulo %sdeve estar habilitado e configurado corretamente para que o lembrete seja enviado na freqüência correta. +AGENDA_REMINDER_BROWSER=Ativar lembrete de eventos no navegador de usuários (quando a data do evento é atingida, cada usuário pode recusar isso a partir da pergunta de confirmação do navegador) AGENDA_REMINDER_BROWSER_SOUND=Ativar notificação sonora AGENDA_SHOW_LINKED_OBJECT=Mostrar o objeto associado na vista de agenda ##### Clicktodial ##### @@ -1597,7 +1598,7 @@ ApiProductionMode=Ativar o modo de produção (isto irá ativar uso de uma cache ApiExporerIs=Você pode explorar e testar as APIs no URL OnlyActiveElementsAreExposed=Somente os elementos de módulos ativados é que estão expostos ApiKey=Chave para a 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=O explorador da API foi desativado. O explorador da API não é necessário para fornecer serviços de API. É uma ferramenta para o desenvolvedor encontrar / testar APIs REST. Se você precisar desta ferramenta, entre na configuração do módulo API REST para ativá-la. ##### Bank ##### BankSetupModule=Configuração do módulo "Bancário" FreeLegalTextOnChequeReceipts=Texto livre em recibos de pagamento em cheque @@ -1628,7 +1629,7 @@ ProjectsSetup=Configuração do módulo "Projetos" ProjectsModelModule=Modelo de documento para relatórios de projeto TasksNumberingModules=Módulo de numeração de tarefas TaskModelModule=Modelo de documento dos relatórios de tarefasl -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=Espere antes de presar a chave que carregue o conteúdo da lista de combinação de projetos (Isso pode aumentar o desempenho se você tiver um grande número de projetos, mas é menos conveniente) ##### ECM (GED) ##### ##### Fiscal Year ##### AccountingPeriods=Períodos de contabilidade @@ -1653,8 +1654,8 @@ TypePaymentDesc=0:Tipo de pagamento de cliente, 1:Tipo de pagamento de fornecedo IncludePath=Caminho para o dirétorio "include" (definido na variável %s) ExpenseReportsSetup=Configuração do módulo "Relatórios de Despesas" TemplatePDFExpenseReports=Modelos de documentos para a produção de relatórios de despesa -ExpenseReportsIkSetup=Setup of module Expense Reports - Milles index -ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules +ExpenseReportsIkSetup=Configuração do módulo Relatórios de despesas - Índice Milhas +ExpenseReportsRulesSetup=Configuração do módulo Relatórios de despesas - Regras ExpenseReportNumberingModules=Módulo de numeração de relatórios de despesas NoModueToManageStockIncrease=Não foi ativado nenhum módulo capaz de efetuar a gestão automática do acréscimo de stock. O acrescimo de stock será efetuado manualmente. YouMayFindNotificationsFeaturesIntoModuleNotification=Poderá encontrar as opções das notificações por email ao ativar e configurar o módulo "Notificação". @@ -1668,7 +1669,7 @@ BackupDumpWizard=Assistente para construir o ficheiro dump de backup da base de SomethingMakeInstallFromWebNotPossible=Instalação do módulo externo não é possível a partir da interface web pelo seguinte motivo: SomethingMakeInstallFromWebNotPossible2=Por este motivo, o processo de atualização descrito aqui é apenas manual que um utilizador privilegiado pode efetuar. InstallModuleFromWebHasBeenDisabledByFile=Instalação de um módulo externo da aplicação foi desativada pelo seu administrador. Você deve pedir-lhe para remover o ficheiro %s para permitir esta funcionalidade. -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=Instalar ou construir um módulo externo do aplicativo precisa salvar os arquivos do módulo no diretório. %sPara que este diretório seja processado pelo Dolibarr, você deve configurar seu conf/conf.php para adicionar as 2 linhas diretivas:
$dolibarr_main_url_root_alt ='/ custom';
$dolibarr_main_document_root_alt='%s/ custom'; HighlightLinesOnMouseHover=Realçar as linhas da tabela quando o rato passar sobre elas HighlightLinesColor=Realçar a cor da linha quando o rato passa por cima (manter vazio para não realçar) TextTitleColor=Cor do título da página @@ -1689,7 +1690,7 @@ UnicodeCurrency=Digite aqui entre parêntesis retos, a lista de bytes que repre ColorFormat=As cores RGB está no formato HEX, por exemplo: FF0000 PositionIntoComboList=Posição da linha nas listas de seleção SellTaxRate=Taxa de imposto de venda -RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. +RecuperableOnly=Sim para IVA "Não Percebido, mas Recuperável" dedicado a algum regiões ultramarinas da França. Mantenha o valor de "Não" em todos os outros casos.\n\n UrlTrackingDesc=Se a transportadora oferecer uma página da Internet para verificar o estado da sua encomenda, pode introduzi-lo aqui. Você pode usar a chave {TRACKID} nos parâmetros do URL para que o sistema possa substituí-lo na ficha de expedição. OpportunityPercent=Quando você cria uma oportunidade, você vai definir um valor estimado de projeto/lead. De acordo com o estado da oportunidade, este montante poderá ser multiplicado por esta taxa para avaliar o montante global que todas as suas oportunidades pode gerar. O valor é percentual (entre 0 e 100). TemplateForElement=Este registo modelo é dedicado a qual elemento @@ -1720,11 +1721,11 @@ TitleExampleForMajorRelease=Exemplo de mensagem que você pode usar para anuncia TitleExampleForMaintenanceRelease=Exemplo de mensagem que você pode usar para anunciar esta versão de manutenção (sinta-se livre para usá-la nas suas páginas da Internet) ExampleOfNewsMessageForMajorRelease=O Dolibarr ERP e CRM %s está disponível. A versão %s é um grande lançamento com várias funcionalidades novas. Você pode transferi-lo a partir da área de downloads do portal https://www.dolibarr.org (subdiretório: versões estáveis). Você pode ler o ChangeLog para consultar a lista completa de alterações. ExampleOfNewsMessageForMaintenanceRelease=O Dolibarr ERP e CRM %s está disponível. A versão %s é uma versão de manutenção, por isso contém apenas correções de bugs. Recomendamos que atualize para este. Como com qualquer versão de manutenção, não há novas funcionalidades, nem foi mudada a estrutura de dados presente nesta versão. Você pode transferi-lo a partir da área de downloads da página https://www.dolibarr.org (subdiretório: versões estáveis). Você pode consultar ChangeLog para a lista completa de alterações. -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=Quando a opção "Vários níveis de preços por produto / serviço" está ativada, você pode definir diferentes preços (um por nível de preço) para cada produto. Para economizar tempo, você pode inserir aqui uma regra para que o preço de cada nível seja calculado automaticamente de acordo com o preço do primeiro nível, então você terá que inserir apenas o preço do primeiro nível em cada produto. Esta página está aqui para poupar tempo e pode ser útil somente se seus preços para cada nível forem relativos ao primeiro nível. Você pode ignorar esta página na maioria dos casos. ModelModulesProduct=Modelos para documentos de produto ToGenerateCodeDefineAutomaticRuleFirst=Para ser possível criar códigos automaticamente, você deve primeiro definir um gestor para auto definir o número de código de barras. SeeSubstitutionVars=Veja a nota * para uma lista de possíveis variáveis ​​de substituição -SeeChangeLog=See ChangeLog file (english only) +SeeChangeLog=Consulte o arquivo ChangeLog (somente em inglês) AllPublishers=Todos os editores UnknownPublishers=Editores desconhecidos AddRemoveTabs=Adicionar ou remover separadores @@ -1743,19 +1744,19 @@ AddOtherPagesOrServices=Adicionar outras páginas ou serviços AddModels=Adicionar modelos de documento ou numeração AddSubstitutions=Adicionar substituições de chaves DetectionNotPossible=Deteção não é possível -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) +UrlToGetKeyToUseAPIs=Url para obter token para usar API (uma vez que o token foi recebido é salvo na tabela de usuário do banco de dados e deve ser fornecido em cada chamada de API) ListOfAvailableAPIs=Lista de APIs disponíveis activateModuleDependNotSatisfied=O módulo "%s" depende do módulo "%s" que está em falta, então o módulo "%1$s" poderá não funcionar corretamente. Instale o módulo "%2$s" ou desabilite o módulo "%1$s" -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. +CommandIsNotInsideAllowedCommands=O comando que você tenta executar não está dentro da lista de comandos permitidos definidos no parâmetro $dolibarr_main_restrict_os_commands no arquivo conf.php. LandingPage=Página Inicial SamePriceAlsoForSharedCompanies=Se utiliza a opção multi-empresa, com a escolha de "Preço único", o preço será igual em todas as empresas, se o produto for partilhado entre as empresas ModuleEnabledAdminMustCheckRights=O módulo foi ativado. As permissões para o(s) módulo(s) ativado(s) foram adicionadas apenas aos utilizadores administradores. Talvez seja necessário conceder permissões para outros utilizadores ou grupos manualmente. UserHasNoPermissions=Este utilizador não tem permissões definidas -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") +TypeCdr=Use "Nenhum" se a data do prazo de pagamento for a data da fatura mais um delta em dias (o delta é o campo "Nb de dias")
Use "No final do mês", se, após o delta, a data deve ser aumentada para alcançar o fim de mês (+ opcional "Offset" em dias)
Use "Current / Next" para que a data do prazo de pagamento seja o primeiro Nth do mês (N é armazenado no campo "Nb de dias") BaseCurrency=Moeda de referência da empresa (vá à configuração da empresa para alterar) WarningNoteModuleInvoiceForFrenchLaw=Este módulo %s está de acordo com as leis francesas (Loi Finance 2016). WarningNoteModulePOSForFrenchLaw=Este módulo %s está de acordo com as leis francesas (Loi Finance 2016) porque o módulo Registos Não Reversíveis é ativado automaticamente. -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=Você tenta instalar o módulo %sque é um módulo externo. A ativação de um módulo externo significa que você confia na editora do módulo e tem certeza de que este módulo não altera negativamente o comportamento do seu aplicativo e está em conformidade com as leis do seu país (%s). Se o módulo traz uma característica não legal, você se torna responsável pelo uso de um software não legal. MAIN_PDF_MARGIN_LEFT=Margem esquerda do PDF MAIN_PDF_MARGIN_RIGHT=Margem direita do PDF MAIN_PDF_MARGIN_TOP=Margem superior do PDF @@ -1765,3 +1766,4 @@ ResourceSetup=Configuração do módulo Recursos UseSearchToSelectResource=Utilizar um formulário de pesquisa para escolher um recurso (em vez de uma lista) DisabledResourceLinkUser=Desativar o link do recurso para o utilizador DisabledResourceLinkContact=Desativar o link do recurso para o contacto +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/pt_PT/banks.lang b/htdocs/langs/pt_PT/banks.lang index bef5d7dd4abb6..2462d79b52a77 100644 --- a/htdocs/langs/pt_PT/banks.lang +++ b/htdocs/langs/pt_PT/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Número LineRecord=Registo AddBankRecord=Adicionar entrada AddBankRecordLong=Adicionar entrada manualmente +Conciliated=Reconciled ConciliatedBy=Conciliado por DateConciliating=Data Conciliação BankLineConciliated=Entrada reconciliada diff --git a/htdocs/langs/pt_PT/bills.lang b/htdocs/langs/pt_PT/bills.lang index bc33dee737e2d..6c84650674b8e 100644 --- a/htdocs/langs/pt_PT/bills.lang +++ b/htdocs/langs/pt_PT/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Pagamentos em atraso BillsStatistics=Estatísticas das faturas de clientes BillsStatisticsSuppliers=Estatísticas das faturas de fornecedores +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Desativar porque não pode ser eliminado InvoiceStandard=Fatura Normal InvoiceStandardAsk=Fatura Normal @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Porque é que pretende classificar esta fatura como 'a ConfirmClassifyPaidPartially=Tem a certeza que pretende alterar a fatura %s para o estado de paga? 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. +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=Cliente devedor diff --git a/htdocs/langs/pt_PT/compta.lang b/htdocs/langs/pt_PT/compta.lang index 642deec7427f7..72dd3cef12a73 100644 --- a/htdocs/langs/pt_PT/compta.lang +++ b/htdocs/langs/pt_PT/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Pagamentos vinculados a nenhuma factura, sem Terceiro PaymentsNotLinkedToUser=Pagamentos não vinculados a um utilizador Profit=Beneficio AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Saldo Debit=Débito Credit=Crédito diff --git a/htdocs/langs/pt_PT/donations.lang b/htdocs/langs/pt_PT/donations.lang index 3713d63f75b45..f9331e1eebf9d 100644 --- a/htdocs/langs/pt_PT/donations.lang +++ b/htdocs/langs/pt_PT/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Mostrar artigo 200 de CGI se estiver preocupado DONATION_ART238=Mostrar artigo 238 de CGI se estiver preocupado DONATION_ART885=Mostrar artigo 885 de CGI se estiver preocupado DonationPayment=Pagamento do donativo +DonationValidated=Donation %s validated diff --git a/htdocs/langs/pt_PT/errors.lang b/htdocs/langs/pt_PT/errors.lang index 2d2ed1a70a661..f45c07e51a9c7 100644 --- a/htdocs/langs/pt_PT/errors.lang +++ b/htdocs/langs/pt_PT/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Os armazéns de origem e de destino não devem ser iguais diff --git a/htdocs/langs/pt_PT/install.lang b/htdocs/langs/pt_PT/install.lang index 846fbb2ab494d..63279668b9375 100644 --- a/htdocs/langs/pt_PT/install.lang +++ b/htdocs/langs/pt_PT/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Você usa o assistente de configuração Dolibarr de um UpgradeExternalModule=Corra o processo de atualização dedicado dos módulos externos 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 ######### # upgrade MigrationFixData=Correção para os dados não normalizados @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Atualize o valor do campo entity da tabela llx_societe_remise MigrationRemiseExceptEntity=Atualize o valor do campo entity da tabela llx_societe_remise_except MigrationReloadModule=Recarregar módulo %s +MigrationResetBlockedLog=Reset module BlockedLog for v7 algorithm 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. diff --git a/htdocs/langs/pt_PT/languages.lang b/htdocs/langs/pt_PT/languages.lang index bb06e828349e5..1b8f69078eb93 100644 --- a/htdocs/langs/pt_PT/languages.lang +++ b/htdocs/langs/pt_PT/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Espanhol (Panamá) Language_es_PY=Espanhol (Paraguai) Language_es_PE=Espanhol (Peru) Language_es_PR=Espanhol (Porto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Espanhol (Venezuela) Language_et_EE=Estónio Language_eu_ES=Basco diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang index 8f508ff6d503c..3dcb706b8ce69 100644 --- a/htdocs/langs/pt_PT/main.lang +++ b/htdocs/langs/pt_PT/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep. MonthShort10=Out. MonthShort11=Nov. MonthShort12=Dez. +MonthVeryShort01=J +MonthVeryShort02=Sex +MonthVeryShort03=Seg +MonthVeryShort04=A +MonthVeryShort05=Seg +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Dom +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Ficheiros e Documentos Anexos JoinMainDoc=Unir ao documento principal DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Definir Conta Bancária AccountCurrency=Moeda da conta ViewPrivateNote=Ver notas XMoreLines=%s linhas(s) ocultas -ShowMoreLines=Mostre mais linhas +ShowMoreLines=Show more/less lines PublicUrl=URL público AddBox=Adicionar Caixa SelectElementAndClick=Selecione um elemento e clique em %s @@ -900,3 +912,5 @@ CommentPage=Espaço de comentários CommentAdded=Comentário adicionado CommentDeleted=Comentário eliminado Everybody=Toda a Gente +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/pt_PT/other.lang b/htdocs/langs/pt_PT/other.lang index 80c900641490c..b61e40de96551 100644 --- a/htdocs/langs/pt_PT/other.lang +++ b/htdocs/langs/pt_PT/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repositório para fontes Chart=Gráfico PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Área de Exportações diff --git a/htdocs/langs/pt_PT/products.lang b/htdocs/langs/pt_PT/products.lang index 8165dd3c10ab6..b48dd7c034fd5 100644 --- a/htdocs/langs/pt_PT/products.lang +++ b/htdocs/langs/pt_PT/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Preço atual AlwaysUseNewPrice=Usar sempre o preço atual do produto/serviço AlwaysUseFixedPrice=Utilizar o preço fixo PriceByQuantity=Preços diferentes por quantidade +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Gama de quantidades 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 diff --git a/htdocs/langs/pt_PT/projects.lang b/htdocs/langs/pt_PT/projects.lang index c055a26d1f2f7..22be0a3f280b2 100644 --- a/htdocs/langs/pt_PT/projects.lang +++ b/htdocs/langs/pt_PT/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pendente OppStatusWON=Ganho OppStatusLOST=Perdido Budget=Orçamento +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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/pt_PT/website.lang b/htdocs/langs/pt_PT/website.lang index 61b68d5280071..a860b78f5c8a9 100644 --- a/htdocs/langs/pt_PT/website.lang +++ b/htdocs/langs/pt_PT/website.lang @@ -3,15 +3,17 @@ Shortname=Código WebsiteSetupDesc=Crie aqui as entradas e o número de diferentes sites da Web que precisar. Depois vá ao menu de Sites da Web para editá-los. DeleteWebsite=Eliminar site da Web ConfirmDeleteWebsite=Tem a certeza que deseja eliminar este site da Web. Também irão ser removidos todas as suas páginas e conteúdo. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Nome/pseudonimo da página -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL do ficheiro CSS externo WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Bliblioteca de Multimedia EditCss=Edit Style/CSS or HTML header EditMenu=Editar Menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/ro_RO/accountancy.lang b/htdocs/langs/ro_RO/accountancy.lang index b5cab1dc6521a..12520462065f5 100644 --- a/htdocs/langs/ro_RO/accountancy.lang +++ b/htdocs/langs/ro_RO/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Număr nota contabila TransactionNumShort=Numărul tranzacţiei AccountingCategory=Personalized groups GroupByAccountAccounting=Grupează după contul contabil -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consultați aici lista clienților și furnizorilor terță ListAccounts=Lista conturilor contabile 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=Acest jurnal este deja folosit ## Export ExportDraftJournal=Export draft journal Modelcsv=Model export -OptionsDeactivatedForThisExportModel=Pentru acest model de export, optiunile sunt dezactivate Selectmodelcsv=Selectează un model de export Modelcsv_normal=Export clasic Modelcsv_CEGID=Export către CEGID Expert Contabil @@ -254,7 +254,7 @@ Modelcsv_ciel=Export către Sage Ciel Compta sau Compta Evolution Modelcsv_quadratus=Export către Quadratus QuadraCompta Modelcsv_ebp=Export către EBP Modelcsv_cogilog=Export către Cogilog -Modelcsv_agiris=Export către Agiris (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Id-ul listei de conturi diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang index 2c099fa18597d..326484e02c71e 100644 --- a/htdocs/langs/ro_RO/admin.lang +++ b/htdocs/langs/ro_RO/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Adauga RSS feed interiorul Dolibarr ecran pagini Module330Name=Marcaje Module330Desc=Management bookmark-uri Module400Name=Proiecte / Oportunitati / Prospecți -Module400Desc=Managementul de proiecte, oportunități sau potențiali. Puteți, apoi, atribui apoi orice element (factură, comandă, ofertă, intervenție, ...), la un proiect și a obține o vedere transversală din punctul de vedere al proiectului. +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=Webcalendar Module410Desc=Webcalendar integrare Module500Name=Cheltuieli speciale @@ -890,7 +890,7 @@ DictionaryStaff=Efectiv DictionaryAvailability=Livrare întârziere DictionaryOrderMethods=Metode de comandă DictionarySource=Originea ofertei / comenzi -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Model pentru plan de conturi DictionaryAccountancyJournal=Jurnalele contabile DictionaryEMailTemplates=Șabloane e-mailuri @@ -904,6 +904,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 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/ro_RO/banks.lang b/htdocs/langs/ro_RO/banks.lang index 17646adf79240..6a4ea505bc8e3 100644 --- a/htdocs/langs/ro_RO/banks.lang +++ b/htdocs/langs/ro_RO/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Cod LineRecord=Tranzacţie AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Decontat de DateConciliating=Data Decontare BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/ro_RO/bills.lang b/htdocs/langs/ro_RO/bills.lang index fab03536ef9b8..823fc37d7e398 100644 --- a/htdocs/langs/ro_RO/bills.lang +++ b/htdocs/langs/ro_RO/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Plăţi întârziate BillsStatistics=Statistici Facturi Clienţi BillsStatisticsSuppliers=Statistici Facturi Furnizori +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Dezactivat pentru ca nu poate fi sters InvoiceStandard=Factură Standard InvoiceStandardAsk=Factură Standard @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=De ce doriți clasificarea acestei facturi ca "abandon ConfirmClassifyPaidPartially=Sigur doriţi să schimbaţi factura %sla statusul plătită ? ConfirmClassifyPaidPartiallyQuestion=Această factură nu a fost achitată complet. De ce doriți închiderea acestei facturi? ConfirmClassifyPaidPartiallyReasonAvoir=Restul de plată ( %s %s) este un discount acordat la plată, pentru că a fost făcută înainte de termen. Regularizarea TVA-ului, cu o nota de credit. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Restul de plată ( %s %s) este un discount acordat la plată, pentru că a fost făcută înainte de termen. Accept piarderea TVA-ului pentru această reducere. ConfirmClassifyPaidPartiallyReasonDiscountVat=Restul de plată ( %s %s) este un discount acordat la plată, pentru că a fost făcută înainte de termen. Recuperez TVA-ul de pe această reducere fără o notă de credit. ConfirmClassifyPaidPartiallyReasonBadCustomer=Client rău platnic diff --git a/htdocs/langs/ro_RO/compta.lang b/htdocs/langs/ro_RO/compta.lang index 9f959e6c28d3c..17adfbec89f13 100644 --- a/htdocs/langs/ro_RO/compta.lang +++ b/htdocs/langs/ro_RO/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Plăţile nu sunt legate de orice factură, astfel î PaymentsNotLinkedToUser=Plăţile nu sunt legate de orice utilizator Profit=Profit AccountingResult=Rezultatl contabil +BalanceBefore=Balance (before) Balance=Sold Debit=Debit Credit=Credit diff --git a/htdocs/langs/ro_RO/donations.lang b/htdocs/langs/ro_RO/donations.lang index 31b34217316a8..fb515fd994308 100644 --- a/htdocs/langs/ro_RO/donations.lang +++ b/htdocs/langs/ro_RO/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Afiseaza articolului 200 din CGI dacă sunteți îngrijorat DONATION_ART238=Afiseaza articolului 238 din CGI dacă sunteți îngrijorat DONATION_ART885=Afiseaza articol 885 din CGI dacă sunteți îngrijorat DonationPayment=Plată donaţie +DonationValidated=Donation %s validated diff --git a/htdocs/langs/ro_RO/errors.lang b/htdocs/langs/ro_RO/errors.lang index 46e2534af4403..b512aaee087f2 100644 --- a/htdocs/langs/ro_RO/errors.lang +++ b/htdocs/langs/ro_RO/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Expresie goală ErrorPriceExpression21=Rezultat gol '%s' ErrorPriceExpression22=Rezultat negativ '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Eroare internă '%s' ErrorPriceExpressionUnknown=Eroare Necunoscută '%s' ErrorSrcAndTargetWarehouseMustDiffers=Depozitul sursă și țintă trebuie să difere diff --git a/htdocs/langs/ro_RO/install.lang b/htdocs/langs/ro_RO/install.lang index c3202002bb385..c135f4e099e3f 100644 --- a/htdocs/langs/ro_RO/install.lang +++ b/htdocs/langs/ro_RO/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Puteţi utiliza expertul de configurare Dolibarr de la 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 ######### # upgrade MigrationFixData=Fix pentru date denormalized @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reîncarcă modul %s +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. diff --git a/htdocs/langs/ro_RO/languages.lang b/htdocs/langs/ro_RO/languages.lang index 6f6fe6a6cb09e..b1f5c118958dc 100644 --- a/htdocs/langs/ro_RO/languages.lang +++ b/htdocs/langs/ro_RO/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spaniolă (Panama) Language_es_PY=Spaniolă (Paraguay) Language_es_PE=Spaniolă (Peru) Language_es_PR=Spaniolă (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spaniolă (Venezuela) Language_et_EE=Estoniană Language_eu_ES=Basc diff --git a/htdocs/langs/ro_RO/main.lang b/htdocs/langs/ro_RO/main.lang index c6a582a1b251a..6c2e1de887efa 100644 --- a/htdocs/langs/ro_RO/main.lang +++ b/htdocs/langs/ro_RO/main.lang @@ -548,6 +548,18 @@ MonthShort09=sep MonthShort10=oct MonthShort11=nov MonthShort12=dec +MonthVeryShort01=J +MonthVeryShort02=V +MonthVeryShort03=L +MonthVeryShort04=A +MonthVeryShort05=L +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=D +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Fişiere şi documente ataşate JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Defineste Cont bancar AccountCurrency=Account currency ViewPrivateNote=Vezi notițe XMoreLines=%s linii(e) ascunse -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=URL Public AddBox=Adauga box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Toată lumea +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/ro_RO/other.lang b/htdocs/langs/ro_RO/other.lang index eec3397c1b69f..f4f6900427c5b 100644 --- a/htdocs/langs/ro_RO/other.lang +++ b/htdocs/langs/ro_RO/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Daca valoarea mai mare %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Export diff --git a/htdocs/langs/ro_RO/products.lang b/htdocs/langs/ro_RO/products.lang index 514f5b8756e16..4b16f51b2f6bc 100644 --- a/htdocs/langs/ro_RO/products.lang +++ b/htdocs/langs/ro_RO/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Preţ curent AlwaysUseNewPrice=Întotdeauna foloseşte preţul curent al produsului/serviciului AlwaysUseFixedPrice=Foloseşte preţul fix PriceByQuantity=Preţuri diferite pe cantitate +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Interval cantitate 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 diff --git a/htdocs/langs/ro_RO/projects.lang b/htdocs/langs/ro_RO/projects.lang index 3f04082838329..3de56597c4d9a 100644 --- a/htdocs/langs/ro_RO/projects.lang +++ b/htdocs/langs/ro_RO/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=In asteptarea OppStatusWON=Castigat OppStatusLOST=Pierdut 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/ro_RO/website.lang b/htdocs/langs/ro_RO/website.lang index b62dd645618d0..a574989893012 100644 --- a/htdocs/langs/ro_RO/website.lang +++ b/htdocs/langs/ro_RO/website.lang @@ -3,15 +3,17 @@ Shortname=Cod WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. DeleteWebsite=Şterge website 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_PAGENAME=Pagina nume/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit meniu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/ru_RU/accountancy.lang b/htdocs/langs/ru_RU/accountancy.lang index 957d80a819ed1..8b91e4428b709 100644 --- a/htdocs/langs/ru_RU/accountancy.lang +++ b/htdocs/langs/ru_RU/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Список бухгалтерских счетов 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Модель экспорта -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Выбрать модель экспорта Modelcsv_normal=Классический экспорт Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang index 9ef0b61897562..c579d01761ab1 100644 --- a/htdocs/langs/ru_RU/admin.lang +++ b/htdocs/langs/ru_RU/admin.lang @@ -242,7 +242,7 @@ OfficialMarketPlace=Официальный магазин внешних мод OfficialWebHostingService=Рекомендуемые сервисы веб-хостинга (облачный хостинг) ReferencedPreferredPartners=Предпочитаемые партнёры OtherResources=Other resources -ExternalResources=External resources +ExternalResources=Внешние ресурсы SocialNetworks=Social Networks ForDocumentationSeeWiki=Для получения документации пользователя или разработчика (документация, часто задаваемые вопросы...),
посетите Dolibarr Wiki:
%s ForAnswersSeeForum=Для любых других вопросов / помощи, вы можете использовать форум Dolibarr:
%s @@ -539,7 +539,7 @@ Module320Desc=Добавление RSS-каналов на страницах Do Module330Name=Закладки Module330Desc=Управление закладками Module400Name=Проекты/Возможности/Потенциальные клиенты -Module400Desc=Управление проектами, возможностями или потенциальными клиентами. Вы можете назначить какой-либо элемент (счет, заказ, предложение, посредничество, ...) к проекту и видеть в срезе представления проекта. +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=Веб-календарь Module410Desc=Интеграция веб-календаря Module500Name=Специальные расходы @@ -866,16 +866,16 @@ 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= Тип компании +DictionaryCompanyJuridicalType= Организационно-правовая форма DictionaryProspectLevel=Потенциальный уровень предполагаемого клиента DictionaryCanton=Штат/Провинция DictionaryRegion=Регионы DictionaryCountry=Страны DictionaryCurrency=Валюты -DictionaryCivility=Personal and professional titles -DictionaryActions=Types of agenda events -DictionarySocialContributions=Social or fiscal taxes types +DictionaryCivility=Обращение +DictionaryActions=Тип мероприятия +DictionarySocialContributions=Типы налогов/сборов DictionaryVAT=Значения НДС или налога с продаж DictionaryRevenueStamp=Количество акцизных марок DictionaryPaymentConditions=Условия оплаты @@ -890,20 +890,21 @@ DictionaryStaff=Персонал DictionaryAvailability=Задержка доставки DictionaryOrderMethods=Методы заказов DictionarySource=Происхождение Коммерческих предложений / Заказов -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Модели для диаграммы счетов DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Шаблоны электронных писем DictionaryUnits=Единицы -DictionaryProspectStatus=Prospection status +DictionaryProspectStatus=Статус контакта DictionaryHolidayTypes=Types of leaves -DictionaryOpportunityStatus=Opportunity status for project/lead +DictionaryOpportunityStatus=Статус предполагаемого проекта DictionaryExpenseTaxCat=Expense report - Transportation categories DictionaryExpenseTaxRange=Expense report - Range by transportation category SetupSaved=Настройки сохранены SetupNotSaved=Setup not saved BackToModuleList=Вернуться к списку модулей BackToDictionaryList=Назад к списку словарей +TypeOfRevenueStamp=Type of revenue 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, которая может быть использована как для дела ассоциаций, отдельных лиц или небольших компаний. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/ru_RU/agenda.lang b/htdocs/langs/ru_RU/agenda.lang index 3c91b79b6fcb7..f845a490ac473 100644 --- a/htdocs/langs/ru_RU/agenda.lang +++ b/htdocs/langs/ru_RU/agenda.lang @@ -14,7 +14,7 @@ EventsNb=Количество событий ListOfActions=Список событий EventReports=Event reports Location=Местонахождение -ToUserOfGroup=To any user in group +ToUserOfGroup= пользователем из группы EventOnFullDay=Событие на весь день (все дни) MenuToDoActions=Все незавершенные события MenuDoneActions=Все прекращенные события diff --git a/htdocs/langs/ru_RU/banks.lang b/htdocs/langs/ru_RU/banks.lang index f1d40638e3d1b..65f7af0d82495 100644 --- a/htdocs/langs/ru_RU/banks.lang +++ b/htdocs/langs/ru_RU/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Количество LineRecord=Транзакция AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Conciliated путем DateConciliating=Согласительную дата BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/ru_RU/bills.lang b/htdocs/langs/ru_RU/bills.lang index 40c7c412d456b..ea7bc52f2cbab 100644 --- a/htdocs/langs/ru_RU/bills.lang +++ b/htdocs/langs/ru_RU/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Просроченные платежи BillsStatistics=Статистика счетов клиентов BillsStatisticsSuppliers=Статистика счетов поставщиков +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Стандартный счёт InvoiceStandardAsk=Стандартный счёт @@ -137,7 +139,7 @@ BillShortStatusNotRefunded=Not refunded BillShortStatusClosedUnpaid=Закрыт BillShortStatusClosedPaidPartially=Оплачен (частично) PaymentStatusToValidShort=На подтверждении -ErrorVATIntraNotConfigured=Номер плательщика НДС еще не установлен +ErrorVATIntraNotConfigured=Размер ставки НДС еще не установлен ErrorNoPaiementModeConfigured=Режим оплаты по умолчанию не установлен. Перейдите в настройку модуля Счетов-фактур для исправления данной ситуации. ErrorCreateBankAccount=Создайт банковский счет, а затем перейдите к панели настройки модуля Счетов-фактур для установки способов оплаты ErrorBillNotFound=Счёт %s не существует @@ -176,6 +178,7 @@ 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=Оставить неоплаченной (%s %s) предоставленную скидку, потому что платёж был сделан перед соглашением. Я уплачу НДС с помощью кредитного авизо. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Оставить неоплаченной (%s %s) предоставленную скидку, потому что платёж был сделан перед соглашением. Я подтверждаю потерю НДС на этой скидке. ConfirmClassifyPaidPartiallyReasonDiscountVat=Оставить неоплаченной (%s %s) предоставленную скидку, потому что платёж был сделан перед соглашением. Я восстановлю НДС на этой скидке без кредитного авизо. ConfirmClassifyPaidPartiallyReasonBadCustomer=Плохой Покупатель diff --git a/htdocs/langs/ru_RU/companies.lang b/htdocs/langs/ru_RU/companies.lang index 1c55029afaede..3882b5906c1ab 100644 --- a/htdocs/langs/ru_RU/companies.lang +++ b/htdocs/langs/ru_RU/companies.lang @@ -254,8 +254,8 @@ ProfId1DZ=RC ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS -VATIntra=Номер НДС -VATIntraShort=Номер НДС +VATIntra=Размер ставки НДС +VATIntraShort=Размер ставки НДС VATIntraSyntaxIsValid=Синтаксис корректен ProspectCustomer=Потенц. клиент / Покупатель Prospect=Потенц. клиент diff --git a/htdocs/langs/ru_RU/compta.lang b/htdocs/langs/ru_RU/compta.lang index 4b9517b924bf1..42df1c36359a5 100644 --- a/htdocs/langs/ru_RU/compta.lang +++ b/htdocs/langs/ru_RU/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Платежи, не связанные с какой PaymentsNotLinkedToUser=Платежи, не связанные с какой-либо пользователь Profit=Прибыль AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Баланс Debit=Дебет Credit=Кредит diff --git a/htdocs/langs/ru_RU/donations.lang b/htdocs/langs/ru_RU/donations.lang index 0f39f6706dd27..002b3d1b7b75e 100644 --- a/htdocs/langs/ru_RU/donations.lang +++ b/htdocs/langs/ru_RU/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Если вы обеспокоены, показывать вы DONATION_ART238=Если вы обеспокоены, показывать выдержку статьи 238 из CGI DONATION_ART885=Если вы обеспокоены, показывать выдержку статьи 885 из CGI DonationPayment=Платёж пожертвования +DonationValidated=Donation %s validated diff --git a/htdocs/langs/ru_RU/errors.lang b/htdocs/langs/ru_RU/errors.lang index 16c54755db569..6527f5223e25b 100644 --- a/htdocs/langs/ru_RU/errors.lang +++ b/htdocs/langs/ru_RU/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Пустое выражение ErrorPriceExpression21=Пустой результат '%s' ErrorPriceExpression22=Отрицательный результат '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Внутренняя ошибка '%s' ErrorPriceExpressionUnknown=Неизвестная ошибка '%s' ErrorSrcAndTargetWarehouseMustDiffers=Исходящий и входящий склад должны отличаться diff --git a/htdocs/langs/ru_RU/install.lang b/htdocs/langs/ru_RU/install.lang index 4d77f08cf19e0..adb1488423eba 100644 --- a/htdocs/langs/ru_RU/install.lang +++ b/htdocs/langs/ru_RU/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Вы можете использовать мастер 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 ######### # upgrade MigrationFixData=Fastsette for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Перегрузите модуль %s +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. diff --git a/htdocs/langs/ru_RU/languages.lang b/htdocs/langs/ru_RU/languages.lang index 2def20ba36bf7..b235a53f6e49f 100644 --- a/htdocs/langs/ru_RU/languages.lang +++ b/htdocs/langs/ru_RU/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Испанский (Парагвай) Language_es_PE=Испанский (Перу) Language_es_PR=Испанский (Пуэрто-Рико) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Эстонский Language_eu_ES=Баскский diff --git a/htdocs/langs/ru_RU/main.lang b/htdocs/langs/ru_RU/main.lang index 6737a3e3ab532..e3277d5c5d0dc 100644 --- a/htdocs/langs/ru_RU/main.lang +++ b/htdocs/langs/ru_RU/main.lang @@ -548,6 +548,18 @@ MonthShort09=сен MonthShort10=окт MonthShort11=ноя MonthShort12=дек +MonthVeryShort01=J +MonthVeryShort02=Пт +MonthVeryShort03=Пн +MonthVeryShort04=A +MonthVeryShort05=Пн +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Вс +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Присоединенные файлы и документы JoinMainDoc=Join main document DateFormatYYYYMM=ГГГГ-ММ @@ -762,7 +774,7 @@ SetBankAccount=Задать счёт в банке AccountCurrency=Account currency ViewPrivateNote=Посмотреть заметки XMoreLines=%s строк(и) скрыто -ShowMoreLines=Показать больше строк +ShowMoreLines=Show more/less lines PublicUrl=Публичная ссылка AddBox=Добавить бокс SelectElementAndClick=Выберите элемент и нажмите %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Общий проект +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/ru_RU/orders.lang b/htdocs/langs/ru_RU/orders.lang index 4083135c1d1ee..cb9069b12bdc1 100644 --- a/htdocs/langs/ru_RU/orders.lang +++ b/htdocs/langs/ru_RU/orders.lang @@ -10,7 +10,7 @@ OrderLine=Линия заказа OrderDate=Дата заказа OrderDateShort=Дата заказа OrderToProcess=Для обработки -NewOrder=Новый порядок +NewOrder=  Новый заказ ToOrder=Сделать заказ MakeOrder=Сделать заказ SupplierOrder=Для поставщиков diff --git a/htdocs/langs/ru_RU/other.lang b/htdocs/langs/ru_RU/other.lang index b7a323b092290..ef6bc22c39785 100644 --- a/htdocs/langs/ru_RU/other.lang +++ b/htdocs/langs/ru_RU/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Если количество более чем %s
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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/ru_RU/sendings.lang b/htdocs/langs/ru_RU/sendings.lang index 96c58d4288b91..f002a1c57125e 100644 --- a/htdocs/langs/ru_RU/sendings.lang +++ b/htdocs/langs/ru_RU/sendings.lang @@ -42,7 +42,7 @@ ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Модель A5 WarningNoQtyLeftToSend=Внимание, нет товаров ожидающих отправки. StatsOnShipmentsOnlyValidated=Статистика собирается только на утверждённые поставки. Используемая дата - дата утверждения поставки (планируемая дата доставки не всегда известна) -DateDeliveryPlanned=Planned date of delivery +DateDeliveryPlanned=Планируемая дата доставки RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt DateReceived=Дата доставки получена diff --git a/htdocs/langs/ru_RU/supplier_proposal.lang b/htdocs/langs/ru_RU/supplier_proposal.lang index 8f7c63a104e92..fafc5fd52fd2a 100644 --- a/htdocs/langs/ru_RU/supplier_proposal.lang +++ b/htdocs/langs/ru_RU/supplier_proposal.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - supplier_proposal SupplierProposal=Supplier commercial proposals supplier_proposalDESC=Manage price requests to suppliers -SupplierProposalNew=New price request +SupplierProposalNew= Новый запрос цены CommRequest=Price request CommRequests=Запросы цены SearchRequest=Find a request @@ -9,11 +9,11 @@ DraftRequests=Draft requests SupplierProposalsDraft=Draft supplier proposals LastModifiedRequests=Latest %s modified price requests RequestsOpened=Open price requests -SupplierProposalArea=Supplier proposals area +SupplierProposalArea=Статистика по поставщикам SupplierProposalShort=Supplier proposal SupplierProposals=Предложения поставщику SupplierProposalsShort=Предложения поставщику -NewAskPrice=New price request +NewAskPrice= Новый запрос цены ShowSupplierProposal=Show price request AddSupplierProposal=Create a price request SupplierProposalRefFourn=Supplier ref @@ -47,7 +47,7 @@ CommercialAsk=Price request DefaultModelSupplierProposalCreate=Создание модели по умолчанию DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) -ListOfSupplierProposals=List of supplier proposal requests +ListOfSupplierProposals= Список запросов поставщику ListSupplierProposalsAssociatedProject=List of supplier proposals associated with project SupplierProposalsToClose=Supplier proposals to close SupplierProposalsToProcess=Supplier proposals to process diff --git a/htdocs/langs/ru_RU/website.lang b/htdocs/langs/ru_RU/website.lang index 32d61c0501016..c22c79309b840 100644 --- a/htdocs/langs/ru_RU/website.lang +++ b/htdocs/langs/ru_RU/website.lang @@ -3,15 +3,17 @@ Shortname=Код WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/sk_SK/accountancy.lang b/htdocs/langs/sk_SK/accountancy.lang index d850ca0be35b5..9650ceb991535 100644 --- a/htdocs/langs/sk_SK/accountancy.lang +++ b/htdocs/langs/sk_SK/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Číslo kusu TransactionNumShort=Num. transakcie AccountingCategory=Personalized groups GroupByAccountAccounting=Skupinové účty -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Prečítajte si zoznam tretích zákazníkov a dodávateľo ListAccounts=Zoznam účtovných účtov 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Vzor exportu -OptionsDeactivatedForThisExportModel=Pre tento exportný model sú deaktivované možnosti Selectmodelcsv=Vyberte model exportu Modelcsv_normal=Klasický export Modelcsv_CEGID=Exportovať pre CEGID Expert @@ -254,7 +254,7 @@ Modelcsv_ciel=Exportovať pre Sage Ciel Compta alebo Compta Evolution Modelcsv_quadratus=Exportovať pre Quadratus QuadraCompta Modelcsv_ebp=Exportovať pre EBP Modelcsv_cogilog=Exportovať pre Cogilog -Modelcsv_agiris=Export towards Agiris (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang index 1014040a7507e..331128b91ac8f 100644 --- a/htdocs/langs/sk_SK/admin.lang +++ b/htdocs/langs/sk_SK/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Pridať RSS kanál vnútri obrazoviek Dolibarr Module330Name=Záložky Module330Desc=Správca záložiek Module400Name=Projekty/Príležitosti/Vyhliadky -Module400Desc=Riadenie projektov, príležitostí alebo vyhliadok. Môžete priradiť ľubovoľný prvok (faktúra, objednávka, návrh, intervencia, ...) k projektu a získať priečny pohľad z pohľadu projektu. +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=WebCalendar Module410Desc=WebCalendar integrácia Module500Name=špeciálne rozšírenia @@ -890,7 +890,7 @@ DictionaryStaff=Zamestnanec DictionaryAvailability=Oneskorenie doručenia DictionaryOrderMethods=Možnosti objednávky DictionarySource=Pôvod ponuky / objednávky -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modely účtovných osnov DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Šablóny emailov @@ -904,6 +904,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 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/sk_SK/banks.lang b/htdocs/langs/sk_SK/banks.lang index aba14dbd48416..70605295bbe35 100644 --- a/htdocs/langs/sk_SK/banks.lang +++ b/htdocs/langs/sk_SK/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Číslo LineRecord=Transakcie AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Zlúčiť ConciliatedBy=Odsúhlasené DateConciliating=Synchronizovať dáta BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/sk_SK/bills.lang b/htdocs/langs/sk_SK/bills.lang index 3a8e363749dc3..3361c1c020ff6 100644 --- a/htdocs/langs/sk_SK/bills.lang +++ b/htdocs/langs/sk_SK/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Oneskorené platby BillsStatistics=Štatistiky zákazníckych faktúr BillsStatisticsSuppliers=Štatistiky dodávateľskych faktúr +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Vypnuté lebo nemôze byť zmazané InvoiceStandard=Štandardné faktúra InvoiceStandardAsk=Štandardné faktúra @@ -176,6 +178,7 @@ 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. +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 zákazník diff --git a/htdocs/langs/sk_SK/compta.lang b/htdocs/langs/sk_SK/compta.lang index 66e0bffc375e8..f572b55c406d4 100644 --- a/htdocs/langs/sk_SK/compta.lang +++ b/htdocs/langs/sk_SK/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Platby nesúvisiace s akoukoľvek faktúru, takže ni PaymentsNotLinkedToUser=Platby nesúvisiace všetkých užívateľov Profit=Zisk AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Zostatok Debit=Debet Credit=Úver diff --git a/htdocs/langs/sk_SK/donations.lang b/htdocs/langs/sk_SK/donations.lang index c14f1b3110767..3cd6387dda7c8 100644 --- a/htdocs/langs/sk_SK/donations.lang +++ b/htdocs/langs/sk_SK/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/sk_SK/errors.lang b/htdocs/langs/sk_SK/errors.lang index db57848292509..3de9ca66b127d 100644 --- a/htdocs/langs/sk_SK/errors.lang +++ b/htdocs/langs/sk_SK/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Zdrojovej a cieľovej sklady musia sa líši diff --git a/htdocs/langs/sk_SK/install.lang b/htdocs/langs/sk_SK/install.lang index ed6746113fa2c..717fc92e081f0 100644 --- a/htdocs/langs/sk_SK/install.lang +++ b/htdocs/langs/sk_SK/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Používate Dolibarr inštalátor z Proxmox čiže hodn 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 ######### # upgrade MigrationFixData=Oprava pre denormalized dát @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Aktualizácia hodnoty llx_societe_remise MigrationRemiseExceptEntity=Aktualizácia hodnoty llx_societe_remise_except MigrationReloadModule=Znovu načítať modul %s +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. diff --git a/htdocs/langs/sk_SK/languages.lang b/htdocs/langs/sk_SK/languages.lang index 56d0c6e0fd6b9..fd870a4f8e8aa 100644 --- a/htdocs/langs/sk_SK/languages.lang +++ b/htdocs/langs/sk_SK/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Španielčina (Paraguaj) Language_es_PE=Španielčina (Peru) Language_es_PR=Španielčina (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Španielčina (Venezuela) Language_et_EE=Estónčina Language_eu_ES=Basque diff --git a/htdocs/langs/sk_SK/main.lang b/htdocs/langs/sk_SK/main.lang index d39bd7bf433bc..8a59ce34a327c 100644 --- a/htdocs/langs/sk_SK/main.lang +++ b/htdocs/langs/sk_SK/main.lang @@ -548,6 +548,18 @@ MonthShort09=septembra MonthShort10=október MonthShort11=november MonthShort12=decembra +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Priložené súbory a dokumenty JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Definovať bankový účet AccountCurrency=Account currency ViewPrivateNote=Zobraziť poznámky XMoreLines=%s riadk(y/ov) skrytých -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Verejné URL AddBox=Pridať box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Všetci +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/sk_SK/other.lang b/htdocs/langs/sk_SK/other.lang index 498cf9b30e7c6..c4925be08c712 100644 --- a/htdocs/langs/sk_SK/other.lang +++ b/htdocs/langs/sk_SK/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Vývoz plocha diff --git a/htdocs/langs/sk_SK/products.lang b/htdocs/langs/sk_SK/products.lang index 1124754ff6db6..abd4f864cef10 100644 --- a/htdocs/langs/sk_SK/products.lang +++ b/htdocs/langs/sk_SK/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Aktuálna cena AlwaysUseNewPrice=Vždy používajte aktuálnu cenu produktu / služby AlwaysUseFixedPrice=Použite pevnú cenu PriceByQuantity=Rozdielné ceny podľa quantity +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Množstvo rozsah MultipriceRules=Pravidlá cenových oblastí UseMultipriceRules=Použit cenové oblasti ( definované v nastavenia produktového modulu ) pre automatický výpočet ceny ostatných oblastí podľa prvej oblasti. diff --git a/htdocs/langs/sk_SK/projects.lang b/htdocs/langs/sk_SK/projects.lang index b53b742a1f404..2c350453439b1 100644 --- a/htdocs/langs/sk_SK/projects.lang +++ b/htdocs/langs/sk_SK/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Až do OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/sk_SK/website.lang b/htdocs/langs/sk_SK/website.lang index bb5b60f2ab3ac..c7da61cb98193 100644 --- a/htdocs/langs/sk_SK/website.lang +++ b/htdocs/langs/sk_SK/website.lang @@ -3,15 +3,17 @@ Shortname=Kód WebsiteSetupDesc=Tu vytvorte toľko riadkov kolko rôzných webstránok potrebujete. Potom choďte do menu Webstránky pre ich upravovanie. DeleteWebsite=Zmazať webstránku ConfirmDeleteWebsite=Určite chcete zmazať túto web stránku. Všetky podstránka a obsah budú zmazané tiež. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Meno stránky -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL alebo externý CSS dokument WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Knižnica médií EditCss=Edit Style/CSS or HTML header EditMenu=Upraviť menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/sl_SI/accountancy.lang b/htdocs/langs/sl_SI/accountancy.lang index 48357a375205e..431929dbd2609 100644 --- a/htdocs/langs/sl_SI/accountancy.lang +++ b/htdocs/langs/sl_SI/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Seznam računovodskih računov 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model izvoza -OptionsDeactivatedForThisExportModel=Za ta izvozni model so opcije deaktivirane Selectmodelcsv=Izberite model izvoza Modelcsv_normal=Classic izvoz Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang index cbdf071e9ea7d..38c91d3c65103 100644 --- a/htdocs/langs/sl_SI/admin.lang +++ b/htdocs/langs/sl_SI/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Dodajanje vira RSS na prikazane Dolibarr strani Module330Name=Zaznamki Module330Desc=Urejanje zaznamkov Module400Name=Projekti/priložnosti/možnosti -Module400Desc=Upravljanje projektov, priložnosti ali potencialov. Nato lahko dodate vse druge elemente (račun, naročilo, ponudbo, intervencijo, ...) k tem projektom, da dobite transverzalni pogled iz projektnega pogleda. +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=Internetni koledar Module410Desc=Integracija internetnega koledarja Module500Name=Posebni stroški @@ -890,7 +890,7 @@ DictionaryStaff=Zaposleni DictionaryAvailability=Zakasnitev dobave DictionaryOrderMethods=Metode naročanja DictionarySource=Izvor ponudb/naročil -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modeli kontnih planov DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Predloge za elektronsko pošto @@ -904,6 +904,7 @@ SetupSaved=Nastavitve shranjene SetupNotSaved=Setup not saved BackToModuleList=Nazaj na seznam modulov BackToDictionaryList=Nazaj na seznam slovarjev +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/sl_SI/banks.lang b/htdocs/langs/sl_SI/banks.lang index 19b289902d8bc..4854dff6e9c97 100644 --- a/htdocs/langs/sl_SI/banks.lang +++ b/htdocs/langs/sl_SI/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Številka LineRecord=Transakcija AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Uskladil DateConciliating=Datum uskladitve BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/sl_SI/bills.lang b/htdocs/langs/sl_SI/bills.lang index 1af39828c7626..ddc9557738ce3 100644 --- a/htdocs/langs/sl_SI/bills.lang +++ b/htdocs/langs/sl_SI/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Zamujena plačila BillsStatistics=Statistika računov za kupce BillsStatisticsSuppliers=Statistika računov dobaviteljev +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standardni račun InvoiceStandardAsk=Standardni račun @@ -176,6 +178,7 @@ 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=Neplačan preostanek (%s %s) je popust zaradi predčasnega plačila. DDV je bil popravljen z dobropisom. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Neplačan preostanek (%s %s) je popust zaradi predčasnega plačila. Strinjam se z izgubo DDV zaradi tega popusta. ConfirmClassifyPaidPartiallyReasonDiscountVat=Neplačan preostanek (%s %s) je popust zaradi predčasnega plačila. DDV na ta popust bo vrnjen brez dobropisa. ConfirmClassifyPaidPartiallyReasonBadCustomer=Slab kupec diff --git a/htdocs/langs/sl_SI/compta.lang b/htdocs/langs/sl_SI/compta.lang index 151618e3e553c..d6e69d1f7b8f7 100644 --- a/htdocs/langs/sl_SI/compta.lang +++ b/htdocs/langs/sl_SI/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Plačila niso vezana na noben račun, niti na partner PaymentsNotLinkedToUser=Plačila niso vezana na nobenega uporabnika Profit=Dobiček AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Bilanca Debit=Debit Credit=Kredit diff --git a/htdocs/langs/sl_SI/donations.lang b/htdocs/langs/sl_SI/donations.lang index 68b091f6c5d04..8e71e0b6a577a 100644 --- a/htdocs/langs/sl_SI/donations.lang +++ b/htdocs/langs/sl_SI/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Prikaži člen 200 iz CGI, če se vas tiče DONATION_ART238=Prikaži člen 238 iz CGI, če se vas tiče DONATION_ART885=Prikaži člen 885 iz CGI, če se vas tiče DonationPayment=Plačilo donacije +DonationValidated=Donation %s validated diff --git a/htdocs/langs/sl_SI/errors.lang b/htdocs/langs/sl_SI/errors.lang index 4996a6ae4ad4c..b408983d32221 100644 --- a/htdocs/langs/sl_SI/errors.lang +++ b/htdocs/langs/sl_SI/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/sl_SI/install.lang b/htdocs/langs/sl_SI/install.lang index 3509303d68311..90c421c506c21 100644 --- a/htdocs/langs/sl_SI/install.lang +++ b/htdocs/langs/sl_SI/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Za namestitev Dolibarr uporabljate čarovnika Proxmox v 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 ######### # upgrade MigrationFixData=Popravek denormaliziranih podatkov @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Ponovno naložite modul %s +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. diff --git a/htdocs/langs/sl_SI/languages.lang b/htdocs/langs/sl_SI/languages.lang index ce0070d67faf2..ae77c877ee5cc 100644 --- a/htdocs/langs/sl_SI/languages.lang +++ b/htdocs/langs/sl_SI/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Španski (Paragvaj) Language_es_PE=Španski (Peru) Language_es_PR=Španščina (Portoriko) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonski Language_eu_ES=Basque diff --git a/htdocs/langs/sl_SI/main.lang b/htdocs/langs/sl_SI/main.lang index ba15e6b58eef8..c370af0742231 100644 --- a/htdocs/langs/sl_SI/main.lang +++ b/htdocs/langs/sl_SI/main.lang @@ -548,6 +548,18 @@ MonthShort09=sep MonthShort10=okt MonthShort11=nov MonthShort12=dec +MonthVeryShort01=J +MonthVeryShort02=P +MonthVeryShort03=P +MonthVeryShort04=A +MonthVeryShort05=P +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=N +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Pripete datoteke in dokumenti JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Določi bančni račun AccountCurrency=Account currency ViewPrivateNote=Glej opombe XMoreLines=%s zasenčena(ih) vrstic -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Javni URL AddBox=Dodaj okvir SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Projekti v skupni rabi +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/sl_SI/other.lang b/htdocs/langs/sl_SI/other.lang index 4bf9fbaa3a106..943398e05131b 100644 --- a/htdocs/langs/sl_SI/other.lang +++ b/htdocs/langs/sl_SI/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Če je znesek večji od %s SourcesRepository=Shramba virov Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Področje izvoza diff --git a/htdocs/langs/sl_SI/products.lang b/htdocs/langs/sl_SI/products.lang index 307a2775c8952..56819ced31e34 100644 --- a/htdocs/langs/sl_SI/products.lang +++ b/htdocs/langs/sl_SI/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Trenutna cena AlwaysUseNewPrice=Vedno uporabi trenutno ceno proizvoda/storitve AlwaysUseFixedPrice=Uporabi fiksno ceno PriceByQuantity=Različne cene glede na količino +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Območje količin MultipriceRules=Price segment rules UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first segment diff --git a/htdocs/langs/sl_SI/projects.lang b/htdocs/langs/sl_SI/projects.lang index 286ea55093089..0d07d3731d984 100644 --- a/htdocs/langs/sl_SI/projects.lang +++ b/htdocs/langs/sl_SI/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Na čakanju OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/sl_SI/website.lang b/htdocs/langs/sl_SI/website.lang index f3e940de8ebba..584d10b78b989 100644 --- a/htdocs/langs/sl_SI/website.lang +++ b/htdocs/langs/sl_SI/website.lang @@ -3,15 +3,17 @@ Shortname=Koda WebsiteSetupDesc=Vnesite toliko zapisov, kot želite imeti spletnih strani. Za urejanje pojdite na Menu => Websites. DeleteWebsite=Izbriši spletno stran ConfirmDeleteWebsite=Ali ste prepričani, da želite izbrisati to spletno starn. Vse strani in vsebina bodo pobrisani. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/sq_AL/accountancy.lang b/htdocs/langs/sq_AL/accountancy.lang index bd7407c538934..9fd145812e862 100644 --- a/htdocs/langs/sq_AL/accountancy.lang +++ b/htdocs/langs/sq_AL/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang index d2fe4b0550744..f845d9b806353 100644 --- a/htdocs/langs/sq_AL/admin.lang +++ b/htdocs/langs/sq_AL/admin.lang @@ -44,7 +44,7 @@ ClientCharset=Client charset ClientSortingCharset=Client collation WarningModuleNotActive=Module %s must be enabled WarningOnlyPermissionOfActivatedModules=Only permissions related to activated modules are shown here. You can activate other modules in the Home->Setup->Modules page. -DolibarrSetup=Dolibarr install or upgrade +DolibarrSetup=Instalo ose përditëso Dolibarr InternalUser=Përdorues i brendshëm ExternalUser=Përdorues i jashtëm InternalUsers=Përdorues të brendshëm @@ -71,7 +71,7 @@ UseSearchToSelectContactTooltip=Also if you have a large number of third parties 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) NumberOfKeyToSearch=Nbr of characters to trigger search: %s -NotAvailableWhenAjaxDisabled=Not available when Ajax disabled +NotAvailableWhenAjaxDisabled=E padisponueshme ku Ajax është i çaktivizuar AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party JavascriptDisabled=JavaScrip i caktivizuar UsePreviewTabs=Use preview tabs @@ -138,8 +138,8 @@ MenusDesc=Menu managers set content of the two menu bars (horizontal and vertica MenusEditorDesc=The menu editor allows you to define custom menu entries. Use it carefully to avoid instability and permanently unreachable menu entries.
Some modules add menu entries (in menu All mostly). If you remove some of these entries by mistake, you can restore them disabling and reenabling the module. MenuForUsers=Menu for users LangFile=Skedari .lang -System=System -SystemInfo=System information +System=Sistemi +SystemInfo=Informacion rreth sistemit SystemToolsArea=System tools area SystemToolsAreaDesc=This area provides administration features. Use the menu to choose the feature you're looking for. Purge=Spastro @@ -162,8 +162,8 @@ BackupResult=Backup result BackupFileSuccessfullyCreated=Backup file successfully generated YouCanDownloadBackupFile=Generated files can now be downloaded NoBackupFileAvailable=No backup files available. -ExportMethod=Export method -ImportMethod=Import method +ExportMethod=Metoda e eksportit +ImportMethod=Metoda e importit ToBuildBackupFileClickHere=To build a backup file, click here. ImportMySqlDesc=To import a backup file, you must use mysql command from command line: ImportPostgreSqlDesc=To import a backup file, you must use pg_restore command from command line: @@ -288,7 +288,7 @@ SubmitTranslation=If translation for this language is not complete or you find e 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. ModuleSetup=Konfigurimi i modulit ModulesSetup=Modules/Application setup -ModuleFamilyBase=System +ModuleFamilyBase=Sistemi ModuleFamilyCrm=Menaxhimi i lidhjes me klientёt (CRM) ModuleFamilySrm=Supplier Relation Management (SRM) ModuleFamilyProducts=Menaxhimi i produkteve (PM) @@ -302,7 +302,7 @@ ModuleFamilyECM=Electronic Content Management (ECM) ModuleFamilyPortal=Web sites and other frontal application ModuleFamilyInterface=Interfaces with external systems MenuHandlers=Menu handlers -MenuAdmin=Menu editor +MenuAdmin=Editimi i menuve DoNotUseInProduction=Do not use in production ThisIsProcessToFollow=This is steps to process: ThisIsAlternativeProcessToFollow=This is an alternative setup to process manually: @@ -488,7 +488,7 @@ 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) -Module42Name=Logs +Module42Name=Ngjarjet Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors Module49Desc=Editor management @@ -502,7 +502,7 @@ Module53Name=Services Module53Desc=Service management Module54Name=Contracts/Subscriptions Module54Desc=Management of contracts (services or reccuring subscriptions) -Module55Name=Barcodes +Module55Name=Barkod Module55Desc=Barcode management Module56Name=Telephony Module56Desc=Telephony integration @@ -525,9 +525,9 @@ Module100Desc=This module include an external web site or page into Dolibarr men Module105Name=Mailman and SPIP Module105Desc=Mailman or SPIP interface for member module Module200Name=LDAP -Module200Desc=LDAP directory synchronisation +Module200Desc=Sinkronizimi LDAP Module210Name=PostNuke -Module210Desc=PostNuke integration +Module210Desc=Integrimi PostNuke Module240Name=Data exports Module240Desc=Tool to export Dolibarr data (with assistants) Module250Name=Data imports @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -563,7 +563,7 @@ Module1520Name=Document Generation Module1520Desc=Mass mail document generation Module1780Name=Tags/Categories Module1780Desc=Create tags/category (products, customers, suppliers, contacts or members) -Module2000Name=WYSIWYG editor +Module2000Name=Editor WYSIWYG Module2000Desc=Allow to edit some text area using an advanced editor (Based on CKEditor) Module2200Name=Dynamic Prices Module2200Desc=Enable the usage of math expressions for prices @@ -581,7 +581,7 @@ 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) 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 +Module2800Desc=Klient FTP Module2900Name=GeoIPMaxmind Module2900Desc=GeoIP Maxmind conversions capabilities Module3100Name=Skype @@ -663,7 +663,7 @@ Permission91=Read social or fiscal taxes and vat Permission92=Create/modify social or fiscal taxes and vat Permission93=Delete social or fiscal taxes and vat Permission94=Export social or fiscal taxes -Permission95=Read reports +Permission95=Lexo raportet Permission101=Read sendings Permission102=Create/modify sendings Permission104=Validate sendings @@ -709,7 +709,7 @@ Permission185=Order or cancel supplier orders Permission186=Receive supplier orders Permission187=Close supplier orders Permission188=Cancel supplier orders -Permission192=Create lines +Permission192=Krijo Linja Permission193=Cancel lines Permission194=Read the bandwith lines Permission202=Create ADSL connections @@ -742,7 +742,7 @@ 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). -Permission271=Read CA +Permission271=Lexo CA Permission272=Read invoices Permission273=Issue invoices Permission281=Read contacts @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/sq_AL/banks.lang b/htdocs/langs/sq_AL/banks.lang index 11cebb66b4d10..2bd7c4818850c 100644 --- a/htdocs/langs/sq_AL/banks.lang +++ b/htdocs/langs/sq_AL/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/sq_AL/bills.lang b/htdocs/langs/sq_AL/bills.lang index 62f2838f4b31c..7e730d02021d6 100644 --- a/htdocs/langs/sq_AL/bills.lang +++ b/htdocs/langs/sq_AL/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/sq_AL/compta.lang b/htdocs/langs/sq_AL/compta.lang index 273ebe7896fef..af71ca7447121 100644 --- a/htdocs/langs/sq_AL/compta.lang +++ b/htdocs/langs/sq_AL/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/sq_AL/deliveries.lang b/htdocs/langs/sq_AL/deliveries.lang index 49f3940576601..0340bad5caab8 100644 --- a/htdocs/langs/sq_AL/deliveries.lang +++ b/htdocs/langs/sq_AL/deliveries.lang @@ -18,11 +18,11 @@ StatusDeliveryCanceled=Anulluar StatusDeliveryDraft=Draft StatusDeliveryValidated=Received # merou PDF model -NameAndSignature=Name and Signature : -ToAndDate=To___________________________________ on ____/_____/__________ +NameAndSignature=Emri dhe Nënshkrimi +ToAndDate=Për___________________________________ në ____/_____/__________ GoodStatusDeclaration=Have received the goods above in good condition, Deliverer=Deliverer : -Sender=Sender +Sender=Dërguesi Recipient=Recipient ErrorStockIsNotEnough=There's not enough stock Shippable=Shippable diff --git a/htdocs/langs/sq_AL/donations.lang b/htdocs/langs/sq_AL/donations.lang index 2e796fce5ec5e..74887916bc0df 100644 --- a/htdocs/langs/sq_AL/donations.lang +++ b/htdocs/langs/sq_AL/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/sq_AL/ecm.lang b/htdocs/langs/sq_AL/ecm.lang index 03d3809e5f991..ca973fa493fb1 100644 --- a/htdocs/langs/sq_AL/ecm.lang +++ b/htdocs/langs/sq_AL/ecm.lang @@ -22,7 +22,7 @@ ECMSectionWasCreated=Directory %s has been created. ECMSearchByKeywords=Search by keywords ECMSearchByEntity=Search by object ECMSectionOfDocuments=Directories of documents -ECMTypeAuto=Automatic +ECMTypeAuto=Automatike ECMDocsBySocialContributions=Documents linked to social or fiscal taxes ECMDocsByThirdParties=Documents linked to third parties ECMDocsByProposals=Documents linked to proposals diff --git a/htdocs/langs/sq_AL/errors.lang b/htdocs/langs/sq_AL/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/sq_AL/errors.lang +++ b/htdocs/langs/sq_AL/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/sq_AL/install.lang b/htdocs/langs/sq_AL/install.lang index 20628972da90e..d012acf8f3c7d 100644 --- a/htdocs/langs/sq_AL/install.lang +++ b/htdocs/langs/sq_AL/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/sq_AL/languages.lang b/htdocs/langs/sq_AL/languages.lang index ce995b6fb7a96..0dcdec8064d06 100644 --- a/htdocs/langs/sq_AL/languages.lang +++ b/htdocs/langs/sq_AL/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanish (Paraguay) Language_es_PE=Spanish (Peru) Language_es_PR=Spanish (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/sq_AL/mails.lang b/htdocs/langs/sq_AL/mails.lang index bee9ca1f74a82..9929f546f5957 100644 --- a/htdocs/langs/sq_AL/mails.lang +++ b/htdocs/langs/sq_AL/mails.lang @@ -7,7 +7,7 @@ MailCard=EMailing card MailRecipients=Recipients MailRecipient=Recipient MailTitle=Përshkrimi -MailFrom=Sender +MailFrom=Dërguesi MailErrorsTo=Errors to MailReply=Reply to MailTo=Receiver(s) diff --git a/htdocs/langs/sq_AL/main.lang b/htdocs/langs/sq_AL/main.lang index 90272dc5dec62..ec3ff1f8e8134 100644 --- a/htdocs/langs/sq_AL/main.lang +++ b/htdocs/langs/sq_AL/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/sq_AL/oauth.lang b/htdocs/langs/sq_AL/oauth.lang index cafca379f6f1d..19277b81f2d6a 100644 --- a/htdocs/langs/sq_AL/oauth.lang +++ b/htdocs/langs/sq_AL/oauth.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=Oauth Configuration -OAuthServices=OAuth services +ConfigOAuth=Konfigurimi Oauth +OAuthServices=Shërbimet OAuth ManualTokenGeneration=Manual token generation TokenManager=Token manager IsTokenGenerated=Is token generated ? @@ -15,14 +15,14 @@ UseTheFollowingUrlAsRedirectURI=Use the following URL as the Redirect URI when c ListOfSupportedOauthProviders=Enter here credential provided by your OAuth2 provider. Only supported OAuth2 providers are visible here. This setup may be used by other modules that need OAuth2 authentication. OAuthSetupForLogin=Page to generate an OAuth token SeePreviousTab=See previous tab -OAuthIDSecret=OAuth ID and Secret +OAuthIDSecret=OAuth ID dhe Fjalëkalimi TOKEN_REFRESH=Token Refresh Present TOKEN_EXPIRED=Token expired TOKEN_EXPIRE_AT=Token expire at TOKEN_DELETE=Delete saved token OAUTH_GOOGLE_NAME=Oauth Google service OAUTH_GOOGLE_ID=Oauth Google Id -OAUTH_GOOGLE_SECRET=Oauth Google Secret +OAUTH_GOOGLE_SECRET=Fjalëkalimi Google Oauth OAUTH_GOOGLE_DESC=Go on this page then "Credentials" to create Oauth credentials OAUTH_GITHUB_NAME=Oauth GitHub service OAUTH_GITHUB_ID=Oauth GitHub Id diff --git a/htdocs/langs/sq_AL/other.lang b/htdocs/langs/sq_AL/other.lang index 9c5e58af64eea..c8b877f90ad7e 100644 --- a/htdocs/langs/sq_AL/other.lang +++ b/htdocs/langs/sq_AL/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/sq_AL/products.lang b/htdocs/langs/sq_AL/products.lang index 42e49baab3714..068855d2f84d6 100644 --- a/htdocs/langs/sq_AL/products.lang +++ b/htdocs/langs/sq_AL/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/sq_AL/projects.lang b/htdocs/langs/sq_AL/projects.lang index 0e4939308317b..56405d3f1f222 100644 --- a/htdocs/langs/sq_AL/projects.lang +++ b/htdocs/langs/sq_AL/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost Budget=Buxheti +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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/sq_AL/salaries.lang b/htdocs/langs/sq_AL/salaries.lang index d09814c62b252..387bf20e2d2d5 100644 --- a/htdocs/langs/sq_AL/salaries.lang +++ b/htdocs/langs/sq_AL/salaries.lang @@ -2,12 +2,12 @@ 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_CHARGE=Accounting account by default for personnel expenses -Salary=Salary -Salaries=Salaries -NewSalaryPayment=New salary payment -SalaryPayment=Salary payment -SalariesPayments=Salaries payments -ShowSalaryPayment=Show salary payment +Salary=Rrogë +Salaries=Rrogat +NewSalaryPayment=Pagesë e re rroge +SalaryPayment=Pagesë rroge +SalariesPayments=Pagesat e rrogave +ShowSalaryPayment=Trego pagesën e rrogës THM=Average hourly rate TJM=Average daily rate CurrentSalary=Current salary diff --git a/htdocs/langs/sq_AL/sms.lang b/htdocs/langs/sq_AL/sms.lang index d48104260e3a7..f55791ff62d13 100644 --- a/htdocs/langs/sq_AL/sms.lang +++ b/htdocs/langs/sq_AL/sms.lang @@ -8,7 +8,7 @@ SmsTargets=Targets SmsRecipients=Targets SmsRecipient=Target SmsTitle=Përshkrimi -SmsFrom=Sender +SmsFrom=Dërguesi SmsTo=Target SmsTopic=Topic of SMS SmsText=Message diff --git a/htdocs/langs/sq_AL/website.lang b/htdocs/langs/sq_AL/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/sq_AL/website.lang +++ b/htdocs/langs/sq_AL/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/sr_RS/accountancy.lang b/htdocs/langs/sr_RS/accountancy.lang index 0bff9e2ec37e5..1a609a4bcdf94 100644 --- a/htdocs/langs/sr_RS/accountancy.lang +++ b/htdocs/langs/sr_RS/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Deo broj TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Lista računovodstvenih naloga 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model izvoza -OptionsDeactivatedForThisExportModel=Za ovaj model izvoza, opcije su deaktivirane Selectmodelcsv=Izaberite model izvoza Modelcsv_normal=Klasičan izvoz Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang index 84364b4d5ebe7..37a53729ec02f 100644 --- a/htdocs/langs/sr_RS/admin.lang +++ b/htdocs/langs/sr_RS/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Uređivanje markera Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/sr_RS/banks.lang b/htdocs/langs/sr_RS/banks.lang index eb429a1d13116..4e91a93fefbff 100644 --- a/htdocs/langs/sr_RS/banks.lang +++ b/htdocs/langs/sr_RS/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Broj LineRecord=Transakcija AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Poravnjaj sa DateConciliating=Datum poravnanja BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/sr_RS/bills.lang b/htdocs/langs/sr_RS/bills.lang index 88546ba859796..d078572683749 100644 --- a/htdocs/langs/sr_RS/bills.lang +++ b/htdocs/langs/sr_RS/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Neplaćene fakture dobavljača %s BillsLate=Zakasnele uplate BillsStatistics=Statistika računa kupaca BillsStatisticsSuppliers=Statistika računa dobavljača +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Onemogućeno jer ne može biti izbrisano InvoiceStandard=Standardni račun InvoiceStandardAsk=Standardni račun @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Zašto želite da klasifikujete ovaj račun kao 'napu ConfirmClassifyPaidPartially=Da li ste sigurni da želite da promeni status računa %s u status plaćen? ConfirmClassifyPaidPartiallyQuestion=Ovaj račun nije plaćen u celosti. Iz kojih razloga želite da zatvorite ovaj račun? 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. 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 diff --git a/htdocs/langs/sr_RS/compta.lang b/htdocs/langs/sr_RS/compta.lang index 56835a770617a..c2d84f28db7fe 100644 --- a/htdocs/langs/sr_RS/compta.lang +++ b/htdocs/langs/sr_RS/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Uplate koje nisu vezane ni za jedan račun i ni za je PaymentsNotLinkedToUser=Uplate koje nisu vezane ni za jednog korisnika Profit=Profit AccountingResult=Računovodstveni rezultat +BalanceBefore=Balance (before) Balance=Stanje Debit=Izlaz Credit=Ulaz diff --git a/htdocs/langs/sr_RS/donations.lang b/htdocs/langs/sr_RS/donations.lang index b10421a209245..b4b9fabdf57b2 100644 --- a/htdocs/langs/sr_RS/donations.lang +++ b/htdocs/langs/sr_RS/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Prikaži član 200 iz CGI ukoliko je neophodno DONATION_ART238=Prikaži član 238 iz CGI ukoliko je neophodno DONATION_ART885=Prikaži član 885 iz CGI ukoliko je neophodno DonationPayment=Uplata donacije +DonationValidated=Donation %s validated diff --git a/htdocs/langs/sr_RS/errors.lang b/htdocs/langs/sr_RS/errors.lang index ff901a0ac407f..e670e5cab1a28 100644 --- a/htdocs/langs/sr_RS/errors.lang +++ b/htdocs/langs/sr_RS/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Prazan izraz ErrorPriceExpression21=Prazan rezultat "%s" ErrorPriceExpression22=Negativan rezultat "%s" ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Interna greška "%s" ErrorPriceExpressionUnknown=Nepoznata greška "%s" ErrorSrcAndTargetWarehouseMustDiffers=Izvorni i ciljani magacini moraju biti različiti diff --git a/htdocs/langs/sr_RS/install.lang b/htdocs/langs/sr_RS/install.lang index 6d0b176f6cd80..564fcb27e57c5 100644 --- a/htdocs/langs/sr_RS/install.lang +++ b/htdocs/langs/sr_RS/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix za denormalizovane podatke @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Ponovo učitavanje modula %s +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. diff --git a/htdocs/langs/sr_RS/languages.lang b/htdocs/langs/sr_RS/languages.lang index 41c99b95a60f2..5c6714ac7388c 100644 --- a/htdocs/langs/sr_RS/languages.lang +++ b/htdocs/langs/sr_RS/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Španski (Panama) Language_es_PY=Španski (Paragvaj) Language_es_PE=Španski (Peru) Language_es_PR=Španski (Porto Riko) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Španski (Venecuela) Language_et_EE=Estonski Language_eu_ES=Basque diff --git a/htdocs/langs/sr_RS/main.lang b/htdocs/langs/sr_RS/main.lang index 86ac7d007cd72..e10ae337fbb79 100644 --- a/htdocs/langs/sr_RS/main.lang +++ b/htdocs/langs/sr_RS/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Okt MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=P +MonthVeryShort03=P +MonthVeryShort04=A +MonthVeryShort05=P +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=N +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Fajlovi i dokumenti u prilogu JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Definiši bankovni nalog AccountCurrency=Account currency ViewPrivateNote=Pogledaj beleške XMoreLines=%s linija skrivena(o) -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Javni UR AddBox=Dodaj box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Svi +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/sr_RS/other.lang b/htdocs/langs/sr_RS/other.lang index 0f66aab7f412f..775cbffb5509e 100644 --- a/htdocs/langs/sr_RS/other.lang +++ b/htdocs/langs/sr_RS/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Ukoliko je iznos veći od %s SourcesRepository=Repository koda Chart=Tabela PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Oblast exporta diff --git a/htdocs/langs/sr_RS/products.lang b/htdocs/langs/sr_RS/products.lang index 18bd89759f4bf..e7628c1015503 100644 --- a/htdocs/langs/sr_RS/products.lang +++ b/htdocs/langs/sr_RS/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Trenutna cena AlwaysUseNewPrice=Uvek koristi trenutnu cenu proizvoda/usluge AlwaysUseFixedPrice=Koristi fiksnu cenu PriceByQuantity=Različite cene po količini +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Raspon količina 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 diff --git a/htdocs/langs/sr_RS/projects.lang b/htdocs/langs/sr_RS/projects.lang index 4037556808969..c536692b42ec3 100644 --- a/htdocs/langs/sr_RS/projects.lang +++ b/htdocs/langs/sr_RS/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Na čekanju OppStatusWON=Dobijeno OppStatusLOST=Izgubljeno Budget=Budžet +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 yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/sv_SE/accountancy.lang b/htdocs/langs/sv_SE/accountancy.lang index 0413b3b7eb24d..6a6f7091a1357 100644 --- a/htdocs/langs/sv_SE/accountancy.lang +++ b/htdocs/langs/sv_SE/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Förteckning över redovisningskonton 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Modell av export -OptionsDeactivatedForThisExportModel=För denna exportmodell är tillval inaktiverade Selectmodelcsv=Välj en modell av export Modelcsv_normal=Klassisk export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang index e0ec7461869a0..4ba1947eec304 100644 --- a/htdocs/langs/sv_SE/admin.lang +++ b/htdocs/langs/sv_SE/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Lägg till RSS feed inne Dolibarr skärm sidor Module330Name=Bokmärken Module330Desc=Förvaltning av bokmärken förvaltning Module400Name=Projekt / Möjligheter / Leads -Module400Desc=Förvaltning av projekt, möjligheter eller leads. Du kan sedan tilldela varje element (faktura, beställning, förslag, ingripande, ...) till ett projekt och få ett övergripande vy från projekt vyn. +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=WebCalendar Module410Desc=WebCalendar integration Module500Name=Särskilda kostnader @@ -890,7 +890,7 @@ DictionaryStaff=Personal DictionaryAvailability=Leveransförsening DictionaryOrderMethods=Beställningsmetoder DictionarySource=Ursprung av affärsförslag / beställning -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modeller för kontoplan DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=E-postmeddelanden mallar @@ -904,6 +904,7 @@ SetupSaved=Setup sparas SetupNotSaved=Setup not saved BackToModuleList=Tillbaka till moduler lista BackToDictionaryList=Tillbaka till ordlistan +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/sv_SE/banks.lang b/htdocs/langs/sv_SE/banks.lang index a11fe8cd36946..a4a5ff3f36f43 100644 --- a/htdocs/langs/sv_SE/banks.lang +++ b/htdocs/langs/sv_SE/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Antal LineRecord=Transaktion AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Förenas med DateConciliating=Reconcile datum BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/sv_SE/bills.lang b/htdocs/langs/sv_SE/bills.lang index 4f447ca3e7336..0d51952117872 100644 --- a/htdocs/langs/sv_SE/bills.lang +++ b/htdocs/langs/sv_SE/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Sena betalningar BillsStatistics=Kundfakturor statistik BillsStatisticsSuppliers=Leverantörsfakturor statistik +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard faktura InvoiceStandardAsk=Standard faktura @@ -176,6 +178,7 @@ 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=Återstående obetalt (%s %s) är en rabatt som beviljats ​​eftersom betalningen gjordes före villkoren. Jag reglerar momsen med en kreditnota. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Återstående obetalt (%s %s) är en rabatt som beviljats ​​eftersom betalningen gjordes före villkoren. Jag godkänner förlust av momsen på denna rabatt. ConfirmClassifyPaidPartiallyReasonDiscountVat=Återstående obetalt (%s %s) är en rabatt som beviljats ​​eftersom betalningen gjordes före villkoren. Jag återskapar momsen på denna rabatt med en kreditnota. ConfirmClassifyPaidPartiallyReasonBadCustomer=Dålig kund diff --git a/htdocs/langs/sv_SE/compta.lang b/htdocs/langs/sv_SE/compta.lang index d93650be32fae..b9ae2f8781968 100644 --- a/htdocs/langs/sv_SE/compta.lang +++ b/htdocs/langs/sv_SE/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Betalningar inte kopplade till någon faktura, så in PaymentsNotLinkedToUser=Betalningar inte är kopplade till alla användare Profit=Resultat AccountingResult=Bokföring resultat +BalanceBefore=Balance (before) Balance=Balans Debit=Debet Credit=Credit diff --git a/htdocs/langs/sv_SE/donations.lang b/htdocs/langs/sv_SE/donations.lang index 244458f0d6d93..7d01404238c34 100644 --- a/htdocs/langs/sv_SE/donations.lang +++ b/htdocs/langs/sv_SE/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Visar artikel 200 från CGI om du är orolig DONATION_ART238=Visar artikel 238 från CGI om du är orolig DONATION_ART885=Visar artikel 885 från CGI om du är orolig DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/sv_SE/errors.lang b/htdocs/langs/sv_SE/errors.lang index 4696d78e95fe7..399a766678845 100644 --- a/htdocs/langs/sv_SE/errors.lang +++ b/htdocs/langs/sv_SE/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Tomma uttryck ErrorPriceExpression21=Tomt resultat '%s' ErrorPriceExpression22=Negativt resultat '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internt fel '%s' ErrorPriceExpressionUnknown=Okänt fel '%s' ErrorSrcAndTargetWarehouseMustDiffers=Källa och mål lager måste skiljer diff --git a/htdocs/langs/sv_SE/install.lang b/htdocs/langs/sv_SE/install.lang index 33312ee451bd6..47e52b0c4db7d 100644 --- a/htdocs/langs/sv_SE/install.lang +++ b/htdocs/langs/sv_SE/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Du använder Dolibarr inställningsguiden från en Prox 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 ######### # upgrade MigrationFixData=Fix för denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reload module %s +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. diff --git a/htdocs/langs/sv_SE/languages.lang b/htdocs/langs/sv_SE/languages.lang index 86e160a7b0311..471a93558247a 100644 --- a/htdocs/langs/sv_SE/languages.lang +++ b/htdocs/langs/sv_SE/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanska (Paraguay) Language_es_PE=Spanska (Peru) Language_es_PR=Spanska (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estniska Language_eu_ES=Baskiska diff --git a/htdocs/langs/sv_SE/main.lang b/htdocs/langs/sv_SE/main.lang index 31caedc4bc225..83164ec7a5f78 100644 --- a/htdocs/langs/sv_SE/main.lang +++ b/htdocs/langs/sv_SE/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Okt MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Bifogade filer och dokument JoinMainDoc=Join main document DateFormatYYYYMM=ÅÅÅÅ-MM @@ -762,7 +774,7 @@ SetBankAccount=Definiera bankkonto AccountCurrency=Account currency ViewPrivateNote=Se noter XMoreLines=%s rader osynliga -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Offentlig webbadress AddBox=Lägg till låda SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Alla +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/sv_SE/other.lang b/htdocs/langs/sv_SE/other.lang index 23d8f8eab6482..7cf73f506cdc8 100644 --- a/htdocs/langs/sv_SE/other.lang +++ b/htdocs/langs/sv_SE/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Export område diff --git a/htdocs/langs/sv_SE/products.lang b/htdocs/langs/sv_SE/products.lang index 0a3a4714b9559..dc0f90423acd4 100644 --- a/htdocs/langs/sv_SE/products.lang +++ b/htdocs/langs/sv_SE/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Nuvarande pris AlwaysUseNewPrice=Använd alltid nuvarande pris för produkt / tjänst AlwaysUseFixedPrice=Använd fast pris PriceByQuantity=Olika priser m.a.p. mängd +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Pris för mängdgaffel 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 diff --git a/htdocs/langs/sv_SE/projects.lang b/htdocs/langs/sv_SE/projects.lang index 36e865f116236..15b6c11151d86 100644 --- a/htdocs/langs/sv_SE/projects.lang +++ b/htdocs/langs/sv_SE/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Avvaktande OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/sv_SE/website.lang b/htdocs/langs/sv_SE/website.lang index 88290fd1225b7..630a62570b08f 100644 --- a/htdocs/langs/sv_SE/website.lang +++ b/htdocs/langs/sv_SE/website.lang @@ -3,15 +3,17 @@ Shortname=Kod WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/sw_SW/accountancy.lang b/htdocs/langs/sw_SW/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/sw_SW/accountancy.lang +++ b/htdocs/langs/sw_SW/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang index 4f3d25c4eb170..9dce46ab295b8 100644 --- a/htdocs/langs/sw_SW/admin.lang +++ b/htdocs/langs/sw_SW/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/sw_SW/banks.lang b/htdocs/langs/sw_SW/banks.lang index 40b76f8c64c2e..be8f75d172b54 100644 --- a/htdocs/langs/sw_SW/banks.lang +++ b/htdocs/langs/sw_SW/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/sw_SW/bills.lang b/htdocs/langs/sw_SW/bills.lang index b865c00be9de6..eeafc56bf1cc4 100644 --- a/htdocs/langs/sw_SW/bills.lang +++ b/htdocs/langs/sw_SW/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/sw_SW/compta.lang b/htdocs/langs/sw_SW/compta.lang index 4082b9fa9b7f9..df4942cf23473 100644 --- a/htdocs/langs/sw_SW/compta.lang +++ b/htdocs/langs/sw_SW/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/sw_SW/donations.lang b/htdocs/langs/sw_SW/donations.lang index f4578fa9fc398..5edc8d62033c5 100644 --- a/htdocs/langs/sw_SW/donations.lang +++ b/htdocs/langs/sw_SW/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/sw_SW/errors.lang b/htdocs/langs/sw_SW/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/sw_SW/errors.lang +++ b/htdocs/langs/sw_SW/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/sw_SW/install.lang b/htdocs/langs/sw_SW/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/sw_SW/install.lang +++ b/htdocs/langs/sw_SW/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/sw_SW/languages.lang b/htdocs/langs/sw_SW/languages.lang index 00d79083b98a7..669ea67456417 100644 --- a/htdocs/langs/sw_SW/languages.lang +++ b/htdocs/langs/sw_SW/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Kihispania (Paraguay) Language_es_PE=Spanish (Peru) Language_es_PR=Kihispania (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/sw_SW/main.lang b/htdocs/langs/sw_SW/main.lang index d5c9fc6ce340a..f1f1628af2776 100644 --- a/htdocs/langs/sw_SW/main.lang +++ b/htdocs/langs/sw_SW/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/sw_SW/other.lang b/htdocs/langs/sw_SW/other.lang index 0d9d1cfbd85fe..1a5314a24d9c0 100644 --- a/htdocs/langs/sw_SW/other.lang +++ b/htdocs/langs/sw_SW/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/sw_SW/products.lang b/htdocs/langs/sw_SW/products.lang index 43c74c9b87706..53835bd7f0676 100644 --- a/htdocs/langs/sw_SW/products.lang +++ b/htdocs/langs/sw_SW/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/sw_SW/projects.lang b/htdocs/langs/sw_SW/projects.lang index f33a950acff08..c69302deecb7d 100644 --- a/htdocs/langs/sw_SW/projects.lang +++ b/htdocs/langs/sw_SW/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/th_TH/accountancy.lang b/htdocs/langs/th_TH/accountancy.lang index d11bccb84a761..0bfacad98efbd 100644 --- a/htdocs/langs/th_TH/accountancy.lang +++ b/htdocs/langs/th_TH/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=รายการบัญชีที่บัญชี 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=รูปแบบของการส่งออก -OptionsDeactivatedForThisExportModel=สำหรับรูปแบบการส่งออกนี้ตัวเลือกที่จะปิดการใช้งาน Selectmodelcsv=เลือกรูปแบบของการส่งออก Modelcsv_normal=การส่งออกคลาสสิก Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang index f7aed9eeffc24..a7475a0a188b9 100644 --- a/htdocs/langs/th_TH/admin.lang +++ b/htdocs/langs/th_TH/admin.lang @@ -539,7 +539,7 @@ Module320Desc=เพิ่มฟีด RSS ภายใน Dolibarr หน้า Module330Name=ที่คั่นหน้า Module330Desc=การจัดการที่คั่นหน้า Module400Name=โครงการ / โอกาส / นำ -Module400Desc=การบริหารจัดการของโครงการหรือนำไปสู่​​โอกาส จากนั้นคุณสามารถกำหนดองค์ประกอบใด ๆ (ใบแจ้งหนี้เพื่อข้อเสนอการแทรกแซง, ... ) กับโครงการและได้รับมุมมองจากมุมมองขวางโครงการ +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=Webcalendar Module410Desc=บูรณาการ Webcalendar Module500Name=ค่าใช้จ่ายพิเศษ @@ -890,7 +890,7 @@ DictionaryStaff=บุคลากร DictionaryAvailability=ความล่าช้าในการจัดส่งสินค้า DictionaryOrderMethods=วิธีการสั่งซื้อ DictionarySource=แหล่งที่มาของข้อเสนอ / การสั่งซื้อ -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=รุ่นสำหรับผังบัญชี DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=แม่แบบอีเมล @@ -904,6 +904,7 @@ SetupSaved=การตั้งค่าที่บันทึกไว้ SetupNotSaved=Setup not saved BackToModuleList=กลับไปยังรายการโมดูล BackToDictionaryList=กลับไปยังรายการพจนานุกรม +TypeOfRevenueStamp=Type of revenue 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 ซึ่งสามารถนำมาใช้สำหรับกรณีเช่นสมาคมบุคคลอู บริษัท ขนาดเล็ก @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/th_TH/banks.lang b/htdocs/langs/th_TH/banks.lang index e661c0aa0d61a..999a4dbf66d9b 100644 --- a/htdocs/langs/th_TH/banks.lang +++ b/htdocs/langs/th_TH/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=จำนวน LineRecord=การซื้อขาย AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=โดยคืนดี DateConciliating=วันที่ตกลงกัน BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/th_TH/bills.lang b/htdocs/langs/th_TH/bills.lang index 54984f371c069..f55c8b1d56325 100644 --- a/htdocs/langs/th_TH/bills.lang +++ b/htdocs/langs/th_TH/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=การชำระเงินล่าช้า BillsStatistics=สถิติใบแจ้งหนี้ลูกค้า BillsStatisticsSuppliers=สถิติใบแจ้งหนี้ซัพพลายเออร์ +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=ใบแจ้งหนี้มาตรฐาน InvoiceStandardAsk=ใบแจ้งหนี้มาตรฐาน @@ -176,6 +178,7 @@ 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=ที่เหลือยังไม่ได้ชำระ (% s% s) เป็นส่วนลดได้รับเนื่องจากการชำระเงินก่อนที่จะถูกสร้างขึ้นมาในระยะ ผมระเบียบภาษีมูลค่าเพิ่มที่มีใบลดหนี้ +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=ที่เหลือยังไม่ได้ชำระ (% s% s) เป็นส่วนลดได้รับเนื่องจากการชำระเงินก่อนที่จะถูกสร้างขึ้นมาในระยะ ฉันยอมรับที่จะสูญเสียภาษีมูลค่าเพิ่มในส่วนลดนี้ ConfirmClassifyPaidPartiallyReasonDiscountVat=ที่เหลือยังไม่ได้ชำระ (% s% s) เป็นส่วนลดได้รับเนื่องจากการชำระเงินก่อนที่จะถูกสร้างขึ้นมาในระยะ ฉันกู้คืนภาษีมูลค่าเพิ่มส่วนลดนี้โดยไม่มีใบลดหนี้ ConfirmClassifyPaidPartiallyReasonBadCustomer=ลูกค้าที่ไม่ดี diff --git a/htdocs/langs/th_TH/compta.lang b/htdocs/langs/th_TH/compta.lang index b5c649a10f9ee..f7e28036b6665 100644 --- a/htdocs/langs/th_TH/compta.lang +++ b/htdocs/langs/th_TH/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=การชำระเงินไม่ได้ PaymentsNotLinkedToUser=การชำระเงินที่ไม่เชื่อมโยงกับผู้ใช้ใด ๆ Profit=กำไร AccountingResult=ผลการบัญชี +BalanceBefore=Balance (before) Balance=สมดุล Debit=หักบัญชี Credit=เครดิต diff --git a/htdocs/langs/th_TH/donations.lang b/htdocs/langs/th_TH/donations.lang index e947c76b24357..e0b8d33217f44 100644 --- a/htdocs/langs/th_TH/donations.lang +++ b/htdocs/langs/th_TH/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=แสดงบทความจาก 200 CGI ถ้าคุ DONATION_ART238=แสดงบทความจาก 238 CGI ถ้าคุณมีความกังวล DONATION_ART885=แสดงบทความจาก 885 CGI ถ้าคุณมีความกังวล DonationPayment=การชำระเงินที่บริจาค +DonationValidated=Donation %s validated diff --git a/htdocs/langs/th_TH/errors.lang b/htdocs/langs/th_TH/errors.lang index 2b42629117ed3..e3dc31a946193 100644 --- a/htdocs/langs/th_TH/errors.lang +++ b/htdocs/langs/th_TH/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=การแสดงออกที่ว่างเป ErrorPriceExpression21=ผลที่ว่างเปล่า '% s' ErrorPriceExpression22=ผลเชิงลบ '% s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=ข้อผิดพลาดภายใน '% s' ErrorPriceExpressionUnknown=ข้อผิดพลาดที่ไม่รู้จัก '% s' ErrorSrcAndTargetWarehouseMustDiffers=แหล่งที่มาและคลังสินค้าเป้าหมายต้องแตกต่าง diff --git a/htdocs/langs/th_TH/install.lang b/htdocs/langs/th_TH/install.lang index 6b28422509ac8..4f2373db06d14 100644 --- a/htdocs/langs/th_TH/install.lang +++ b/htdocs/langs/th_TH/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=คุณสามารถใช้ตัวช่ว 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 ######### # upgrade MigrationFixData=แก้ไขข้อมูล denormalized @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reload module %s +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. diff --git a/htdocs/langs/th_TH/languages.lang b/htdocs/langs/th_TH/languages.lang index 61f620377abb0..e10a2c02b9637 100644 --- a/htdocs/langs/th_TH/languages.lang +++ b/htdocs/langs/th_TH/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=สเปน (ปารากวัย) Language_es_PE=เสปน (เปรู) Language_es_PR=สเปน (เปอร์โตริโก) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=เอสโตเนีย Language_eu_ES=ชาวแบสค์ diff --git a/htdocs/langs/th_TH/main.lang b/htdocs/langs/th_TH/main.lang index 2295ec29db476..b2938c6562a77 100644 --- a/htdocs/langs/th_TH/main.lang +++ b/htdocs/langs/th_TH/main.lang @@ -548,6 +548,18 @@ MonthShort09=กันยายน MonthShort10=ตุลาคม MonthShort11=พฤศจิกายน MonthShort12=ธันวาคม +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=ไฟล์ที่แนบมาและเอกสาร JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=กำหนดบัญชีธนาคาร AccountCurrency=Account currency ViewPrivateNote=ดูบันทึก XMoreLines=% s สาย (s) ซ่อน -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=URL ที่สาธารณะ AddBox=เพิ่มกล่อง SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=ทุกคน +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/th_TH/members.lang b/htdocs/langs/th_TH/members.lang index 7a06f2e530e18..5427d6c2a8681 100644 --- a/htdocs/langs/th_TH/members.lang +++ b/htdocs/langs/th_TH/members.lang @@ -23,7 +23,7 @@ MembersListToValid=รายชื่อสมาชิกร่าง (ที MembersListValid=รายชื่อสมาชิกที่ถูกต้อง MembersListUpToDate=รายชื่อสมาชิกที่ถูกต้องที่มีถึงวันที่สมัครสมาชิก MembersListNotUpToDate=รายชื่อสมาชิกที่ถูกต้องด้วยการสมัครสมาชิกออกจากวันที่ -MembersListResiliated=List of terminated members +MembersListResiliated=รายชื่อสมาชิกที่สิ้นสุดสมาชิกภาพ MembersListQualified=รายชื่อสมาชิกที่ผ่านการรับรอง MenuMembersToValidate=สมาชิกร่าง MenuMembersValidated=สมาชิกผ่านการตรวจสอบ diff --git a/htdocs/langs/th_TH/other.lang b/htdocs/langs/th_TH/other.lang index c818a4127f34c..ec56a3485c28a 100644 --- a/htdocs/langs/th_TH/other.lang +++ b/htdocs/langs/th_TH/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=หากจำนวนเงินที่สูงกว SourcesRepository=พื้นที่เก็บข้อมูลสำหรับแหล่งที่มา Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=พื้นที่การส่งออก diff --git a/htdocs/langs/th_TH/productbatch.lang b/htdocs/langs/th_TH/productbatch.lang index c719c436ce99e..9c26015eb5136 100644 --- a/htdocs/langs/th_TH/productbatch.lang +++ b/htdocs/langs/th_TH/productbatch.lang @@ -4,7 +4,7 @@ ProductStatusOnBatch=ใช่ (มาก / อนุกรมที่จำเ ProductStatusNotOnBatch=ไม่ (มาก / อนุกรมไม่ได้ใช้) ProductStatusOnBatchShort=ใช่ ProductStatusNotOnBatchShort=ไม่ -Batch=จัดสรร / อนุกรม +Batch=ล็อต/ลำดับ atleast1batchfield=กินตามวันที่หรือขายโดยวันที่หรือ Lot / หมายเลข Serial batch_number=Lot / หมายเลข Serial BatchNumberShort=จัดสรร / อนุกรม @@ -16,7 +16,7 @@ printEatby=กินโดย:% s printSellby=ขายโดย:% s printQty=จำนวน:% d AddDispatchBatchLine=เพิ่มบรรทัดสำหรับอายุการเก็บรักษาการฝึกอบรม -WhenProductBatchModuleOnOptionAreForced=When module Lot/Serial is on, automatic increase/decrease stock mode is forced to shipping validate and manual dispatching for reception and can't be edited. Other options can be defined as you want. +WhenProductBatchModuleOnOptionAreForced=เมื่อโมดูล ล็อท/ลำดับ เปิดใช้งาน โหมดการเพิ่มขึ้น/ลดลงของสต็อคถูกบังคับให้ต้องเลือกยืนยันความถูกต้องในการขนส่ง และการจ่ายแบบทำเองไม่สามารถแก้ไขได้ ตัวเลือกอื่น ๆ สามารถกำหนดได้ตามที่คุณต้องการ ProductDoesNotUseBatchSerial=ผลิตภัณฑ์นี้ไม่ได้ใช้มาก / หมายเลขซีเรีย ProductLotSetup=Setup of module lot/serial ShowCurrentStockOfLot=Show current stock for couple product/lot diff --git a/htdocs/langs/th_TH/products.lang b/htdocs/langs/th_TH/products.lang index ac1c9f2edefdb..84bcfc60a7017 100644 --- a/htdocs/langs/th_TH/products.lang +++ b/htdocs/langs/th_TH/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=ราคาปัจจุบัน AlwaysUseNewPrice=มักจะใช้ราคาปัจจุบันของสินค้า / บริการ AlwaysUseFixedPrice=ใช้ราคาคงที่ PriceByQuantity=ราคาที่แตกต่างกันตามปริมาณ +DisablePriceByQty=Disable prices by quantity 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 diff --git a/htdocs/langs/th_TH/projects.lang b/htdocs/langs/th_TH/projects.lang index 4492baa58cc46..79aba76ab1812 100644 --- a/htdocs/langs/th_TH/projects.lang +++ b/htdocs/langs/th_TH/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=ที่รอดำเนินการ OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/th_TH/website.lang b/htdocs/langs/th_TH/website.lang index 74edc094476df..e3abd9fef71e3 100644 --- a/htdocs/langs/th_TH/website.lang +++ b/htdocs/langs/th_TH/website.lang @@ -3,15 +3,17 @@ Shortname=รหัส WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/tr_TR/accountancy.lang b/htdocs/langs/tr_TR/accountancy.lang index 4fe36e2772d62..b060670cf7b4d 100644 --- a/htdocs/langs/tr_TR/accountancy.lang +++ b/htdocs/langs/tr_TR/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Parça sayısı TransactionNumShort=Num. transaction AccountingCategory=Kişiselleştirilmiş gruplar GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Burada üçüncü taraf müşterileri ve tedarikçileri ile ListAccounts=Muhasebe hesapları listesi 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Dışaaktarım modeli -OptionsDeactivatedForThisExportModel=Bu dışaaktarma modeli için seçenekler etkinleştirilmemiş Selectmodelcsv=Bir dışaaktarım modeli seç Modelcsv_normal=Klasik dışaaktarım Modelcsv_CEGID=CEGID Expert Comptabilité'ye doğru dışaaktar @@ -254,7 +254,7 @@ Modelcsv_ciel=Sage Ciel Compta ya da Compta Evolution'a doğru dışaaktar Modelcsv_quadratus=Quadratus QuadraCompta'ya doğru dışaaktar Modelcsv_ebp=EBP'ye yönelik dışaaktarım Modelcsv_cogilog=Cogilog'a dışaaktar -Modelcsv_agiris=Export towards Agiris (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Hesap planı Id diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang index 046296fa6e293..d6049f4808f4c 100644 --- a/htdocs/langs/tr_TR/admin.lang +++ b/htdocs/langs/tr_TR/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Dolibarr ekran sayfaları içine RSS ekle Module330Name=Yerimleri Module330Desc=Yerimi yönetimi Module400Name=Projeler/Fırsatlar/Adaylar -Module400Desc=Projlerin, fırsatların ve adayların yönetimi. Daha sonra bir projeye herhangi bir unsur (fatura, sipariş, teklif, müdahale, ...) atayabilirsiniz ve proje görünümünde bir çapraz bir görünüm elde edebilirsiniz. +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=Web Takvimi Module410Desc=WebT akvimi entegrasyonu Module500Name=Özel giderler @@ -890,7 +890,7 @@ DictionaryStaff=Personel DictionaryAvailability=Teslimat süresi DictionaryOrderMethods=Sipariş yöntemleri DictionarySource=Teklifin/siparişin kökeni -DictionaryAccountancyCategory=Kişiselleştirilmiş gruplar +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Hesap planı modelleri DictionaryAccountancyJournal=Muhasebe günlükleri DictionaryEMailTemplates=Eposta şablonları @@ -904,6 +904,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 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/tr_TR/banks.lang b/htdocs/langs/tr_TR/banks.lang index 26ffb10f1e48a..3d51aa4f2cdc7 100644 --- a/htdocs/langs/tr_TR/banks.lang +++ b/htdocs/langs/tr_TR/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Numarası LineRecord=İşlem AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Uzlaştıran DateConciliating=Uzlaştırma tarihi BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/tr_TR/bills.lang b/htdocs/langs/tr_TR/bills.lang index 437a0b122f038..52795d995fb3e 100644 --- a/htdocs/langs/tr_TR/bills.lang +++ b/htdocs/langs/tr_TR/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=%s için ödenmemiş tedarikçi faturaları BillsLate=Geç ödemeler BillsStatistics=Müşteri faturaları istatistikleri BillsStatisticsSuppliers=Tedarikçi faturaları istatistikleri +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Silinemediği için devre dışı bırakıldı InvoiceStandard=Standart fatura InvoiceStandardAsk=Standart fatura @@ -176,6 +178,7 @@ ConfirmCancelBillQuestion=Neden bu faturayı ‘vazgeçilmiş’ olarak sınıfl ConfirmClassifyPaidPartially=%s faturasının durumunu ödenmiş olarak değiştirmek istediğinizden emin misiniz? ConfirmClassifyPaidPartiallyQuestion=Bu fatura tamamen ödenmemiş. Bu faturayı kapatmak için nedenler nelerdir? ConfirmClassifyPaidPartiallyReasonAvoir=Kalan bakiye (%s %s) ödeme vadesinden önce yapıldığından dolayı verilmiş bir indirimdr. KDV bir iade faturasıyla ayarIanır. +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Kalan ödenmemiş tutar (%s %s) ödeme vadesinden önce ödendiğinden bir indirim olarak verilmiştir. Burada KDV sini kaybetmeyi kabul ediyorum. ConfirmClassifyPaidPartiallyReasonDiscountVat=Kalan bakiye (%s %s) ödeme vadesinden önce yapıldığından dolayı verilmiş bir indirimdr. KDV bir iade faturasıyla düzeltilir. ConfirmClassifyPaidPartiallyReasonBadCustomer=Kötü müşteri diff --git a/htdocs/langs/tr_TR/compta.lang b/htdocs/langs/tr_TR/compta.lang index 8af22e8ce6699..85b3dfbc0b50c 100644 --- a/htdocs/langs/tr_TR/compta.lang +++ b/htdocs/langs/tr_TR/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Herhangi bir faturaya bağlı olmayan ödemeler, herh PaymentsNotLinkedToUser=Herhangi bir kullanıcıya bağlı olmayan ödemeler Profit=Kar AccountingResult=Muhasebe sonucu +BalanceBefore=Balance (before) Balance=Bakiye Debit=Borç Credit=Alacak diff --git a/htdocs/langs/tr_TR/donations.lang b/htdocs/langs/tr_TR/donations.lang index a467260f47924..39d502ac1c28a 100644 --- a/htdocs/langs/tr_TR/donations.lang +++ b/htdocs/langs/tr_TR/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Eğer ilgileniyorsanız CGI den 200 öğe göster DONATION_ART238=Eğer ilgileniyorsanız CGI den 238 öğe göster DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Bağış ödemesi +DonationValidated=Donation %s validated diff --git a/htdocs/langs/tr_TR/errors.lang b/htdocs/langs/tr_TR/errors.lang index 977c9719d844a..322d239eb3d52 100644 --- a/htdocs/langs/tr_TR/errors.lang +++ b/htdocs/langs/tr_TR/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Boş ifade ErrorPriceExpression21=Boş sonuç '%s' ErrorPriceExpression22=Eksi sonuç '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=İç hata '%s' ErrorPriceExpressionUnknown=Bilinmeyen hata '%s' ErrorSrcAndTargetWarehouseMustDiffers=Kaynak ve hedef depolar farklı olmalı diff --git a/htdocs/langs/tr_TR/install.lang b/htdocs/langs/tr_TR/install.lang index 31064ecca51a7..b41c52165374e 100644 --- a/htdocs/langs/tr_TR/install.lang +++ b/htdocs/langs/tr_TR/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Proxmox sanal aygıt üzerinden Dolibarr kurulum sihir UpgradeExternalModule=Harici modüllerin özel yükseltme işlemini çalıştırın 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 ######### # upgrade MigrationFixData=Standart dışı veri onarımı @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=value of llx_societe_remise varlık alanını güncelle MigrationRemiseExceptEntity=llx_societe_remise_except varlık alanını güncelle MigrationReloadModule=Modülü yeniden yükle %s +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. diff --git a/htdocs/langs/tr_TR/languages.lang b/htdocs/langs/tr_TR/languages.lang index 13e1a9a3abe62..46890d8d0705f 100644 --- a/htdocs/langs/tr_TR/languages.lang +++ b/htdocs/langs/tr_TR/languages.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - languages Language_ar_AR=Arapça -Language_ar_EG=Arabic (Egypt) +Language_ar_EG=Arabça (Mısır) Language_ar_SA=Arapça Language_bn_BD=Bengalce Language_bg_BG=Bulgarca @@ -35,6 +35,7 @@ Language_es_PA=İspanyolca (Panama) Language_es_PY=İspanyolca (Paraguay) Language_es_PE=İspanyolca (Peru) Language_es_PR=İspanyolca (Porto Riko) +Language_es_UY=Spanish (Uruguay) Language_es_VE=İspanyolca (Venezüella) Language_et_EE=Estonyaca Language_eu_ES=Baskça diff --git a/htdocs/langs/tr_TR/main.lang b/htdocs/langs/tr_TR/main.lang index b69c15761d6e6..bff04a4eaffe0 100644 --- a/htdocs/langs/tr_TR/main.lang +++ b/htdocs/langs/tr_TR/main.lang @@ -548,6 +548,18 @@ MonthShort09=Eyl MonthShort10=Eki MonthShort11=Kas MonthShort12=Ara +MonthVeryShort01=J +MonthVeryShort02=Cu +MonthVeryShort03=Pt +MonthVeryShort04=A +MonthVeryShort05=Pt +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Pa +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Ekli dosya ve belgeler JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-AA @@ -762,7 +774,7 @@ SetBankAccount=Banka Hesabı Tanımla AccountCurrency=Account currency ViewPrivateNote=Notları izle XMoreLines=%s gizli satır -ShowMoreLines=Daha fazla satır göster +ShowMoreLines=Show more/less lines PublicUrl=Genel URL AddBox=Kutu ekle SelectElementAndClick=Bir öğe seçin ve %s tıklayın @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Herkes +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/tr_TR/other.lang b/htdocs/langs/tr_TR/other.lang index 7057701cbd4f4..41d7ca33547d9 100644 --- a/htdocs/langs/tr_TR/other.lang +++ b/htdocs/langs/tr_TR/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=Eğer tutar %s den büyükse SourcesRepository=Kaynaklar için havuz Chart=Çizelge PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Dışaaktar alanı diff --git a/htdocs/langs/tr_TR/products.lang b/htdocs/langs/tr_TR/products.lang index c1b73ba9ffd4f..9c980e97fe036 100644 --- a/htdocs/langs/tr_TR/products.lang +++ b/htdocs/langs/tr_TR/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Geçerli fiyat AlwaysUseNewPrice=Ürün/hizmet için her zaman geçerli fiyatı kullan AlwaysUseFixedPrice=Sabit fiyatı kullan PriceByQuantity=Miktara göre değişen fiyatlar +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Miktar aralığı MultipriceRules=Fiyat seviyesi kuralları UseMultipriceRules=Birinci fiyata göre kendiliğinden fiyat hesaplaması için fiyat seviyesi kurallarını (ürün modülü ayarlarında tanımlanan) kullan diff --git a/htdocs/langs/tr_TR/projects.lang b/htdocs/langs/tr_TR/projects.lang index 45a15677d10b0..1e3d21c2d2dc1 100644 --- a/htdocs/langs/tr_TR/projects.lang +++ b/htdocs/langs/tr_TR/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Beklemede OppStatusWON=Kazanç OppStatusLOST=Kayıp Budget=Bütçe +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=Son %s proje LatestModifiedProjects=Latest %s modified projects OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/tr_TR/website.lang b/htdocs/langs/tr_TR/website.lang index 88a0a7a64472b..8a58fe8610855 100644 --- a/htdocs/langs/tr_TR/website.lang +++ b/htdocs/langs/tr_TR/website.lang @@ -3,15 +3,17 @@ Shortname=Kod WebsiteSetupDesc=Burada istediğiniz sayıda farklı websitesi oluşturun. Sonra Websitesi menüsüne giderek bunları düzenleyin. DeleteWebsite=Websitesi sil ConfirmDeleteWebsite=Bu websitesini silmek istediğinizden emin misiniz? Bütün sayfaları ve içeriği silinecektir. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Sayfa adı/rumuz -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=Dış CSS dosyası URL si WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Sayfanın adı veya takma adı.
Bu takma ad, web sitesi bir web sunucusunun (Apacke, Nginx gibi ...) Sanal host'undan çalıştırıldığında bir SEO URL'si oluşturmak için de kullanılır. Bu takma adı düzenlemek için "%s" düşmesini kullanın. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Medya kütüphanesi EditCss=Stil/CSS veya HTML başlığı düzenle EditMenu=Menü düzenle @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=Harici web sunucusu tarafından sunulan sanal host URL' NoPageYet=Henüz hiç sayfa yok 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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=Sayfa/kapsayıcı kopyala CloneSite=Siteyi kopyala SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/uk_UA/accountancy.lang b/htdocs/langs/uk_UA/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/uk_UA/accountancy.lang +++ b/htdocs/langs/uk_UA/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang index 3cd0390e74312..bfe9edad45401 100644 --- a/htdocs/langs/uk_UA/admin.lang +++ b/htdocs/langs/uk_UA/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/uk_UA/banks.lang b/htdocs/langs/uk_UA/banks.lang index 2b788f6177470..d993f69e339de 100644 --- a/htdocs/langs/uk_UA/banks.lang +++ b/htdocs/langs/uk_UA/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/uk_UA/bills.lang b/htdocs/langs/uk_UA/bills.lang index bf68ff07aa828..17ed0f8b7da65 100644 --- a/htdocs/langs/uk_UA/bills.lang +++ b/htdocs/langs/uk_UA/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Прострочені платежі BillsStatistics=Статистика рахунків клієнтів BillsStatisticsSuppliers=Статистика рахунків постачальників +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Стандартний рахунок-фактура InvoiceStandardAsk=Стандартний рахунок-фактура @@ -176,6 +178,7 @@ 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. +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=Поганий Покупець diff --git a/htdocs/langs/uk_UA/compta.lang b/htdocs/langs/uk_UA/compta.lang index 1dd881352e745..469c3973f83e9 100644 --- a/htdocs/langs/uk_UA/compta.lang +++ b/htdocs/langs/uk_UA/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/uk_UA/donations.lang b/htdocs/langs/uk_UA/donations.lang index 543681971de13..db25a36744ca4 100644 --- a/htdocs/langs/uk_UA/donations.lang +++ b/htdocs/langs/uk_UA/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/uk_UA/errors.lang b/htdocs/langs/uk_UA/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/uk_UA/errors.lang +++ b/htdocs/langs/uk_UA/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/uk_UA/install.lang b/htdocs/langs/uk_UA/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/uk_UA/install.lang +++ b/htdocs/langs/uk_UA/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/uk_UA/languages.lang b/htdocs/langs/uk_UA/languages.lang index 1f1633607bf08..a26efa98ae365 100644 --- a/htdocs/langs/uk_UA/languages.lang +++ b/htdocs/langs/uk_UA/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Іспанська (Парагвай) Language_es_PE=Іспанська (Перу) Language_es_PR=Іспанська (Пуерто-Ріко) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Естонська Language_eu_ES=Баскська diff --git a/htdocs/langs/uk_UA/main.lang b/htdocs/langs/uk_UA/main.lang index 0fc58045416ad..568a37082a114 100644 --- a/htdocs/langs/uk_UA/main.lang +++ b/htdocs/langs/uk_UA/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/uk_UA/other.lang b/htdocs/langs/uk_UA/other.lang index 0d9d1cfbd85fe..1a5314a24d9c0 100644 --- a/htdocs/langs/uk_UA/other.lang +++ b/htdocs/langs/uk_UA/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/uk_UA/products.lang b/htdocs/langs/uk_UA/products.lang index 43c6b919de5fa..5ed4979e0a3b3 100644 --- a/htdocs/langs/uk_UA/products.lang +++ b/htdocs/langs/uk_UA/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/uk_UA/projects.lang b/htdocs/langs/uk_UA/projects.lang index 50b19375f26af..ec57b41210570 100644 --- a/htdocs/langs/uk_UA/projects.lang +++ b/htdocs/langs/uk_UA/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=В очікуванні OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/uk_UA/website.lang b/htdocs/langs/uk_UA/website.lang index 3902febbfb760..6b4e2ada84a8d 100644 --- a/htdocs/langs/uk_UA/website.lang +++ b/htdocs/langs/uk_UA/website.lang @@ -3,15 +3,17 @@ Shortname=Code WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/uz_UZ/accountancy.lang b/htdocs/langs/uz_UZ/accountancy.lang index 9dbf911a8208c..c4189507f608f 100644 --- a/htdocs/langs/uz_UZ/accountancy.lang +++ b/htdocs/langs/uz_UZ/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang index 4f3d25c4eb170..9dce46ab295b8 100644 --- a/htdocs/langs/uz_UZ/admin.lang +++ b/htdocs/langs/uz_UZ/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Add RSS feed inside Dolibarr screen pages Module330Name=Bookmarks Module330Desc=Bookmarks management Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar integration Module500Name=Special expenses @@ -890,7 +890,7 @@ DictionaryStaff=Staff DictionaryAvailability=Delivery delay DictionaryOrderMethods=Ordering methods DictionarySource=Origin of proposals/orders -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=Setup saved SetupNotSaved=Setup not saved BackToModuleList=Back to modules list BackToDictionaryList=Back to dictionaries list +TypeOfRevenueStamp=Type of revenue 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/uz_UZ/banks.lang b/htdocs/langs/uz_UZ/banks.lang index 40b76f8c64c2e..be8f75d172b54 100644 --- a/htdocs/langs/uz_UZ/banks.lang +++ b/htdocs/langs/uz_UZ/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Number LineRecord=Transaction AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=Reconciled by DateConciliating=Reconcile date BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/uz_UZ/bills.lang b/htdocs/langs/uz_UZ/bills.lang index b865c00be9de6..eeafc56bf1cc4 100644 --- a/htdocs/langs/uz_UZ/bills.lang +++ b/htdocs/langs/uz_UZ/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Late payments BillsStatistics=Customers invoices statistics BillsStatisticsSuppliers=Suppliers invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=Standard invoice InvoiceStandardAsk=Standard invoice @@ -176,6 +178,7 @@ 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. +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 diff --git a/htdocs/langs/uz_UZ/compta.lang b/htdocs/langs/uz_UZ/compta.lang index 4082b9fa9b7f9..df4942cf23473 100644 --- a/htdocs/langs/uz_UZ/compta.lang +++ b/htdocs/langs/uz_UZ/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Payments not linked to any invoice, so not linked to PaymentsNotLinkedToUser=Payments not linked to any user Profit=Profit AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Balance Debit=Debit Credit=Credit diff --git a/htdocs/langs/uz_UZ/donations.lang b/htdocs/langs/uz_UZ/donations.lang index f4578fa9fc398..5edc8d62033c5 100644 --- a/htdocs/langs/uz_UZ/donations.lang +++ b/htdocs/langs/uz_UZ/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/uz_UZ/errors.lang b/htdocs/langs/uz_UZ/errors.lang index b02b70c9c9f15..cff89a71d9868 100644 --- a/htdocs/langs/uz_UZ/errors.lang +++ b/htdocs/langs/uz_UZ/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/uz_UZ/install.lang b/htdocs/langs/uz_UZ/install.lang index 7a93fd2079963..e602c54640ce4 100644 --- a/htdocs/langs/uz_UZ/install.lang +++ b/htdocs/langs/uz_UZ/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=You use the Dolibarr setup wizard from a Proxmox virtua 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 ######### # upgrade MigrationFixData=Fix for denormalized data @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except 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. diff --git a/htdocs/langs/uz_UZ/languages.lang b/htdocs/langs/uz_UZ/languages.lang index 05288a888eb11..a062883d667f9 100644 --- a/htdocs/langs/uz_UZ/languages.lang +++ b/htdocs/langs/uz_UZ/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Spanish (Paraguay) Language_es_PE=Spanish (Peru) Language_es_PR=Spanish (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonian Language_eu_ES=Basque diff --git a/htdocs/langs/uz_UZ/main.lang b/htdocs/langs/uz_UZ/main.lang index ad6e8da14ecdf..0bcd958578452 100644 --- a/htdocs/langs/uz_UZ/main.lang +++ b/htdocs/langs/uz_UZ/main.lang @@ -548,6 +548,18 @@ MonthShort09=Sep MonthShort10=Oct MonthShort11=Nov MonthShort12=Dec +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Attached files and documents JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Define Bank Account AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Everybody +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/uz_UZ/other.lang b/htdocs/langs/uz_UZ/other.lang index 0d9d1cfbd85fe..1a5314a24d9c0 100644 --- a/htdocs/langs/uz_UZ/other.lang +++ b/htdocs/langs/uz_UZ/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Exports area diff --git a/htdocs/langs/uz_UZ/products.lang b/htdocs/langs/uz_UZ/products.lang index 43c74c9b87706..53835bd7f0676 100644 --- a/htdocs/langs/uz_UZ/products.lang +++ b/htdocs/langs/uz_UZ/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/uz_UZ/projects.lang b/htdocs/langs/uz_UZ/projects.lang index f33a950acff08..c69302deecb7d 100644 --- a/htdocs/langs/uz_UZ/projects.lang +++ b/htdocs/langs/uz_UZ/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/vi_VN/accountancy.lang b/htdocs/langs/vi_VN/accountancy.lang index 93a8114e13325..87c9be2af9cc3 100644 --- a/htdocs/langs/vi_VN/accountancy.lang +++ b/htdocs/langs/vi_VN/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=Danh sách các tài khoản kế toán 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Mô hình xuất khẩu -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Chọn một mô hình xuất khẩu Modelcsv_normal=Cổ điển xuất khẩu Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang index bc80900730558..b7cbb7baf5e8e 100644 --- a/htdocs/langs/vi_VN/admin.lang +++ b/htdocs/langs/vi_VN/admin.lang @@ -539,7 +539,7 @@ Module320Desc=Thêm nguồn cấp dữ liệu RSS trong trang màn hình Dolibar Module330Name=Bookmarks Module330Desc=Quản lý bookmark Module400Name=Dự án/Cơ hội/Đầu mối -Module400Desc=Quản lý dự án, cơ hội hoặc đầu mối. Bạn có thể chỉ định bất kỳ thành phần nào sau đó (hóa đơn, đơn hàng, đơn hàng đề xuất, intervention, ...) để dự án và hiển thị chiều ngang từ hiển thị dự án. +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=Lịch trên web Module410Desc=Tích hợp lịch trên web Module500Name=Chi phí đặc biệt @@ -890,7 +890,7 @@ DictionaryStaff=Nhân viên DictionaryAvailability=Trì hoãn giao hàng DictionaryOrderMethods=Phương thức đặt hàng DictionarySource=Chứng từ gốc của đơn hàng đề xuất/đơn hàng -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Kiểu biểu đồ tài khoản DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Mẫu email @@ -904,6 +904,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 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. @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/vi_VN/banks.lang b/htdocs/langs/vi_VN/banks.lang index dfd99ce786e5b..373503a9e8183 100644 --- a/htdocs/langs/vi_VN/banks.lang +++ b/htdocs/langs/vi_VN/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=Số LineRecord=Giao dịch AddBankRecord=Thêm kê khai AddBankRecordLong=Thêm kê khai thủ công +Conciliated=Đã đối chiếu ConciliatedBy=Đối chiếu bởi DateConciliating=Ngày đối chiếu BankLineConciliated=Kê khai đã đối chiếu diff --git a/htdocs/langs/vi_VN/bills.lang b/htdocs/langs/vi_VN/bills.lang index 20a0a5947071d..31e513a3834c2 100644 --- a/htdocs/langs/vi_VN/bills.lang +++ b/htdocs/langs/vi_VN/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=Thanh toán trễ BillsStatistics=Thống kê hóa đơn khách hàng BillsStatisticsSuppliers=Thống kê hóa đơn nhà cung cấp +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=Vô hiệu hóa vì không thể bị xóa InvoiceStandard=Hóa đơn chuẩn InvoiceStandardAsk=Hóa đơn chuẩn @@ -176,6 +178,7 @@ 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=Phần chưa trả còn lại (%s %s) là giảm giá đã gán vì khoản thanh toán đã được thực hiện trước thời hạn. Tôi hợp thức VAT với giấy báo có +ConfirmClassifyPaidPartiallyReasonDiscount=Remaining unpaid (%s %s) is a discount granted because payment was made before term. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Phần chưa trả còn lại (%s %s) là giảm giá đã gán vì thanh toán đã được thực hiện trước thời hạn. Tôi chấp nhận mất thuế VAT trên giảm giá này. ConfirmClassifyPaidPartiallyReasonDiscountVat=Phần chưa thanh trả còn lại (%s %s) là giảm giá được cấp vì thanh toán đã được thực hiện trước thời hạn. Tôi thu hồi thuế VAT đối với giảm giá này mà không có một giấy báo có. ConfirmClassifyPaidPartiallyReasonBadCustomer=Khách hàng xấu diff --git a/htdocs/langs/vi_VN/compta.lang b/htdocs/langs/vi_VN/compta.lang index 12dc4b0bf8405..01df6b3dbc056 100644 --- a/htdocs/langs/vi_VN/compta.lang +++ b/htdocs/langs/vi_VN/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=Thanh toán không liên quan đến bất kỳ hóa PaymentsNotLinkedToUser=Thanh toán không liên quan đến bất kỳ người dùng Profit=Lợi nhuận AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=Cân bằng Debit=Nợ Credit=Tín dụng diff --git a/htdocs/langs/vi_VN/donations.lang b/htdocs/langs/vi_VN/donations.lang index e6ce045395aee..80c36550b7674 100644 --- a/htdocs/langs/vi_VN/donations.lang +++ b/htdocs/langs/vi_VN/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/vi_VN/errors.lang b/htdocs/langs/vi_VN/errors.lang index 94532cb71e8f5..1fe0e6743b412 100644 --- a/htdocs/langs/vi_VN/errors.lang +++ b/htdocs/langs/vi_VN/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Nguồn và đích kho phải có khác nhau diff --git a/htdocs/langs/vi_VN/install.lang b/htdocs/langs/vi_VN/install.lang index 22fd775bf2514..cfa71681caf01 100644 --- a/htdocs/langs/vi_VN/install.lang +++ b/htdocs/langs/vi_VN/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=Bạn sử dụng các hướng dẫn cài đặt Dolib 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 ######### # upgrade MigrationFixData=Sửa chữa cho các dữ liệu denormalized @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reload module %s +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. diff --git a/htdocs/langs/vi_VN/languages.lang b/htdocs/langs/vi_VN/languages.lang index 15e778c394c3f..5ca04cfad55f1 100644 --- a/htdocs/langs/vi_VN/languages.lang +++ b/htdocs/langs/vi_VN/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=Tây Ban Nha (Paraguay) Language_es_PE=Tây Ban Nha (Peru) Language_es_PR=Tây Ban Nha (Puerto Rico) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=Estonia Language_eu_ES=Basque diff --git a/htdocs/langs/vi_VN/main.lang b/htdocs/langs/vi_VN/main.lang index 5925f6cdb2ee4..245eed081a5dd 100644 --- a/htdocs/langs/vi_VN/main.lang +++ b/htdocs/langs/vi_VN/main.lang @@ -548,6 +548,18 @@ MonthShort09=Tháng Chín MonthShort10=Tháng Mười MonthShort11=Tháng Mười Một MonthShort12=Tháng Mười Hai +MonthVeryShort01=J +MonthVeryShort02=S +MonthVeryShort03=H +MonthVeryShort04=A +MonthVeryShort05=H +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=C +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=Được đính kèm tập tin và tài liệu JoinMainDoc=Join main document DateFormatYYYYMM=YYYY-MM @@ -762,7 +774,7 @@ SetBankAccount=Xác định tài khoản ngân hàng AccountCurrency=Account currency ViewPrivateNote=Xem ghi chú XMoreLines=%s dòng ẩn -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=URL công khai AddBox=Thêm hộp SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=Mọi người +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/vi_VN/other.lang b/htdocs/langs/vi_VN/other.lang index 8037219b4e73a..869bf664f857b 100644 --- a/htdocs/langs/vi_VN/other.lang +++ b/htdocs/langs/vi_VN/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=Khu vực xuất khẩu diff --git a/htdocs/langs/vi_VN/products.lang b/htdocs/langs/vi_VN/products.lang index 5182f9317387c..547ebcf03e37c 100644 --- a/htdocs/langs/vi_VN/products.lang +++ b/htdocs/langs/vi_VN/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Giá hiện tại AlwaysUseNewPrice=Luôn sử dụng giá hiện tại của sản phẩm / dịch vụ AlwaysUseFixedPrice=Sử dụng giá cố định PriceByQuantity=Giá thay đổi theo số lượng +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=Phạm vi số lượng MultipriceRules=Quy tắc giá thành phần UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first segment diff --git a/htdocs/langs/vi_VN/projects.lang b/htdocs/langs/vi_VN/projects.lang index 052829137e998..e36be7089f90a 100644 --- a/htdocs/langs/vi_VN/projects.lang +++ b/htdocs/langs/vi_VN/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Chờ xử lý OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/vi_VN/website.lang b/htdocs/langs/vi_VN/website.lang index abd8a8690d0d7..48c4414a77bbe 100644 --- a/htdocs/langs/vi_VN/website.lang +++ b/htdocs/langs/vi_VN/website.lang @@ -3,15 +3,17 @@ Shortname=Mã WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/zh_CN/accountancy.lang b/htdocs/langs/zh_CN/accountancy.lang index d927a2ca1e7cf..7bb1cf3e18506 100644 --- a/htdocs/langs/zh_CN/accountancy.lang +++ b/htdocs/langs/zh_CN/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=件数 TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp ListAccounts=会计账目清单 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=导出型号 -OptionsDeactivatedForThisExportModel=对于这种导出模式,选项被禁用 Selectmodelcsv=请选择一个导出模板 Modelcsv_normal=典型的导出 Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ Modelcsv_ciel=向 Sage Ciel Compta 或 Compta Evolution导出 Modelcsv_quadratus=向 Quadratus QuadraCompta导出 Modelcsv_ebp=向 EBP导出 Modelcsv_cogilog=导出到 Cogilog -Modelcsv_agiris=Export towards Agiris (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang index 4a533775f98c4..7ad2f42be9425 100644 --- a/htdocs/langs/zh_CN/admin.lang +++ b/htdocs/langs/zh_CN/admin.lang @@ -29,7 +29,7 @@ SessionId=会话 ID SessionSaveHandler=会话保存处理程序 SessionSavePath=存储会话本地化 PurgeSessions=清空会话 -ConfirmPurgeSessions=Do you really want to purge all sessions? This will disconnect every user (except yourself). +ConfirmPurgeSessions=您真的要清除所有会话吗?它将断开每个用户(您自己除外)。 NoSessionListWithThisHandler=你 PHP 中设置的保存会话处理程序不允许列出运行中的会话。 LockNewSessions=锁定新连接 ConfirmLockNewSessions=你确定要限制 Dolibarr 的所有新连接?这样做将只有当前用户 %s 可以连接。 @@ -107,7 +107,7 @@ MenuIdParent=父菜单ID DetailMenuIdParent=父菜单ID (空表示顶级菜单) DetailPosition=排序编号,以确定菜单位置 AllMenus=全部 -NotConfigured=Module/Application not configured +NotConfigured=模块或应用未配置 Active=启用 SetupShort=设置 OtherOptions=其他选项 @@ -153,7 +153,7 @@ PurgeNothingToDelete=未删除目录或文件 PurgeNDirectoriesDeleted=%s 个文件或目录删除。 PurgeNDirectoriesFailed=Failed to delete %s files or directories. PurgeAuditEvents=清空所有安全事件 -ConfirmPurgeAuditEvents=Are you sure you want to purge all security events? All security logs will be deleted, no other data will be removed. +ConfirmPurgeAuditEvents=您确定要清除所有安全事件吗?所有安全日志将被删除,但不会删除其他数据。 GenerateBackup=生成备份 Backup=备份 Restore=还原 @@ -187,16 +187,16 @@ ExtendedInsert=扩展 INSERT NoLockBeforeInsert=INSERT 命令前后没有锁定命令 DelayedInsert=延迟插入 EncodeBinariesInHexa=二进制数据以十六进制编码 -IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) +IgnoreDuplicateRecords=忽略错误的重复记录(插入忽略) AutoDetectLang=自动检测(浏览器的语言) FeatureDisabledInDemo=功能在演示版中已禁用 FeatureAvailableOnlyOnStable=Feature only available on official stable versions BoxesDesc=小组件展示一些可以添加到您个人页面的信息。您可以通过选择目标页面点击“激活”或关闭按钮来选择显示或关闭这些小组件。 OnlyActiveElementsAreShown=仅显示 已启用模块 的元素。 -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=Dolibarr 模块定义在软件中启用了哪些应用程序/功能。部分模块/应用在激活后必须授予用户使用权限。单击“状态”列中的开/关按钮来启用或禁用模块/功能。 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. -ModulesMarketPlaces=Find external app/modules +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)... @@ -230,7 +230,7 @@ MainDbPasswordFileConfEncrypted=加密 conf.php 中的数据库密码(推荐启 InstrucToEncodePass=如果要在conf.php中使用明文密码,请将
$dolibarr_main_db_pass="...";
替换为br>$dolibarr_main_db_pass="crypted:%s"; InstrucToClearPass=如果要在conf.php中使用明文密码,请将
$dolibarr_main_db_pass="crypted:...";
替换为
$dolibarr_main_db_pass="%s"; ProtectAndEncryptPdfFiles=保护生成的PDF文件(不推荐,影响PDF的批量生成) -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. +ProtectAndEncryptPdfFilesDesc=PDF保护允许在PDF浏览器中阅读和打印PDF,但无法编辑和复制内容。请注意,使用此功能将导致生成全局多页合并PDF的功能无效(例如未支付账单)。 Feature=功能特色 DolibarrLicense=授权 Developpers=开发商/贡献者 @@ -260,8 +260,8 @@ FontSize=Font size Content=Content NoticePeriod=通知期限 NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup +Emails=电子邮件 +EMailsSetup=电子邮件设置 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 MAIN_MAIL_SMTP_PORT=SMTP/SMTPS 端口 ( php.ini 文件中的默认值:%s) @@ -539,7 +539,7 @@ Module320Desc=添加 RSS 源至 Dolibarr 主屏幕页面 Module330Name=书签 Module330Desc=书签管理 Module400Name=项目/机会/线索 -Module400Desc=项目,机会和线索管理。您可以为项目创建 (发票, 订单, 询价, intervention, ...) 等,然后从项目视图查看详情。 +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=Webcalendar Module410Desc=Webcalendar 整合 Module500Name=特殊开支 @@ -890,7 +890,7 @@ DictionaryStaff=员工 DictionaryAvailability=送货延迟 DictionaryOrderMethods=订单类型 DictionarySource=报价/订单来源方式 -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=账户图标模块 DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=电子邮件模板 @@ -904,6 +904,7 @@ SetupSaved=设置已经成功保存 SetupNotSaved=Setup not saved BackToModuleList=返回模块列表 BackToDictionaryList=回到字典库 +TypeOfRevenueStamp=Type of revenue 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,可用于像机构、个人或小型公司。 @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/zh_CN/banks.lang b/htdocs/langs/zh_CN/banks.lang index 00721f593f416..22c618a00a8d3 100644 --- a/htdocs/langs/zh_CN/banks.lang +++ b/htdocs/langs/zh_CN/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=数字 LineRecord=交易 AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=由调和 DateConciliating=核对日期 BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/zh_CN/bills.lang b/htdocs/langs/zh_CN/bills.lang index 23fe060c73e20..8df238c73bc4d 100644 --- a/htdocs/langs/zh_CN/bills.lang +++ b/htdocs/langs/zh_CN/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=逾期付款 BillsStatistics=客户发票统计 BillsStatisticsSuppliers=供应商发票统计 +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +DisabledBecauseNotLastInvoice=Disabled because invoice is not erasable. Some invoices were recorded after this one and it will create holes in the counter. DisabledBecauseNotErasable=禁止删除 InvoiceStandard=标准发票 InvoiceStandardAsk=标准发票 @@ -176,6 +178,7 @@ 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. +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=坏顾客 diff --git a/htdocs/langs/zh_CN/compta.lang b/htdocs/langs/zh_CN/compta.lang index 1832a45d9f881..644b8e3ff97ef 100644 --- a/htdocs/langs/zh_CN/compta.lang +++ b/htdocs/langs/zh_CN/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=付款未链接到任何发票,所以无法与任 PaymentsNotLinkedToUser=付款不链接到任何用户 Profit=利润 AccountingResult=会计结果 +BalanceBefore=Balance (before) Balance=平衡 Debit=借方 Credit=贷方 diff --git a/htdocs/langs/zh_CN/donations.lang b/htdocs/langs/zh_CN/donations.lang index e59ad29c7cf27..74050e572c21f 100644 --- a/htdocs/langs/zh_CN/donations.lang +++ b/htdocs/langs/zh_CN/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=从CGI显示200笔 DONATION_ART238=从CGI显示238笔 DONATION_ART885=从CGI显示885笔 DonationPayment=捐赠付款 +DonationValidated=Donation %s validated diff --git a/htdocs/langs/zh_CN/errors.lang b/htdocs/langs/zh_CN/errors.lang index 3abef9c581589..8ec17498cca73 100644 --- a/htdocs/langs/zh_CN/errors.lang +++ b/htdocs/langs/zh_CN/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=空白表达式 ErrorPriceExpression21=空白结果 '%s' ErrorPriceExpression22=负结果 '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=内部错误 '%s' ErrorPriceExpressionUnknown=未知错误 '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/zh_CN/install.lang b/htdocs/langs/zh_CN/install.lang index e36102cffd1c5..873de1997708e 100644 --- a/htdocs/langs/zh_CN/install.lang +++ b/htdocs/langs/zh_CN/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=您使用Proxmox的虚拟设备的Dolibarr安装向导 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 ######### # upgrade MigrationFixData=修正了非规范化数据 @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=更新 llx_societe_remise 的实际栏位参数值 MigrationRemiseExceptEntity=更新 llx_societe_remise_except 的实际栏位参数值 MigrationReloadModule=重载模块%s +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. diff --git a/htdocs/langs/zh_CN/languages.lang b/htdocs/langs/zh_CN/languages.lang index 4b6db91c8d496..b1fe1101f16e8 100644 --- a/htdocs/langs/zh_CN/languages.lang +++ b/htdocs/langs/zh_CN/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=西班牙语(巴拉圭) Language_es_PE=西班牙语(秘鲁) Language_es_PR=西班牙语(波多黎各) +Language_es_UY=Spanish (Uruguay) Language_es_VE=Spanish (Venezuela) Language_et_EE=爱沙尼亚语 Language_eu_ES=巴斯克 diff --git a/htdocs/langs/zh_CN/main.lang b/htdocs/langs/zh_CN/main.lang index a8596e83d5d87..639d3b5701b05 100644 --- a/htdocs/langs/zh_CN/main.lang +++ b/htdocs/langs/zh_CN/main.lang @@ -548,6 +548,18 @@ MonthShort09=9 MonthShort10=10 MonthShort11=11 MonthShort12=12 +MonthVeryShort01=J +MonthVeryShort02=F +MonthVeryShort03=M +MonthVeryShort04=A +MonthVeryShort05=M +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=S +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=附件 JoinMainDoc=Join main document DateFormatYYYYMM=为YYYY - MM @@ -762,7 +774,7 @@ SetBankAccount=定义银行账户 AccountCurrency=Account currency ViewPrivateNote=查看备注 XMoreLines=%s 明细(s) 隐藏 -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=公网URL AddBox=添加选项框 SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=全体同仁 +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/zh_CN/other.lang b/htdocs/langs/zh_CN/other.lang index 65e2b6d921ce1..7e5b7c4679f72 100644 --- a/htdocs/langs/zh_CN/other.lang +++ b/htdocs/langs/zh_CN/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=如果数额高于 %s SourcesRepository=源库 Chart=图表 PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=导出区 diff --git a/htdocs/langs/zh_CN/products.lang b/htdocs/langs/zh_CN/products.lang index 468dcabc9ff7d..46bbaeb1c2f84 100644 --- a/htdocs/langs/zh_CN/products.lang +++ b/htdocs/langs/zh_CN/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=当前价格 AlwaysUseNewPrice=始终使用产品/服务的当前价格 AlwaysUseFixedPrice=使用固定价格 PriceByQuantity=不同数量价格 +DisablePriceByQty=Disable prices by quantity PriceByQuantityRange=定量范围 MultipriceRules=市场价格规则 UseMultipriceRules=Use price segment rules (defined into product module setup) to autocalculate prices of all other segment according to first segment diff --git a/htdocs/langs/zh_CN/projects.lang b/htdocs/langs/zh_CN/projects.lang index 5252e9c00823f..cd9c97360b2b9 100644 --- a/htdocs/langs/zh_CN/projects.lang +++ b/htdocs/langs/zh_CN/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=待办 OppStatusWON=赢得 OppStatusLOST=失去 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/zh_CN/suppliers.lang b/htdocs/langs/zh_CN/suppliers.lang index e45d0e9195ce9..04f56c4ed847e 100644 --- a/htdocs/langs/zh_CN/suppliers.lang +++ b/htdocs/langs/zh_CN/suppliers.lang @@ -7,13 +7,13 @@ History=历史 ListOfSuppliers=供应商列表 ShowSupplier=查看供应商 OrderDate=订购日期 -BuyingPriceMin=Best buying price -BuyingPriceMinShort=Best buying price -TotalBuyingPriceMinShort=Total of subproducts buying prices -TotalSellingPriceMinShort=Total of subproducts selling prices -SomeSubProductHaveNoPrices=Some sub-products have no price defined -AddSupplierPrice=Add buying price -ChangeSupplierPrice=Change buying price +BuyingPriceMin=最优采购价 +BuyingPriceMinShort=最优采购价 +TotalBuyingPriceMinShort=子产品采购价格总计 +TotalSellingPriceMinShort=子产品销售价格合计 +SomeSubProductHaveNoPrices=某些副产品没有定义价格 +AddSupplierPrice=添加采购价 +ChangeSupplierPrice=更改采购价 SupplierPrices=供应商价格 ReferenceSupplierIsAlreadyAssociatedWithAProduct=该参考供应商已经与一参考:%s的 NoRecordedSuppliers=空空如也——没有供应商记录 @@ -25,10 +25,10 @@ ExportDataset_fournisseur_1=供应商发票清单和发票的路线 ExportDataset_fournisseur_2=供应商发票和付款 ExportDataset_fournisseur_3=供应商订单和订单行 ApproveThisOrder=批准这一命令 -ConfirmApproveThisOrder=Are you sure you want to approve order %s? +ConfirmApproveThisOrder=是否确定要批准此订单 %s ? DenyingThisOrder=否认这笔订单 -ConfirmDenyingThisOrder=Are you sure you want to deny this order %s? -ConfirmCancelThisOrder=Are you sure you want to cancel this order %s? +ConfirmDenyingThisOrder=是否确定要拒绝此订单 %s? +ConfirmCancelThisOrder=是否确定要取消此订单 %s? AddSupplierOrder=创建供应商订单 AddSupplierInvoice=创建供应商发票 ListOfSupplierProductForSupplier=产品和供应商价格列表 %s @@ -36,12 +36,12 @@ SentToSuppliers=发送到供应商 ListOfSupplierOrders=供应商订单列表 MenuOrdersSupplierToBill=供应商订单发票 NbDaysToDelivery=交货延迟天数 -DescNbDaysToDelivery=The biggest deliver delay of the products from this order -SupplierReputation=Supplier reputation -DoNotOrderThisProductToThisSupplier=Do not order +DescNbDaysToDelivery=此订单产品的最长交货延迟 +SupplierReputation=供应商信誉 +DoNotOrderThisProductToThisSupplier=不订购 NotTheGoodQualitySupplier=劣质 -ReputationForThisProduct=Reputation +ReputationForThisProduct=信誉 BuyerName=买家名称 -AllProductServicePrices=All product / service prices -AllProductReferencesOfSupplier=All product / service references of supplier +AllProductServicePrices=全部 产品/服务 价格 +AllProductReferencesOfSupplier=供应商的所有 产品/服务 参考 BuyingPriceNumShort=供应商价格 diff --git a/htdocs/langs/zh_CN/website.lang b/htdocs/langs/zh_CN/website.lang index 4973e1b15d8dc..d8b6611b29cf7 100644 --- a/htdocs/langs/zh_CN/website.lang +++ b/htdocs/langs/zh_CN/website.lang @@ -3,15 +3,17 @@ Shortname=代码 WebsiteSetupDesc=Create here as much entry as number of different websites you need. Then go into menu Websites to edit them. DeleteWebsite=删除网址 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_PAGENAME=页面名字/别名 -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=外部CSS文件的URL地址 WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=媒体库 EditCss=Edit Style/CSS or HTML header EditMenu=编辑菜单 @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container diff --git a/htdocs/langs/zh_CN/workflow.lang b/htdocs/langs/zh_CN/workflow.lang index 4d8ee0bc44a18..5cde16c93c52a 100644 --- a/htdocs/langs/zh_CN/workflow.lang +++ b/htdocs/langs/zh_CN/workflow.lang @@ -1,20 +1,20 @@ # Dolibarr language file - Source file is en_US - workflow -WorkflowSetup=工作流模块的设置 -WorkflowDesc=此模块的设计,以修改自动动作到应用程序的行为。默认情况下,工作流是打开的(你可以按你想要的顺序做事情)。你可以激活你感兴趣的自动动作。 +WorkflowSetup=工作流模块设置 +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=Automatically create a customer invoice after a commercial proposal is signed (new invoice will have same amount than proposal) +descWORKFLOW_PROPAL_AUTOCREATE_ORDER=在商业方案签订后自动创建客户订单 (新订单的金额将与方案相同) +descWORKFLOW_PROPAL_AUTOCREATE_INVOICE=在商业方案签订后自动创建客户账单 (新账单的金额与提案金额相) descWORKFLOW_CONTRACT_AUTOCREATE_INVOICE=在合同确认后自动创建客户发票 -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=在客户订单关闭后自动创建客户账单 (新账单的金额将大于订单) # 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 supplier proposal(s) to billed when supplier 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 supplier order(s) to billed when supplier invoice is validated (and if amount of the invoice is same than total amount of linked orders) -AutomaticCreation=Automatic creation -AutomaticClassification=Automatic classification +descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=对供应商发票进行验证时关联的源供应商方案进行分类 (如果发票金额与关联的方案总金额相同) +descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=在验证供应商发票时对关联的源供应商订单进行分类(如果发票金额与关联的订单总金额相同) +AutomaticCreation=自动创建 +AutomaticClassification=自动分类 diff --git a/htdocs/langs/zh_TW/accountancy.lang b/htdocs/langs/zh_TW/accountancy.lang index 48a07cc7077a5..9fdd5f5e31a51 100644 --- a/htdocs/langs/zh_TW/accountancy.lang +++ b/htdocs/langs/zh_TW/accountancy.lang @@ -158,7 +158,7 @@ NumPiece=Piece number TransactionNumShort=Num. transaction AccountingCategory=Personalized groups GroupByAccountAccounting=Group by accounting account -AccountingAccountGroupsDesc=You can define here some groups of accounting account. It will be used in the report %s to show your income/expense with data grouped according to these groups. +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 @@ -191,6 +191,7 @@ DescThirdPartyReport=Consult here the list of the third party customers and supp 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 Pcgtype=Group of account Pcgsubtype=Subgroup of account @@ -244,7 +245,6 @@ ErrorAccountingJournalIsAlreadyUse=This journal is already use ## Export ExportDraftJournal=Export draft journal Modelcsv=Model of export -OptionsDeactivatedForThisExportModel=For this export model, options are deactivated Selectmodelcsv=Select a model of export Modelcsv_normal=Classic export Modelcsv_CEGID=Export towards CEGID Expert Comptabilité @@ -254,7 +254,7 @@ 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 (Test) +Modelcsv_agiris=Export towards Agiris Modelcsv_configurable=Export Configurable ChartofaccountsId=Chart of accounts Id diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang index 8e761f6166d86..9f0e3243cdf6a 100644 --- a/htdocs/langs/zh_TW/admin.lang +++ b/htdocs/langs/zh_TW/admin.lang @@ -539,7 +539,7 @@ Module320Desc=添加RSS飼料內Dolibarr屏幕頁面 Module330Name=書籤 Module330Desc=書籤管理 Module400Name=Projects/Opportunities/Leads -Module400Desc=Management of projects, opportunities or leads. You can then assign any element (invoice, order, proposal, intervention, ...) to a project and get a transversal view from the project view. +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=Webcalendar Module410Desc=Webcalendar 整合 Module500Name=特別支出 @@ -890,7 +890,7 @@ DictionaryStaff=員工人數 DictionaryAvailability=遲延交付 DictionaryOrderMethods=排列方法 DictionarySource=訂單來源方式 -DictionaryAccountancyCategory=Personalized groups +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Models for chart of accounts DictionaryAccountancyJournal=Accounting journals DictionaryEMailTemplates=Emails templates @@ -904,6 +904,7 @@ SetupSaved=設定值已儲存 SetupNotSaved=Setup not saved BackToModuleList=返回模組列表 BackToDictionaryList=回到設定選項列表 +TypeOfRevenueStamp=Type of revenue 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,可用於像協會的情況下才使用,個人歐小型公司。 @@ -1765,3 +1766,4 @@ ResourceSetup=Configuration du module Resource UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disabled resource link to user DisabledResourceLinkContact=Disabled resource link to contact +ConfirmUnactivation=Confirm module reset diff --git a/htdocs/langs/zh_TW/banks.lang b/htdocs/langs/zh_TW/banks.lang index be38087a45321..db3fa13b5748a 100644 --- a/htdocs/langs/zh_TW/banks.lang +++ b/htdocs/langs/zh_TW/banks.lang @@ -89,6 +89,7 @@ AccountIdShort=數 LineRecord=交易 AddBankRecord=Add entry AddBankRecordLong=Add entry manually +Conciliated=Reconciled ConciliatedBy=由調和 DateConciliating=核對日期 BankLineConciliated=Entry reconciled diff --git a/htdocs/langs/zh_TW/bills.lang b/htdocs/langs/zh_TW/bills.lang index 2b837f301a0cf..8da5684e57c65 100644 --- a/htdocs/langs/zh_TW/bills.lang +++ b/htdocs/langs/zh_TW/bills.lang @@ -11,6 +11,8 @@ BillsSuppliersUnpaidForCompany=Unpaid supplier invoices for %s BillsLate=逾期付款 BillsStatistics=客戶發票統計 BillsStatisticsSuppliers=供應商發票統計 +DisabledBecauseDispatchedInBookkeeping=Disabled because invoice was dispatched into bookkeeping +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 InvoiceStandard=發票 InvoiceStandardAsk=發票 @@ -176,6 +178,7 @@ 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. +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=壞顧客 diff --git a/htdocs/langs/zh_TW/compta.lang b/htdocs/langs/zh_TW/compta.lang index 2412daecbd967..7e3b3618ca7e4 100644 --- a/htdocs/langs/zh_TW/compta.lang +++ b/htdocs/langs/zh_TW/compta.lang @@ -24,6 +24,7 @@ PaymentsNotLinkedToInvoice=付款不鏈接到任何發票,所以無法與任 PaymentsNotLinkedToUser=付款不鏈接到任何用戶 Profit=利潤 AccountingResult=Accounting result +BalanceBefore=Balance (before) Balance=平衡 Debit=借方 Credit=信用 diff --git a/htdocs/langs/zh_TW/donations.lang b/htdocs/langs/zh_TW/donations.lang index 2ba05dc552b66..7f3d0be5d928e 100644 --- a/htdocs/langs/zh_TW/donations.lang +++ b/htdocs/langs/zh_TW/donations.lang @@ -31,3 +31,4 @@ DONATION_ART200=Show article 200 from CGI if you are concerned DONATION_ART238=Show article 238 from CGI if you are concerned DONATION_ART885=Show article 885 from CGI if you are concerned DonationPayment=Donation payment +DonationValidated=Donation %s validated diff --git a/htdocs/langs/zh_TW/errors.lang b/htdocs/langs/zh_TW/errors.lang index 646dea8dc386d..f41ee9482962a 100644 --- a/htdocs/langs/zh_TW/errors.lang +++ b/htdocs/langs/zh_TW/errors.lang @@ -156,6 +156,7 @@ ErrorPriceExpression20=Empty expression ErrorPriceExpression21=Empty result '%s' ErrorPriceExpression22=Negative result '%s' ErrorPriceExpression23=Unknown or non set variable '%s' in %s +ErrorPriceExpression24=Variable '%s' exists but has no value ErrorPriceExpressionInternal=Internal error '%s' ErrorPriceExpressionUnknown=Unknown error '%s' ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs diff --git a/htdocs/langs/zh_TW/install.lang b/htdocs/langs/zh_TW/install.lang index fa79cfa8b0e45..b7909032b9a0c 100644 --- a/htdocs/langs/zh_TW/install.lang +++ b/htdocs/langs/zh_TW/install.lang @@ -141,6 +141,7 @@ KeepDefaultValuesProxmox=您使用Proxmox的虛擬設備的Dolibarr安裝向導 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 ######### # upgrade MigrationFixData=修正了非規範化數據 @@ -196,6 +197,7 @@ MigrationEventsContact=Migration of events to add event contact into assignement MigrationRemiseEntity=Update entity field value of llx_societe_remise MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationReloadModule=Reload module %s +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. diff --git a/htdocs/langs/zh_TW/languages.lang b/htdocs/langs/zh_TW/languages.lang index bd20a9f6c45a0..24039a92663ed 100644 --- a/htdocs/langs/zh_TW/languages.lang +++ b/htdocs/langs/zh_TW/languages.lang @@ -35,6 +35,7 @@ Language_es_PA=Spanish (Panama) Language_es_PY=西班牙语 (巴拉圭) Language_es_PE=西班牙语 (秘鲁) Language_es_PR=西班牙語(波多黎各) +Language_es_UY=Spanish (Uruguay) Language_es_VE=西班牙语(委內瑞拉) Language_et_EE=爱沙尼亚语 Language_eu_ES=巴斯克 diff --git a/htdocs/langs/zh_TW/main.lang b/htdocs/langs/zh_TW/main.lang index 429c8cbe8aede..8704049b408ce 100644 --- a/htdocs/langs/zh_TW/main.lang +++ b/htdocs/langs/zh_TW/main.lang @@ -548,6 +548,18 @@ MonthShort09=九月 MonthShort10=十月 MonthShort11=十一月 MonthShort12=十二月 +MonthVeryShort01=J +MonthVeryShort02=Fr +MonthVeryShort03=Mo +MonthVeryShort04=A +MonthVeryShort05=Mo +MonthVeryShort06=J +MonthVeryShort07=J +MonthVeryShort08=A +MonthVeryShort09=Su +MonthVeryShort10=O +MonthVeryShort11=N +MonthVeryShort12=D AttachedFiles=附加檔案和文件 JoinMainDoc=Join main document DateFormatYYYYMM=為YYYY - MM @@ -762,7 +774,7 @@ SetBankAccount=定義銀行帳號 AccountCurrency=Account currency ViewPrivateNote=View notes XMoreLines=%s line(s) hidden -ShowMoreLines=Show more lines +ShowMoreLines=Show more/less lines PublicUrl=公開網址 AddBox=Add box SelectElementAndClick=Select an element and click %s @@ -900,3 +912,5 @@ CommentPage=Comments space CommentAdded=Comment added CommentDeleted=Comment deleted Everybody=每個人 +PayedBy=Payed by +PayedTo=Payed to diff --git a/htdocs/langs/zh_TW/other.lang b/htdocs/langs/zh_TW/other.lang index 689d1c1784cb4..bce547a267913 100644 --- a/htdocs/langs/zh_TW/other.lang +++ b/htdocs/langs/zh_TW/other.lang @@ -225,6 +225,8 @@ IfAmountHigherThan=If amount higher than %s SourcesRepository=Repository for sources Chart=Chart PassEncoding=Password encoding +PermissionsAdd=Permissions added +PermissionsDelete=Permissions removed ##### Export ##### ExportsArea=出口地區 diff --git a/htdocs/langs/zh_TW/products.lang b/htdocs/langs/zh_TW/products.lang index 5069f38f2e2a0..785cfdd508563 100644 --- a/htdocs/langs/zh_TW/products.lang +++ b/htdocs/langs/zh_TW/products.lang @@ -196,6 +196,7 @@ CurrentProductPrice=Current price AlwaysUseNewPrice=Always use current price of product/service AlwaysUseFixedPrice=Use the fixed price 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 diff --git a/htdocs/langs/zh_TW/projects.lang b/htdocs/langs/zh_TW/projects.lang index c0162287ac8cf..9609b20536123 100644 --- a/htdocs/langs/zh_TW/projects.lang +++ b/htdocs/langs/zh_TW/projects.lang @@ -211,9 +211,12 @@ OppStatusPENDING=Pending OppStatusWON=Won OppStatusLOST=Lost 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 OtherFilteredTasks=Other filtered tasks +NoAssignedTasks=No assigned tasks (assign yourself project/tasks from the top select box to enter time on it) # Comments trans AllowCommentOnTask=Allow user comments on tasks AllowCommentOnProject=Allow user comments on projects + diff --git a/htdocs/langs/zh_TW/website.lang b/htdocs/langs/zh_TW/website.lang index be33f9039470b..522d5abfc48ba 100644 --- a/htdocs/langs/zh_TW/website.lang +++ b/htdocs/langs/zh_TW/website.lang @@ -3,15 +3,17 @@ Shortname=碼 WebsiteSetupDesc=Create here as much entry as number of different websites you need. 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. +WEBSITE_TYPE_CONTAINER=Type of page/container WEBSITE_PAGENAME=Page name/alias -WEBSITE_HTML_HEADER=HTML Header (common to all pages) -HtmlHeaderPage=HTML specific header for page WEBSITE_CSS_URL=URL of external CSS file WEBSITE_CSS_INLINE=CSS file content (common to all pages) WEBSITE_JS_INLINE=Javascript file content (common to all pages) +WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) WEBSITE_ROBOT=Robot file (robots.txt) WEBSITE_HTACCESS=Web site .htaccess file +HtmlHeaderPage=HTML header (specific to this page only) PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. MediaFiles=Media library EditCss=Edit Style/CSS or HTML header EditMenu=Edit menu @@ -39,7 +41,7 @@ VirtualHostUrlNotDefined=URL of the virtual host served by external web server n NoPageYet=No pages yet 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 dolIncludeHtmlContent($websitekey.'/alias_of_container_to_include.php'); ?>

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 shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">

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">
+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'); ?>

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 CloneSite=Clone site SiteAdded=Web site added @@ -53,7 +55,12 @@ OrEnterPageInfoManually=Or create empty page from scratch... FetchAndCreate=Fetch and Create ExportSite=Export site IDOfPage=Id of page +Banner=Bandeau +BlogPost=Blog post WebsiteAccount=Web site account WebsiteAccounts=Web site accounts AddWebsiteAccount=Create web site account BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=Another container From 25b455272ab2ea91c80d35ac9286c5c0cc789a80 Mon Sep 17 00:00:00 2001 From: fappels Date: Sun, 14 Jan 2018 15:31:31 +0100 Subject: [PATCH 08/18] Fix 0 is a valif value for a NOT NULL field --- htdocs/core/class/commonobject.class.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/core/class/commonobject.class.php b/htdocs/core/class/commonobject.class.php index 55abcee5699c6..1a8f7bc7bb9a3 100644 --- a/htdocs/core/class/commonobject.class.php +++ b/htdocs/core/class/commonobject.class.php @@ -6221,7 +6221,7 @@ public function createCommon(User $user, $notrigger = false) if (! empty($this->fields[$key]['foreignkey']) && $values[$key] == '-1') $values[$key]=''; //var_dump($key.'-'.$values[$key].'-'.($this->fields[$key]['notnull'] == 1)); - if ($this->fields[$key]['notnull'] == 1 && empty($values[$key])) + if ($this->fields[$key]['notnull'] == 1 && ! isset($values[$key])) { $error++; $this->errors[]=$langs->trans("ErrorFieldRequired", $this->fields[$key]['label']); From d6ed968c516c6428aa7a0a6dd14d0abb55a643cb Mon Sep 17 00:00:00 2001 From: fappels Date: Sun, 14 Jan 2018 15:41:37 +0100 Subject: [PATCH 09/18] html modulebuilder type is a text type in database --- htdocs/core/lib/modulebuilder.lib.php | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/htdocs/core/lib/modulebuilder.lib.php b/htdocs/core/lib/modulebuilder.lib.php index c437d47ce69b5..d14a60ab94fa3 100644 --- a/htdocs/core/lib/modulebuilder.lib.php +++ b/htdocs/core/lib/modulebuilder.lib.php @@ -254,7 +254,7 @@ function rebuildObjectSql($destdir, $module, $objectname, $newmask, $readdir='', $type = $val['type']; $type = preg_replace('/:.*$/', '', $type); // For case type = 'integer:Societe:societe/class/societe.class.php' - + if ($type == 'html') $type = 'text'; // html modulebuilder type is a text type in database $texttoinsert.= "\t".$key." ".$type; if ($key == 'rowid') $texttoinsert.= ' AUTO_INCREMENT PRIMARY KEY'; if ($key == 'entity') $texttoinsert.= ' DEFAULT 1'; From 3c3402bc606e5b6cbd88e72668657650bea8f47d Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Sun, 14 Jan 2018 15:58:04 +0100 Subject: [PATCH 10/18] Debug API for prices of products --- htdocs/api/index.php | 3 + htdocs/core/class/html.form.class.php | 6 +- htdocs/product/admin/product.php | 2 +- htdocs/product/class/api_products.class.php | 147 +++++++++++++++++++- htdocs/product/class/product.class.php | 20 ++- 5 files changed, 162 insertions(+), 16 deletions(-) diff --git a/htdocs/api/index.php b/htdocs/api/index.php index d588fbdad1d6a..99334880d3acb 100644 --- a/htdocs/api/index.php +++ b/htdocs/api/index.php @@ -79,6 +79,9 @@ } +// This 2 lines are usefull only if we want to exclude some Urls from the explorer +//use Luracast\Restler\Explorer; +//Explorer::$excludedPaths = array('/categories'); // Analyze URLs diff --git a/htdocs/core/class/html.form.class.php b/htdocs/core/class/html.form.class.php index a3e1f73d74f11..8230786c44947 100644 --- a/htdocs/core/class/html.form.class.php +++ b/htdocs/core/class/html.form.class.php @@ -1931,11 +1931,11 @@ function select_produits_list($selected='',$htmlname='productid',$filtertype='', if (! empty($conf->global->PRODUIT_CUSTOMER_PRICES_BY_QTY)) { $sql.= ", (SELECT pp.rowid FROM ".MAIN_DB_PREFIX."product_price as pp WHERE pp.fk_product = p.rowid"; - if ($price_level >= 1 && !empty($conf->global->PRODUIT_MULTIPRICES)) $sql.= " AND price_level=".$price_level; + if ($price_level >= 1 && !empty($conf->global->PRODUIT_CUSTOMER_PRICES_BY_QTY_MULTIPRICES)) $sql.= " AND price_level=".$price_level; $sql.= " ORDER BY date_price"; $sql.= " DESC LIMIT 1) as price_rowid"; - $sql.= ", (SELECT pp.price_by_qty FROM ".MAIN_DB_PREFIX."product_price as pp WHERE pp.fk_product = p.rowid"; - if ($price_level >= 1 && !empty($conf->global->PRODUIT_MULTIPRICES)) $sql.= " AND price_level=".$price_level; + $sql.= ", (SELECT pp.price_by_qty FROM ".MAIN_DB_PREFIX."product_price as pp WHERE pp.fk_product = p.rowid"; // price_by_qty is 1 if some prices by qty exists in subtable + if ($price_level >= 1 && !empty($conf->global->PRODUIT_CUSTOMER_PRICES_BY_QTY_MULTIPRICES)) $sql.= " AND price_level=".$price_level; $sql.= " ORDER BY date_price"; $sql.= " DESC LIMIT 1) as price_by_qty"; $selectFields.= ", price_rowid, price_by_qty"; diff --git a/htdocs/product/admin/product.php b/htdocs/product/admin/product.php index e4b904b33b06a..06cfc0e0eaca2 100644 --- a/htdocs/product/admin/product.php +++ b/htdocs/product/admin/product.php @@ -55,7 +55,7 @@ 'PRODUIT_CUSTOMER_PRICES'=>$langs->trans('PriceByCustomer'), // Different price for each customer ); $keyforparam='PRODUIT_CUSTOMER_PRICES_BY_QTY'; -if ($conf->global->MAIN_FEATURES_LEVEL >= 2 || ! empty($conf->global->$keyforparam)) $select_pricing_rules['PRODUIT_CUSTOMER_PRICES_BY_QTY'] = $langs->trans('PriceByQuantity').' ('.$langs->trans("VersionExperimental").')'; // TODO If this is enabled, price must be hidden when price by qty is enabled, also price for quantity must be used when adding product into order/propal/invoice +if ($conf->global->MAIN_FEATURES_LEVEL >= 1 || ! empty($conf->global->$keyforparam)) $select_pricing_rules['PRODUIT_CUSTOMER_PRICES_BY_QTY'] = $langs->trans('PriceByQuantity').' ('.$langs->trans("VersionExperimental").')'; // TODO If this is enabled, price must be hidden when price by qty is enabled, also price for quantity must be used when adding product into order/propal/invoice $keyforparam='PRODUIT_CUSTOMER_PRICES_BY_QTY_MULTIPRICES'; if ($conf->global->MAIN_FEATURES_LEVEL >= 2 || ! empty($conf->global->$keyforparam)) $select_pricing_rules['PRODUIT_CUSTOMER_PRICES_BY_QTY_MULTIPRICES'] = $langs->trans('MultiPricesAbility') . '+' . $langs->trans('PriceByQuantity').' ('.$langs->trans("VersionExperimental").')'; diff --git a/htdocs/product/class/api_products.class.php b/htdocs/product/class/api_products.class.php index 7b297fcbdc470..b21a6a34046b5 100644 --- a/htdocs/product/class/api_products.class.php +++ b/htdocs/product/class/api_products.class.php @@ -54,15 +54,18 @@ function __construct() /** * Get properties of a product object * - * Return an array with product informations + * Return an array with product information. + * TODO implement getting a product by ref or by $ref_ext * - * @param int $id ID of product + * @param int $id ID of product + * @param int $includestockdata Load also information about stock (slower) * @return array|mixed data without useless information * - * @throws RestException - * TODO implement getting a product by ref or by $ref_ext + * @throws RestException + * @throws 401 + * @throws 404 */ - function get($id) + function get($id, $includestockdata=0) { if(! DolibarrApiAccess::$user->rights->produit->lire) { throw new RestException(401); @@ -77,7 +80,10 @@ function get($id) throw new RestException(401, 'Access not allowed for login '.DolibarrApiAccess::$user->login); } - $this->product->load_stock(); + if ($includestockdata) + { + $this->product->load_stock(); + } return $this->_cleanObjectDatas($this->product); } @@ -196,6 +202,10 @@ function post($request_data = NULL) * @param int $id Id of product to update * @param array $request_data Datas * @return int + * + * @throws RestException + * @throws 401 + * @throws 404 */ function put($id, $request_data = NULL) { @@ -250,6 +260,7 @@ function delete($id) return $this->product->delete(DolibarrApiAccess::$user); } + /** * Get categories for a product * @@ -284,6 +295,121 @@ function getCategories($id, $sortfield = "s.rowid", $sortorder = 'ASC', $limit = return $result; } + /** + * Get prices per segment for a product + * + * @param int $id ID of product + * + * @return mixed + * + * @url GET {id}/selling_multiprices/per_segment + */ + function getCustomerPricesPerSegment($id) + { + global $conf; + + if (! DolibarrApiAccess::$user->rights->produit->lire) { + throw new RestException(401); + } + + if (empty($conf->global->PRODUIT_MULTIPRICES)) + { + throw new RestException(400, 'API not available: this mode of pricing is not enabled by setup'); + } + + $result = $this->product->fetch($id); + if ( ! $result ) { + throw new RestException(404, 'Product not found'); + } + + if ($result < 0) { + throw new RestException(503, 'Error when retrieve prices list : '.$categories->error); + } + + return array( + 'multiprices'=>$this->product->multiprices, + 'multiprices_inc_tax'=>$this->product->multiprices_ttc, + 'multiprices_min'=>$this->product->multiprices_min, + 'multiprices_min_inc_tax'=>$this->product->multiprices_min_ttc, + 'multiprices_vat'=>$this->product->multiprices_tva_tx, + 'multiprices_base_type'=>$this->product->multiprices_base_type, + //'multiprices_default_vat_code'=>$this->product->multiprices_default_vat_code + ); + } + + /** + * Get prices per customer for a product + * + * @param int $id ID of product + * + * @return mixed + * + * @url GET {id}/selling_multiprices/per_customer + */ + function getCustomerPricesPerCustomer($id) + { + global $conf; + + if (! DolibarrApiAccess::$user->rights->produit->lire) { + throw new RestException(401); + } + + if (empty($conf->global->PRODUIT_CUSTOMER_PRICES)) + { + throw new RestException(400, 'API not available: this mode of pricing is not enabled by setup'); + } + + $result = $this->product->fetch($id); + if ( ! $result ) { + throw new RestException(404, 'Product not found'); + } + + if ($result < 0) { + throw new RestException(503, 'Error when retrieve prices list : '.$categories->error); + } + + throw new RestException(501, 'Feature not yet available'); + //return $result; + } + + /** + * Get prices per quantity for a product + * + * @param int $id ID of product + * + * @return mixed + * + * @url GET {id}/selling_multiprices/per_quantity + */ + function getCustomerPricesPerQuantity($id) + { + global $conf; + + if (! DolibarrApiAccess::$user->rights->produit->lire) { + throw new RestException(401); + } + + if (empty($conf->global->PRODUIT_CUSTOMER_PRICES_BY_QTY)) + { + throw new RestException(400, 'API not available: this mode of pricing is not enabled by setup'); + } + + $result = $this->product->fetch($id); + if ( ! $result ) { + throw new RestException(404, 'Product not found'); + } + + if ($result < 0) { + throw new RestException(503, 'Error when retrieve prices list : '.$categories->error); + } + + return array( + 'prices_by_qty'=>$this->product->prices_by_qty[0], // 1 if price by quantity was activated for the product + 'prices_by_qty_list'=>$this->product->prices_by_qty_list[0] + ); + } + + /** * Clean sensible object datas * @@ -295,6 +421,15 @@ function _cleanObjectDatas($object) { $object = parent::_cleanObjectDatas($object); unset($object->regeximgext); + unset($object->price_by_qty); + unset($object->prices_by_qty_id); + unset($object->libelle); + unset($object->product_id_already_linked); + + unset($object->name); + unset($object->firstname); + unset($object->lastname); + unset($object->civility_id); return $object; } diff --git a/htdocs/product/class/product.class.php b/htdocs/product/class/product.class.php index 02c3a1c139d68..e643903114653 100644 --- a/htdocs/product/class/product.class.php +++ b/htdocs/product/class/product.class.php @@ -1963,7 +1963,7 @@ function fetch($id='', $ref='', $ref_ext='', $ignore_expression=0) if (! empty($conf->global->MAIN_MULTILANGS)) $this->getMultiLangs(); // Load multiprices array - if (! empty($conf->global->PRODUIT_MULTIPRICES)) + if (! empty($conf->global->PRODUIT_MULTIPRICES)) // prices per segment { for ($i=1; $i <= $conf->global->PRODUIT_MULTIPRICES_LIMIT; $i++) { @@ -1990,6 +1990,7 @@ function fetch($id='', $ref='', $ref_ext='', $ignore_expression=0) $this->multiprices_recuperableonly[$i]=$result["recuperableonly"]; // Price by quantity + /* $this->prices_by_qty[$i]=$result["price_by_qty"]; $this->prices_by_qty_id[$i]=$result["rowid"]; // Récuperation de la liste des prix selon qty si flag positionné @@ -2022,7 +2023,7 @@ function fetch($id='', $ref='', $ref_ext='', $ignore_expression=0) dol_print_error($this->db); return -1; } - } + }*/ } else { @@ -2031,7 +2032,11 @@ function fetch($id='', $ref='', $ref_ext='', $ignore_expression=0) } } } - else if (! empty($conf->global->PRODUIT_CUSTOMER_PRICES_BY_QTY)) + elseif (! empty($conf->global->PRODUIT_CUSTOMER_PRICES)) // prices per customers + { + // Nothing loaded by default. List may be very long. + } + else if (! empty($conf->global->PRODUIT_CUSTOMER_PRICES_BY_QTY)) // prices per quantity { $sql = "SELECT price, price_ttc, price_min, price_min_ttc,"; $sql.= " price_base_type, tva_tx, default_vat_code, tosell, price_by_qty, rowid"; @@ -2066,7 +2071,7 @@ function fetch($id='', $ref='', $ref_ext='', $ignore_expression=0) $resultat[$ii]["unitprice"]= $result["unitprice"]; $resultat[$ii]["quantity"]= $result["quantity"]; $resultat[$ii]["remise_percent"]= $result["remise_percent"]; - $resultat[$ii]["remise"]= $result["remise"]; // deprecated + //$resultat[$ii]["remise"]= $result["remise"]; // deprecated $resultat[$ii]["price_base_type"]= $result["price_base_type"]; $ii++; } @@ -2085,6 +2090,10 @@ function fetch($id='', $ref='', $ref_ext='', $ignore_expression=0) return -1; } } + else if (! empty($conf->global->PRODUIT_CUSTOMER_PRICES_BY_QTY_MULTIPRICES)) // prices per customer and quantity + { + // Not yet implemented + } if (!empty($conf->dynamicprices->enabled) && !empty($this->fk_price_expression) && empty($ignore_expression)) { @@ -2101,8 +2110,7 @@ function fetch($id='', $ref='', $ref_ext='', $ignore_expression=0) } // We should not load stock during the fetch. If someone need stock of product, he must call load_stock after fetching product. - //$res=$this->load_stock(); - // instead we just init the stock_warehouse array + // Instead we just init the stock_warehouse array $this->stock_warehouse = array(); return 1; From cc5dcde9e184f2ecaf89b2ae608cc4004fb7c659 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Sun, 14 Jan 2018 18:55:55 +0100 Subject: [PATCH 11/18] Fix protection to avoid errors --- htdocs/admin/company.php | 11 ++++------- htdocs/core/lib/functions.lib.php | 2 +- 2 files changed, 5 insertions(+), 8 deletions(-) diff --git a/htdocs/admin/company.php b/htdocs/admin/company.php index 1c6a0c00145e9..b2b7efc3a1c52 100644 --- a/htdocs/admin/company.php +++ b/htdocs/admin/company.php @@ -262,17 +262,17 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php'; $logofile=$conf->mycompany->dir_output.'/logos/'.$mysoc->logo; - dol_delete_file($logofile); + if ($mysoc->logo != '') dol_delete_file($logofile); dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO",$conf->entity); $mysoc->logo=''; $logosmallfile=$conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_small; - dol_delete_file($logosmallfile); + if ($mysoc->logo_small != '') dol_delete_file($logosmallfile); dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO_SMALL",$conf->entity); $mysoc->logo_small=''; $logominifile=$conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_mini; - dol_delete_file($logominifile); + if ($mysoc->logo_mini != '') dol_delete_file($logominifile); dolibarr_del_const($db, "MAIN_INFO_SOCIETE_LOGO_MINI",$conf->entity); $mysoc->logo_mini=''; } @@ -370,7 +370,6 @@ print ''."\n"; // Web - print ''; print ''; print ''."\n"; @@ -384,8 +383,7 @@ } // Logo - - print ''; + print ''; print ''; // Note - print ''; print ''; diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index 0776a649fc85d..96222974a13cf 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -5395,7 +5395,7 @@ function getCommonSubstitutionArray($outputlangs, $onlykey=0, $exclude=null, $ob $substitutionarray['__[AnyConstantKey]__']=$outputlangs->trans('ValueOfConstant'); $substitutionarray['__DOL_MAIN_URL_ROOT__']=DOL_MAIN_URL_ROOT; } - if (empty($exclude) || ! in_array('mycompany', $exclude)) + if ((empty($exclude) || ! in_array('mycompany', $exclude)) && is_object($mysoc)) { $substitutionarray=array_merge($substitutionarray, array( '__MYCOMPANY_NAME__' => $mysoc->name, From 90fc086814eba19f3286bb27bf20d8029f01e18c Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Sun, 14 Jan 2018 20:11:38 +0100 Subject: [PATCH 12/18] Fix minor --- htdocs/core/lib/security2.lib.php | 5 +++-- htdocs/core/login/functions_empty.php | 3 +++ htdocs/core/tpl/login.tpl.php | 6 +++--- htdocs/main.inc.php | 20 ++++++++++++++----- .../core/modules/modMyModule.class.php | 2 +- 5 files changed, 25 insertions(+), 11 deletions(-) diff --git a/htdocs/core/lib/security2.lib.php b/htdocs/core/lib/security2.lib.php index a7b7115708060..a61d103c16f9e 100644 --- a/htdocs/core/lib/security2.lib.php +++ b/htdocs/core/lib/security2.lib.php @@ -80,7 +80,8 @@ function checkLoginPassEntity($usertotest,$passwordtotest,$entitytotest,$authmod $newdir=dol_osencode($dir); // Check if file found (do not use dol_is_file to avoid loading files.lib.php) - if (is_file($newdir.'/'.$authfile)) $fullauthfile=$newdir.'/'.$authfile; + $tmpnewauthfile = $newdir.(preg_match('/\/$/',$newdir)?'':'/').$authfile; + if (is_file($tmpnewauthfile)) $fullauthfile=$tmpnewauthfile; } $result=false; @@ -89,7 +90,7 @@ function checkLoginPassEntity($usertotest,$passwordtotest,$entitytotest,$authmod { // Call function to check user/password $function='check_user_password_'.$mode; - $login=call_user_func($function,$usertotest,$passwordtotest,$entitytotest); + $login=call_user_func($function, $usertotest, $passwordtotest, $entitytotest); if ($login) // Login is successfull { $test=false; // To stop once at first login success diff --git a/htdocs/core/login/functions_empty.php b/htdocs/core/login/functions_empty.php index e4379ee2c3a3f..b2ce4a3c53309 100644 --- a/htdocs/core/login/functions_empty.php +++ b/htdocs/core/login/functions_empty.php @@ -33,9 +33,12 @@ */ function check_user_password_empty($usertotest,$passwordtotest,$entitytotest) { + global $langs; + dol_syslog("functions_empty::check_user_password_empty usertotest=".$usertotest); $login=''; + $_SESSION["dol_loginmesg"]=$langs->trans("FailedToLogin"); return $login; } diff --git a/htdocs/core/tpl/login.tpl.php b/htdocs/core/tpl/login.tpl.php index 013271336cb55..49a65d01c5cb5 100644 --- a/htdocs/core/tpl/login.tpl.php +++ b/htdocs/core/tpl/login.tpl.php @@ -244,9 +244,9 @@ - - -
'; print ''; print ''; @@ -402,7 +400,6 @@ print '
'; print '
"; - -print ''; -print_liste_field_titre("NumPiece", $_SERVER['PHP_SELF'], "t.piece_num", "", $options, "", $sortfield, $sortorder); -print_liste_field_titre("Doctype", $_SERVER['PHP_SELF'], "t.doc_type", "", $options, "", $sortfield, $sortorder); -print_liste_field_titre("Date", $_SERVER['PHP_SELF'], "t.doc_date", "", $options, 'align="center"', $sortfield, $sortorder); -print_liste_field_titre("Docref", $_SERVER['PHP_SELF'], "t.doc_ref", "", $options, "", $sortfield, $sortorder); -print_liste_field_titre("AccountAccounting", $_SERVER['PHP_SELF'], "t.numero_compte", "", $options, "", $sortfield, $sortorder); -print_liste_field_titre("ThirdPartyAccount", $_SERVER['PHP_SELF'], "t.subledger_account", "", $options, "", $sortfield, $sortorder); -print_liste_field_titre("Label", $_SERVER['PHP_SELF'], "t.label_operation", "", $options, "", $sortfield, $sortorder); -print_liste_field_titre("Debit", $_SERVER['PHP_SELF'], "t.debit", "", $options, "", $sortfield, $sortorder); -print_liste_field_titre("Credit", $_SERVER['PHP_SELF'], "t.credit", "", $options, 'align="center"', $sortfield, $sortorder); -print_liste_field_titre("Amount", $_SERVER['PHP_SELF'], "t.montant", "", $options, 'align="center"', $sortfield, $sortorder); -print_liste_field_titre("Sens", $_SERVER['PHP_SELF'], "t.sens", "", $options, 'align="center"', $sortfield, $sortorder); -print_liste_field_titre("Codejournal", $_SERVER['PHP_SELF'], "t.code_journal", "", $options, 'align="center"', $sortfield, $sortorder); -print_liste_field_titre("Action", $_SERVER["PHP_SELF"], "", $options, "", 'width="60" align="center"', $sortfield, $sortorder); -print "\n"; - -print ''; -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print ''; - -print "\n"; - -foreach ( $object->lines as $line ) { - - print ''; - print '' . "\n"; - print '' . "\n"; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print "\n"; -} -print "
'; -print ''; -print ''; -print ''; -print ''; -print $form->select_date($search_doc_date, 'doc_date', 0, 0, 1); -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ''; -print ' '; -print ''; -print '
' . $line->piece_num . '' . $line->doc_type . '' . dol_print_date($line->doc_date) . '' . $line->doc_ref . '' . length_accountg($line->numero_compte) . '' . length_accounta($line->subledger_account) . '' . $line->label_operation . '' . price($line->debit) . '' . price($line->credit) . '' . price($line->montant) . '' . $line->sens . '' . $line->code_journal . '' . img_edit() . '
"; -print ''; - -llxFooter(); -$db->close(); diff --git a/htdocs/accountancy/class/bookkeeping.class.php b/htdocs/accountancy/class/bookkeeping.class.php index e426b8a21a14c..4aba5bb0591ea 100644 --- a/htdocs/accountancy/class/bookkeeping.class.php +++ b/htdocs/accountancy/class/bookkeeping.class.php @@ -628,13 +628,15 @@ public function fetch($id, $ref = null, $mode='') { * @param array $filter filter array * @param string $filtermode filter mode (AND or OR) * - * @return int <0 if KO, >0 if OK + * @return int <0 if KO, >=0 if OK */ public function fetchAllByAccount($sortorder = '', $sortfield = '', $limit = 0, $offset = 0, array $filter = array(), $filtermode = 'AND') { global $conf; dol_syslog(__METHOD__, LOG_DEBUG); + $this->lines = array(); + $sql = 'SELECT'; $sql .= ' t.rowid,'; $sql .= " t.doc_date,"; @@ -695,7 +697,6 @@ public function fetchAllByAccount($sortorder = '', $sortfield = '', $limit = 0, if (! empty($limit)) { $sql .= ' ' . $this->db->plimit($limit + 1, $offset); } - $this->lines = array (); $resql = $this->db->query($sql); if ($resql) { @@ -737,7 +738,7 @@ public function fetchAllByAccount($sortorder = '', $sortfield = '', $limit = 0, $this->errors[] = 'Error ' . $this->db->lasterror(); dol_syslog(__METHOD__ . ' ' . join(',', $this->errors), LOG_ERR); - return - 1; + return -1; } } diff --git a/htdocs/commande/list.php b/htdocs/commande/list.php index f164a1249a5dc..13225c2c5d3f7 100644 --- a/htdocs/commande/list.php +++ b/htdocs/commande/list.php @@ -384,29 +384,29 @@ $arrayofselected=is_array($toselect)?$toselect:array(); $param=''; - if (! empty($contextpage) && $contextpage != $_SERVER["PHP_SELF"]) $param.='&contextpage='.$contextpage; - if ($limit > 0 && $limit != $conf->liste_limit) $param.='&limit='.$limit; - if ($sall) $param.='&sall='.$sall; - if ($socid > 0) $param.='&socid='.$socid; - if ($viewstatut != '') $param.='&viewstatut='.$viewstatut; - if ($search_orderday) $param.='&search_orderday='.$search_orderday; - if ($search_ordermonth) $param.='&search_ordermonth='.$search_ordermonth; - if ($search_orderyear) $param.='&search_orderyear='.$search_orderyear; - if ($search_deliveryday) $param.='&search_deliveryday='.$search_deliveryday; - if ($search_deliverymonth) $param.='&search_deliverymonth='.$search_deliverymonth; - if ($search_deliveryyear) $param.='&search_deliveryyear='.$search_deliveryyear; - if ($search_ref) $param.='&search_ref='.$search_ref; - if ($search_company) $param.='&search_company='.$search_company; - if ($search_ref_customer) $param.='&search_ref_customer='.$search_ref_customer; - if ($search_user > 0) $param.='&search_user='.$search_user; - if ($search_sale > 0) $param.='&search_sale='.$search_sale; - if ($search_total_ht != '') $param.='&search_total_ht='.$search_total_ht; - if ($search_total_vat != '') $param.='&search_total_vat='.$search_total_vat; - if ($search_total_ttc != '') $param.='&search_total_ttc='.$search_total_ttc; - if ($search_project_ref >= 0) $param.="&search_project_ref=".$search_project_ref; - if ($show_files) $param.='&show_files=' .$show_files; - if ($optioncss != '') $param.='&optioncss='.$optioncss; - if ($billed != '') $param.='&billed='.$billed; + if (! empty($contextpage) && $contextpage != $_SERVER["PHP_SELF"]) $param.='&contextpage='.urlencode($contextpage); + if ($limit > 0 && $limit != $conf->liste_limit) $param.='&limit='.urlencode($limit); + if ($sall) $param.='&sall='.urlencode($sall); + if ($socid > 0) $param.='&socid='.urlencode($socid); + if ($viewstatut != '') $param.='&viewstatut='.urlencode($viewstatut); + if ($search_orderday) $param.='&search_orderday='.urlencode($search_orderday); + if ($search_ordermonth) $param.='&search_ordermonth='.urlencode($search_ordermonth); + if ($search_orderyear) $param.='&search_orderyear='.urlencode($search_orderyear); + if ($search_deliveryday) $param.='&search_deliveryday='.urlencode($search_deliveryday); + if ($search_deliverymonth) $param.='&search_deliverymonth='.urlencode($search_deliverymonth); + if ($search_deliveryyear) $param.='&search_deliveryyear='.urlencode($search_deliveryyear); + if ($search_ref) $param.='&search_ref='.urlencode($search_ref); + if ($search_company) $param.='&search_company='.urlencode($search_company); + if ($search_ref_customer) $param.='&search_ref_customer='.urlencode($search_ref_customer); + if ($search_user > 0) $param.='&search_user='.urlencode($search_user); + if ($search_sale > 0) $param.='&search_sale='.urlencode($search_sale); + if ($search_total_ht != '') $param.='&search_total_ht='.urlencode($search_total_ht); + if ($search_total_vat != '') $param.='&search_total_vat='.urlencode($search_total_vat); + if ($search_total_ttc != '') $param.='&search_total_ttc='.urlencode($search_total_ttc); + if ($search_project_ref >= 0) $param.="&search_project_ref=".urlencode($search_project_ref); + if ($show_files) $param.='&show_files=' .urlencode($show_files); + if ($optioncss != '') $param.='&optioncss='.urlencode($optioncss); + if ($billed != '') $param.='&billed='.urlencode($billed); // Add $param from extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_param.tpl.php'; From bc2009874dad6f91d8a44a68bc921644116f0c1e Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 15 Jan 2018 12:59:30 +0100 Subject: [PATCH 18/18] Fix code comment --- htdocs/api/class/api_documents.class.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/htdocs/api/class/api_documents.class.php b/htdocs/api/class/api_documents.class.php index cd63037c66891..d5b30d67d118c 100644 --- a/htdocs/api/class/api_documents.class.php +++ b/htdocs/api/class/api_documents.class.php @@ -388,14 +388,14 @@ public function get($id) { * Upload a file. * * Test sample 1: { "filename": "mynewfile.txt", "modulepart": "facture", "ref": "FA1701-001", "subdir": "", "filecontent": "content text", "fileencoding": "", "overwriteifexists": "0" }. - * Test sample 2: { "filename": "mynewfile.txt", "modulepart": "medias", "ref": "", "subdir": "image/mywebsite", "filecontent": "content text", "fileencoding": "", "overwriteifexists": "0" }. + * Test sample 2: { "filename": "mynewfile.txt", "modulepart": "medias", "ref": "", "subdir": "image/mywebsite", "filecontent": "Y29udGVudCB0ZXh0Cg==", "fileencoding": "base64", "overwriteifexists": "0" }. * * @param string $filename Name of file to create ('FA1705-0123.txt') * @param string $modulepart Name of module or area concerned by file upload ('facture', 'project', 'project_task', ...) * @param string $ref Reference of object (This will define subdir automatically and store submited file into it) * @param string $subdir Subdirectory (Only if ref not provided) * @param string $filecontent File content (string with file content. An empty file will be created if this parameter is not provided) - * @param string $fileencoding File encoding (''=no encoding, 'base64'=Base 64) + * @param string $fileencoding File encoding (''=no encoding, 'base64'=Base 64) {@example '' or 'base64'} * @param int $overwriteifexists Overwrite file if exists (1 by default) * * @throws 200