From c103ff58cfcb5e0d7fd18af534b02fc4e29ad7af Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 27 Jan 2020 12:40:20 +0100 Subject: [PATCH 1/9] FIX update of llx_societe_account for stripe customer key. --- htdocs/societe/paymentmodes.php | 47 +++++++++++++++++++++------------ 1 file changed, 30 insertions(+), 17 deletions(-) diff --git a/htdocs/societe/paymentmodes.php b/htdocs/societe/paymentmodes.php index 41bda75b2b5..1952fb8304c 100644 --- a/htdocs/societe/paymentmodes.php +++ b/htdocs/societe/paymentmodes.php @@ -569,30 +569,38 @@ if (empty($reshook)) $db->begin(); if (empty($newcu)) { - $sql = "DELETE FROM ".MAIN_DB_PREFIX."societe_account WHERE site = 'stripe' AND fk_soc = ".$object->id." AND status = ".$servicestatus." AND entity = ".$conf->entity; + $sql = "DELETE FROM ".MAIN_DB_PREFIX."societe_account WHERE site = 'stripe' AND (site_account IS NULL or site_account = '' or site_account = '".$site_account."') AND fk_soc = ".$object->id." AND status = ".$servicestatus." AND entity = ".$conf->entity; } else { - $sql = 'UPDATE '.MAIN_DB_PREFIX."societe_account"; - $sql .= " SET key_account = '".$db->escape(GETPOST('key_account', 'alpha'))."'"; - $sql .= " WHERE site = 'stripe' AND fk_soc = ".$object->id." AND status = ".$servicestatus." AND entity = ".$conf->entity; // Keep = here for entity. Only 1 record must be modified ! + $sql = 'SELECT rowid FROM '.MAIN_DB_PREFIX."societe_account"; + $sql .= " WHERE site = 'stripe' AND (site_account IS NULL or site_account = '' or site_account = '".$site_account."') AND fk_soc = ".$object->id." AND status = ".$servicestatus." AND entity = ".$conf->entity; // Keep = here for entity. Only 1 record must be modified ! } $resql = $db->query($sql); - $num = $db->num_rows($resql); - if (empty($num) && !empty($newcu)) - { - $societeaccount = new SocieteAccount($db); - $societeaccount->fk_soc = $object->id; - $societeaccount->login = ''; - $societeaccount->pass_encoding = ''; - $societeaccount->site = 'stripe'; - $societeaccount->status = $servicestatus; - $societeaccount->key_account = $newcu; - $result = $societeaccount->create($user); - if ($result < 0) + $num = $db->num_rows($resql); // Note: $num is always 0 on an update and delete, it is defined for select only. + if (!empty($newcu)) { + if (empty($num)) { - $error++; + $societeaccount = new SocieteAccount($db); + $societeaccount->fk_soc = $object->id; + $societeaccount->login = ''; + $societeaccount->pass_encoding = ''; + $societeaccount->site = 'stripe'; + $societeaccount->status = $servicestatus; + $societeaccount->key_account = $newcu; + $societeaccount->site_account = $site_account; + $result = $societeaccount->create($user); + if ($result < 0) + { + $error++; + } + } else { + $sql = 'UPDATE '.MAIN_DB_PREFIX."societe_account"; + $sql .= " SET key_account = '".$db->escape(GETPOST('key_account', 'alpha'))."', site_account = '".$site_account."'"; + $sql .= " WHERE site = 'stripe' AND (site_account IS NULL or site_account = '' or site_account = '".$site_account."') AND fk_soc = ".$object->id." AND status = ".$servicestatus." AND entity = ".$conf->entity; // Keep = here for entity. Only 1 record must be modified ! + $resql = $db->query($sql); } } + //var_dump($sql); var_dump($newcu); var_dump($num); exit; if (!$error) { @@ -615,6 +623,8 @@ if (empty($reshook)) if (empty($newsup)) { $sql = "DELETE FROM ".MAIN_DB_PREFIX."oauth_token WHERE fk_soc = ".$object->id." AND service = '".$service."' AND entity = ".$conf->entity; + // TODO Add site and site_account on oauth_token table + //$sql = "DELETE FROM ".MAIN_DB_PREFIX."oauth_token WHERE site = 'stripe' AND (site_account IS NULL or site_account = '".$site_account."') AND fk_soc = ".$object->id." AND service = '".$service."' AND entity = ".$conf->entity; } else { try { $stripesup = \Stripe\Account::retrieve($db->escape(GETPOST('key_account_supplier', 'alpha'))); @@ -622,6 +632,8 @@ if (empty($reshook)) $tokenstring['type'] = $stripesup->type; $sql = "UPDATE ".MAIN_DB_PREFIX."oauth_token"; $sql .= " SET tokenstring = '".dol_json_encode($tokenstring)."'"; + $sql .= " WHERE site = 'stripe' AND (site_account IS NULL or site_account = '".$site_account."') AND fk_soc = ".$object->id." AND service = '".$service."' AND entity = ".$conf->entity; // Keep = here for entity. Only 1 record must be modified ! + // TODO Add site and site_account on oauth_token table $sql .= " WHERE fk_soc = ".$object->id." AND service = '".$service."' AND entity = ".$conf->entity; // Keep = here for entity. Only 1 record must be modified ! } catch (Exception $e) { $error++; @@ -639,6 +651,7 @@ if (empty($reshook)) $tokenstring['type'] = $stripesup->type; $sql = "INSERT INTO ".MAIN_DB_PREFIX."oauth_token (service, fk_soc, entity, tokenstring)"; $sql .= " VALUES ('".$service."', ".$object->id.", ".$conf->entity.", '".dol_json_encode($tokenstring)."')"; + // TODO Add site and site_account on oauth_token table } catch (Exception $e) { $error++; setEventMessages($e->getMessage(), null, 'errors'); From 90d255d3c4cd7b81c4ba4d3ade9055edf7f53ad1 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 27 Jan 2020 13:42:31 +0100 Subject: [PATCH 2/9] Look and feel v11 --- htdocs/public/members/new.php | 32 ++++++++++++++++++++++------ htdocs/public/payment/newpayment.php | 10 +++++---- 2 files changed, 31 insertions(+), 11 deletions(-) diff --git a/htdocs/public/members/new.php b/htdocs/public/members/new.php index 75dfce81a3c..0649a937822 100644 --- a/htdocs/public/members/new.php +++ b/htdocs/public/members/new.php @@ -48,11 +48,11 @@ $entity = (!empty($_GET['entity']) ? (int) $_GET['entity'] : (!empty($_POST['ent if (is_numeric($entity)) define("DOLENTITY", $entity); require '../../main.inc.php'; +require_once DOL_DOCUMENT_ROOT.'/core/lib/company.lib.php'; require_once DOL_DOCUMENT_ROOT.'/adherents/class/adherent.class.php'; require_once DOL_DOCUMENT_ROOT.'/adherents/class/adherent_type.class.php'; require_once DOL_DOCUMENT_ROOT.'/core/class/extrafields.class.php'; require_once DOL_DOCUMENT_ROOT.'/core/class/html.formcompany.class.php'; -require_once DOL_DOCUMENT_ROOT.'/core/lib/company.lib.php'; // Init vars $errmsg = ''; @@ -96,27 +96,45 @@ function llxHeaderVierge($title, $head = "", $disablejs = 0, $disablehead = 0, $ global $user, $conf, $langs, $mysoc; top_htmlhead($head, $title, $disablejs, $disablehead, $arrayofjs, $arrayofcss); // Show html headers - print ''; - // Print logo + print ''; + + // Define urllogo + $width = 0; $urllogo = DOL_URL_ROOT.'/theme/login_logo.png'; if (!empty($mysoc->logo_small) && is_readable($conf->mycompany->dir_output.'/logos/thumbs/'.$mysoc->logo_small)) { $urllogo = DOL_URL_ROOT.'/viewimage.php?cache=1&modulepart=mycompany&file='.urlencode('logos/thumbs/'.$mysoc->logo_small); + $width = 150; } elseif (!empty($mysoc->logo) && is_readable($conf->mycompany->dir_output.'/logos/'.$mysoc->logo)) { $urllogo = DOL_URL_ROOT.'/viewimage.php?cache=1&modulepart=mycompany&file='.urlencode('logos/'.$mysoc->logo); - $width = 128; + $width = 150; } elseif (is_readable(DOL_DOCUMENT_ROOT.'/theme/dolibarr_logo.png')) { $urllogo = DOL_URL_ROOT.'/theme/dolibarr_logo.png'; + $width = 150; } - print '
'; - print 'Logo'; - print '

'; + + print '
'; + // Output html code for logo + if ($urllogo) + { + print '
'; + print '
'; + print ''; + print '
'; + if (empty($conf->global->MAIN_HIDE_POWERED_BY)) { + print ''; + } + print '
'; + } + print '
'; print '
'; } diff --git a/htdocs/public/payment/newpayment.php b/htdocs/public/payment/newpayment.php index 2e160139dec..9a9c3fff27d 100644 --- a/htdocs/public/payment/newpayment.php +++ b/htdocs/public/payment/newpayment.php @@ -34,8 +34,9 @@ * \brief File to offer a way to make a payment for a particular Dolibarr object */ -define("NOLOGIN", 1); // This means this output page does not require to be logged. -define("NOCSRFCHECK", 1); // We accept to go on this page from external web site. +if (!defined('NOLOGIN')) define("NOLOGIN", 1); // This means this output page does not require to be logged. +if (!defined('NOCSRFCHECK')) define("NOCSRFCHECK", 1); // We accept to go on this page from external web site. +if (!defined('NOIPCHECK')) define('NOIPCHECK', '1'); // Do not check IP defined into conf $dolibarr_main_restrict_ip // For MultiCompany module. // Do not use GETPOST here, function is not defined and get of entity must be done before including main.inc.php @@ -49,11 +50,12 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/functions2.lib.php'; require_once DOL_DOCUMENT_ROOT.'/product/class/product.class.php'; require_once DOL_DOCUMENT_ROOT.'/societe/class/societeaccount.class.php'; +// Load translation files +$langs->loadLangs(array("main", "other", "dict", "bills", "companies", "errors", "paybox", "paypal", "stripe")); // File with generic data + // Security check // No check on module enabled. Done later according to $validpaymentmethod -$langs->loadLangs(array("main", "other", "dict", "bills", "companies", "errors", "paybox", "paypal", "stripe")); // File with generic data - $action = GETPOST('action', 'aZ09'); // Input are: From 29853b5fbd4b5b396c3203060de0a68149405ed4 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 27 Jan 2020 14:01:35 +0100 Subject: [PATCH 3/9] Fix responsive for public interface of tickets --- htdocs/core/lib/ticket.lib.php | 37 ++++++++++++++++++++------ htdocs/public/ticket/create_ticket.php | 2 ++ htdocs/public/ticket/index.php | 1 + htdocs/theme/eldy/global.inc.php | 5 ++-- htdocs/theme/md/style.css.php | 3 ++- htdocs/ticket/css/styles.css.php | 8 ++++-- 6 files changed, 43 insertions(+), 13 deletions(-) diff --git a/htdocs/core/lib/ticket.lib.php b/htdocs/core/lib/ticket.lib.php index fd2d56c946b..b7c741bd839 100644 --- a/htdocs/core/lib/ticket.lib.php +++ b/htdocs/core/lib/ticket.lib.php @@ -216,8 +216,9 @@ function llxHeaderTicket($title, $head = "", $disablejs = 0, $disablehead = 0, $ print ''; + // Define urllogo + $width = 0; if (! empty($conf->global->TICKET_SHOW_COMPANY_LOGO) || ! empty($conf->global->TICKET_PUBLIC_INTERFACE_TOPIC)) { - print '
'; // Print logo if (! empty($conf->global->TICKET_SHOW_COMPANY_LOGO)) { @@ -225,21 +226,41 @@ function llxHeaderTicket($title, $head = "", $disablejs = 0, $disablehead = 0, $ if (!empty($mysoc->logo_small) && is_readable($conf->mycompany->dir_output . '/logos/thumbs/' . $mysoc->logo_small)) { $urllogo = DOL_URL_ROOT . '/viewimage.php?modulepart=mycompany&entity='.$conf->entity.'&file=' . urlencode('logos/thumbs/'.$mysoc->logo_small); + $width = 150; } elseif (!empty($mysoc->logo) && is_readable($conf->mycompany->dir_output . '/logos/' . $mysoc->logo)) { $urllogo = DOL_URL_ROOT . '/viewimage.php?modulepart=mycompany&entity='.$conf->entity.'&file=' . urlencode('logos/'.$mysoc->logo); - $width = 128; + $width = 150; } elseif (is_readable(DOL_DOCUMENT_ROOT . '/theme/dolibarr_logo.png')) { $urllogo = DOL_URL_ROOT . '/theme/dolibarr_logo.png'; } - print 'Logo
'; } - if (! empty($conf->global->TICKET_PUBLIC_INTERFACE_TOPIC)) - { - print '' . ($conf->global->TICKET_PUBLIC_INTERFACE_TOPIC ? $conf->global->TICKET_PUBLIC_INTERFACE_TOPIC : $langs->trans("TicketSystem")) . ''; - } - print '

'; } + print '
'; + // Output html code for logo + if ($urllogo || ! empty($conf->global->TICKET_PUBLIC_INTERFACE_TOPIC)) + { + print '
'; + print '
'; + if ($urllogo) { + print ''; + print ''; + print ''; + } + if (! empty($conf->global->TICKET_PUBLIC_INTERFACE_TOPIC)) { + print '
' . ($conf->global->TICKET_PUBLIC_INTERFACE_TOPIC ? $conf->global->TICKET_PUBLIC_INTERFACE_TOPIC : $langs->trans("TicketSystem")) . ''; + } + print '
'; + if (empty($conf->global->MAIN_HIDE_POWERED_BY)) { + print ''; + } + print '
'; + } + + print '
'; + print '
'; } diff --git a/htdocs/public/ticket/create_ticket.php b/htdocs/public/ticket/create_ticket.php index c4a3b71e6ad..b3e94d5ceb2 100644 --- a/htdocs/public/ticket/create_ticket.php +++ b/htdocs/public/ticket/create_ticket.php @@ -28,6 +28,7 @@ if (!defined('NOREQUIREMENU')) define('NOREQUIREMENU', '1'); if (!defined('NOREQUIREHTML')) define('NOREQUIREHTML', '1'); if (!defined('NOLOGIN')) define("NOLOGIN", 1); // This means this output page does not require to be logged. if (!defined('NOCSRFCHECK')) define("NOCSRFCHECK", 1); // We accept to go on this page from external web site. +if (!defined('NOIPCHECK')) define('NOIPCHECK', '1'); // Do not check IP defined into conf $dolibarr_main_restrict_ip require '../../main.inc.php'; require_once DOL_DOCUMENT_ROOT.'/ticket/class/actions_ticket.class.php'; @@ -53,6 +54,7 @@ $extrafields = new ExtraFields($db); $extrafields->fetch_name_optionals_label($object->table_element); + /* * Actions */ diff --git a/htdocs/public/ticket/index.php b/htdocs/public/ticket/index.php index 031ef2793b5..bbe831c1a84 100644 --- a/htdocs/public/ticket/index.php +++ b/htdocs/public/ticket/index.php @@ -25,6 +25,7 @@ if (!defined('NOCSRFCHECK')) define('NOCSRFCHECK', '1'); if (!defined('NOREQUIREMENU')) define('NOREQUIREMENU', '1'); if (!defined("NOLOGIN")) define("NOLOGIN", '1'); // If this page is public (can be called outside logged session) +if (!defined('NOIPCHECK')) define('NOIPCHECK', '1'); // Do not check IP defined into conf $dolibarr_main_restrict_ip // For MultiCompany module. // Do not use GETPOST here, function is not defined and define must be done before including main.inc.php diff --git a/htdocs/theme/eldy/global.inc.php b/htdocs/theme/eldy/global.inc.php index 0f96bb15d62..fe42bcfc995 100644 --- a/htdocs/theme/eldy/global.inc.php +++ b/htdocs/theme/eldy/global.inc.php @@ -5501,11 +5501,12 @@ div.tabsElem a.tab { width: 70%; } .publicnewticketform { - margin-top: 25px !important; + /* margin-top: 25px !important; */ } .ticketlargemargin { padding-left: 50px; padding-right: 50px; + padding-top: 10px; } @media only screen and (max-width: 767px) { @@ -5513,7 +5514,7 @@ div.tabsElem a.tab { padding-left: 5px; padding-right: 5px; } .ticketpublicarea { - width: 100%; + width: 100% !important; } } diff --git a/htdocs/theme/md/style.css.php b/htdocs/theme/md/style.css.php index 0806cb47d1e..fe23020991f 100644 --- a/htdocs/theme/md/style.css.php +++ b/htdocs/theme/md/style.css.php @@ -5649,11 +5649,12 @@ border-top-right-radius: 6px; width: 70%; } .publicnewticketform { - margin-top: 25px !important; + /* margin-top: 25px !important; */ } .ticketlargemargin { padding-left: 50px; padding-right: 50px; + padding-top: 10px; } @media only screen and (max-width: 767px) { diff --git a/htdocs/ticket/css/styles.css.php b/htdocs/ticket/css/styles.css.php index 15eadf8ffb8..914a3dba119 100644 --- a/htdocs/ticket/css/styles.css.php +++ b/htdocs/ticket/css/styles.css.php @@ -146,5 +146,9 @@ div.ticketform .blue:hover { background-color: #f8f8f8; } -#form_create_ticket input.text, -#form_create_ticket textarea { width:450px;} +#form_create_ticket input.text, #form_create_ticket textarea { width:450px;} + +@media only screen and (max-width: 767px) +{ + #form_create_ticket input.text, #form_create_ticket textarea { width: unset;} +} From 5feea89a94a5df6acd3d2bd8b758d71b8b2c0a13 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 27 Jan 2020 14:11:40 +0100 Subject: [PATCH 4/9] Fix responsive for public interface --- htdocs/public/onlinesign/newonlinesign.php | 44 ++++++++++++---------- 1 file changed, 25 insertions(+), 19 deletions(-) diff --git a/htdocs/public/onlinesign/newonlinesign.php b/htdocs/public/onlinesign/newonlinesign.php index dd4845111e1..83e757b78f8 100644 --- a/htdocs/public/onlinesign/newonlinesign.php +++ b/htdocs/public/onlinesign/newonlinesign.php @@ -15,9 +15,6 @@ * * You should have received a copy of the GNU General Public License * along with this program. If not, see . - * - * For paypal test: https://developer.paypal.com/ - * For paybox test: ??? */ /** @@ -26,8 +23,9 @@ * \brief File to offer a way to make an online signature for a particular Dolibarr entity */ -define("NOLOGIN", 1); // This means this output page does not require to be logged. -define("NOCSRFCHECK", 1); // We accept to go on this page from external web site. +if (!defined('NOLOGIN')) define("NOLOGIN", 1); // This means this output page does not require to be logged. +if (!defined('NOCSRFCHECK')) define("NOCSRFCHECK", 1); // We accept to go on this page from external web site. +if (!defined('NOIPCHECK')) define('NOIPCHECK', '1'); // Do not check IP defined into conf $dolibarr_main_restrict_ip // For MultiCompany module. // Do not use GETPOST here, function is not defined and define must be done before including main.inc.php @@ -41,12 +39,13 @@ require_once DOL_DOCUMENT_ROOT.'/core/lib/payments.lib.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/functions2.lib.php'; require_once DOL_DOCUMENT_ROOT.'/product/class/product.class.php'; +// Load translation files +$langs->loadLangs(array("main", "other", "dict", "bills", "companies", "errors", "paybox")); + // Security check // No check on module enabled. Done later according to $validpaymentmethod -$langs->loadLangs(array("main", "other", "dict", "bills", "companies", "errors", "paybox")); - -$action = GETPOST('action', 'alpha'); +$action = GETPOST('action', 'aZ09'); // Input are: // type ('invoice','order','contractline'), @@ -55,7 +54,7 @@ $action = GETPOST('action', 'alpha'); // tag (a free text, required if type is empty) // currency (iso code) -$suffix = GETPOST("suffix", 'alpha'); +$suffix = GETPOST("suffix", 'aZ09'); $source = GETPOST("source", 'alpha'); $ref = $REF = GETPOST("ref", 'alpha'); @@ -71,9 +70,6 @@ if (!$action) } -$paymentmethod = ''; -$validpaymentmethod = array(); - @@ -133,7 +129,8 @@ if (!empty($conf->global->MAIN_SIGN_CSS_URL)) $head = 'dol_hide_topmenu = 1; $conf->dol_hide_leftmenu = 1; -llxHeader($head, $langs->trans("OnlineSignature"), '', '', 0, 0, '', '', '', 'onlinepaymentbody'); +$replacemainarea = (empty($conf->dol_hide_leftmenu) ? '
' : '').'
'; +llxHeader($head, $langs->trans("OnlineSignature"), '', '', 0, 0, '', '', '', 'onlinepaymentbody', $replacemainarea); // Check link validity if (!empty($source) && in_array($ref, array('member_ref', 'contractline_ref', 'invoice_ref', 'order_ref', ''))) @@ -171,23 +168,32 @@ elseif (!empty($conf->global->ONLINE_SIGN_LOGO)) $logosmall = $conf->global->ONL //print ''."\n"; // Define urllogo $urllogo = ''; +$urllogofull = ''; if (!empty($logosmall) && is_readable($conf->mycompany->dir_output.'/logos/thumbs/'.$logosmall)) { $urllogo = DOL_URL_ROOT.'/viewimage.php?modulepart=mycompany&entity='.$conf->entity.'&file='.urlencode('logos/thumbs/'.$logosmall); + $urllogofull = $dolibarr_main_url_root.'/viewimage.php?modulepart=mycompany&entity='.$conf->entity.'&file='.urlencode('logos/thumbs/'.$logosmall); + $width = 150; } elseif (!empty($logo) && is_readable($conf->mycompany->dir_output.'/logos/'.$logo)) { $urllogo = DOL_URL_ROOT.'/viewimage.php?modulepart=mycompany&entity='.$conf->entity.'&file='.urlencode('logos/'.$logo); - $width = 96; + $urllogofull = $dolibarr_main_url_root.'/viewimage.php?modulepart=mycompany&entity='.$conf->entity.'&file='.urlencode('logos/'.$logo); + $width = 150; } // Output html code for logo if ($urllogo) { - print ''; - print ''; + print '
'; + print ''; - print ''."\n"; + print '>'; + print '
'; + if (empty($conf->global->MAIN_HIDE_POWERED_BY)) { + print ''; + } + print '
'; } // Output introduction text @@ -209,7 +215,7 @@ print $text; // Output payment summary form print ''; print ''; -print ''."\n"; +print ''."\n"; $found = false; $error = 0; From 63d9e3c01edeb295a1f943d00cd708c8fda83de2 Mon Sep 17 00:00:00 2001 From: ptibogxiv Date: Mon, 27 Jan 2020 15:11:22 +0100 Subject: [PATCH 5/9] fix list stripe charge.php payment intent use table_element so need double terms for more compatibility --- htdocs/stripe/charge.php | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/htdocs/stripe/charge.php b/htdocs/stripe/charge.php index 7dbf4dd6089..77bd1d918bf 100644 --- a/htdocs/stripe/charge.php +++ b/htdocs/stripe/charge.php @@ -215,7 +215,7 @@ if (!$rowid) print "\n"; // Origine print "
'.$langs->trans("ThisIsInformationOnDocumentToSign").' :
'.$langs->trans("ThisIsInformationOnDocumentToSign").' :
"; - if ($charge->metadata->dol_type=="order") { + if ($charge->metadata->dol_type=="order" || $charge->metadata->dol_type=="commande") { $object = new Commande($db); $object->fetch($charge->metadata->dol_id); if ($object->id > 0) { @@ -223,7 +223,7 @@ if (!$rowid) } else { print $FULLTAG; } - } elseif ($charge->metadata->dol_type=="invoice") { + } elseif ($charge->metadata->dol_type=="invoice" || $charge->metadata->dol_type=="facture") { $object = new Facture($db); $object->fetch($charge->metadata->dol_id); if ($object->id > 0) { From a02a2a6defff9dbc91325700ac0702a79df88399 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 27 Jan 2020 16:07:53 +0100 Subject: [PATCH 6/9] Sync transifex --- dev/translation/txpull.sh | 2 + htdocs/langs/ar_SA/admin.lang | 24 +- htdocs/langs/ar_SA/bills.lang | 4 +- htdocs/langs/ar_SA/categories.lang | 4 + htdocs/langs/ar_SA/companies.lang | 15 +- htdocs/langs/ar_SA/compta.lang | 5 +- htdocs/langs/ar_SA/errors.lang | 5 +- htdocs/langs/ar_SA/holiday.lang | 2 + htdocs/langs/ar_SA/install.lang | 2 + htdocs/langs/ar_SA/main.lang | 7 +- htdocs/langs/ar_SA/modulebuilder.lang | 4 +- htdocs/langs/ar_SA/mrp.lang | 5 +- htdocs/langs/ar_SA/orders.lang | 46 +- htdocs/langs/ar_SA/other.lang | 7 +- htdocs/langs/ar_SA/projects.lang | 8 +- htdocs/langs/ar_SA/propal.lang | 7 +- htdocs/langs/ar_SA/stocks.lang | 2 + htdocs/langs/bg_BG/accountancy.lang | 15 +- htdocs/langs/bg_BG/admin.lang | 76 +- htdocs/langs/bg_BG/assets.lang | 2 +- htdocs/langs/bg_BG/banks.lang | 38 +- htdocs/langs/bg_BG/bills.lang | 40 +- htdocs/langs/bg_BG/categories.lang | 6 +- htdocs/langs/bg_BG/commercial.lang | 4 +- htdocs/langs/bg_BG/companies.lang | 71 +- htdocs/langs/bg_BG/compta.lang | 13 +- htdocs/langs/bg_BG/contracts.lang | 4 +- htdocs/langs/bg_BG/cron.lang | 37 +- htdocs/langs/bg_BG/deliveries.lang | 2 +- htdocs/langs/bg_BG/donations.lang | 2 +- htdocs/langs/bg_BG/errors.lang | 9 +- htdocs/langs/bg_BG/exports.lang | 116 +- htdocs/langs/bg_BG/holiday.lang | 8 +- htdocs/langs/bg_BG/install.lang | 4 +- htdocs/langs/bg_BG/interventions.lang | 2 +- htdocs/langs/bg_BG/main.lang | 31 +- htdocs/langs/bg_BG/members.lang | 11 +- htdocs/langs/bg_BG/modulebuilder.lang | 4 +- htdocs/langs/bg_BG/mrp.lang | 11 +- htdocs/langs/bg_BG/opensurvey.lang | 2 +- htdocs/langs/bg_BG/orders.lang | 14 +- htdocs/langs/bg_BG/other.lang | 7 +- htdocs/langs/bg_BG/paybox.lang | 2 +- htdocs/langs/bg_BG/products.lang | 26 +- htdocs/langs/bg_BG/projects.lang | 24 +- htdocs/langs/bg_BG/propal.lang | 15 +- htdocs/langs/bg_BG/sendings.lang | 4 +- htdocs/langs/bg_BG/stocks.lang | 4 +- htdocs/langs/bg_BG/supplier_proposal.lang | 4 +- htdocs/langs/bg_BG/suppliers.lang | 4 +- htdocs/langs/bg_BG/ticket.lang | 2 +- htdocs/langs/bg_BG/trips.lang | 2 +- htdocs/langs/bg_BG/users.lang | 4 +- htdocs/langs/bn_BD/admin.lang | 24 +- htdocs/langs/bn_BD/bills.lang | 4 +- htdocs/langs/bn_BD/categories.lang | 4 + htdocs/langs/bn_BD/companies.lang | 15 +- htdocs/langs/bn_BD/compta.lang | 5 +- htdocs/langs/bn_BD/errors.lang | 5 +- htdocs/langs/bn_BD/holiday.lang | 2 + htdocs/langs/bn_BD/install.lang | 2 + htdocs/langs/bn_BD/main.lang | 7 +- htdocs/langs/bn_BD/modulebuilder.lang | 4 +- htdocs/langs/bn_BD/mrp.lang | 5 +- htdocs/langs/bn_BD/orders.lang | 46 +- htdocs/langs/bn_BD/other.lang | 7 +- htdocs/langs/bn_BD/projects.lang | 8 +- htdocs/langs/bn_BD/propal.lang | 7 +- htdocs/langs/bn_BD/stocks.lang | 2 + htdocs/langs/bs_BA/admin.lang | 24 +- htdocs/langs/bs_BA/bills.lang | 4 +- htdocs/langs/bs_BA/categories.lang | 4 + htdocs/langs/bs_BA/companies.lang | 15 +- htdocs/langs/bs_BA/compta.lang | 5 +- htdocs/langs/bs_BA/errors.lang | 5 +- htdocs/langs/bs_BA/holiday.lang | 2 + htdocs/langs/bs_BA/install.lang | 2 + htdocs/langs/bs_BA/main.lang | 7 +- htdocs/langs/bs_BA/modulebuilder.lang | 4 +- htdocs/langs/bs_BA/mrp.lang | 5 +- htdocs/langs/bs_BA/orders.lang | 46 +- htdocs/langs/bs_BA/other.lang | 7 +- htdocs/langs/bs_BA/projects.lang | 8 +- htdocs/langs/bs_BA/propal.lang | 7 +- htdocs/langs/bs_BA/stocks.lang | 2 + htdocs/langs/ca_ES/accountancy.lang | 3 +- htdocs/langs/ca_ES/admin.lang | 42 +- htdocs/langs/ca_ES/agenda.lang | 8 +- htdocs/langs/ca_ES/banks.lang | 2 +- htdocs/langs/ca_ES/bills.lang | 4 +- htdocs/langs/ca_ES/bookmarks.lang | 17 +- htdocs/langs/ca_ES/boxes.lang | 4 +- htdocs/langs/ca_ES/categories.lang | 1 + htdocs/langs/ca_ES/companies.lang | 15 +- htdocs/langs/ca_ES/compta.lang | 1 + htdocs/langs/ca_ES/cron.lang | 3 +- htdocs/langs/ca_ES/ecm.lang | 4 +- htdocs/langs/ca_ES/errors.lang | 5 +- htdocs/langs/ca_ES/exports.lang | 90 +- htdocs/langs/ca_ES/help.lang | 14 +- htdocs/langs/ca_ES/holiday.lang | 2 + htdocs/langs/ca_ES/hrm.lang | 1 + htdocs/langs/ca_ES/install.lang | 2 + htdocs/langs/ca_ES/languages.lang | 3 +- htdocs/langs/ca_ES/loan.lang | 2 +- htdocs/langs/ca_ES/main.lang | 13 +- htdocs/langs/ca_ES/modulebuilder.lang | 6 +- htdocs/langs/ca_ES/mrp.lang | 5 +- htdocs/langs/ca_ES/oauth.lang | 24 +- htdocs/langs/ca_ES/orders.lang | 6 +- htdocs/langs/ca_ES/other.lang | 5 +- htdocs/langs/ca_ES/printing.lang | 8 +- htdocs/langs/ca_ES/projects.lang | 8 +- htdocs/langs/ca_ES/propal.lang | 4 +- htdocs/langs/ca_ES/sendings.lang | 2 +- htdocs/langs/ca_ES/sms.lang | 42 +- htdocs/langs/ca_ES/stocks.lang | 2 + htdocs/langs/ca_ES/supplier_proposal.lang | 2 +- htdocs/langs/ca_ES/ticket.lang | 6 +- htdocs/langs/ca_ES/users.lang | 2 +- htdocs/langs/ca_ES/website.lang | 6 +- htdocs/langs/ca_ES/workflow.lang | 2 +- htdocs/langs/cs_CZ/admin.lang | 24 +- htdocs/langs/cs_CZ/bills.lang | 4 +- htdocs/langs/cs_CZ/categories.lang | 6 +- htdocs/langs/cs_CZ/companies.lang | 15 +- htdocs/langs/cs_CZ/compta.lang | 1 + htdocs/langs/cs_CZ/errors.lang | 5 +- htdocs/langs/cs_CZ/holiday.lang | 2 + htdocs/langs/cs_CZ/install.lang | 2 + htdocs/langs/cs_CZ/main.lang | 7 +- htdocs/langs/cs_CZ/modulebuilder.lang | 4 +- htdocs/langs/cs_CZ/mrp.lang | 5 +- htdocs/langs/cs_CZ/orders.lang | 46 +- htdocs/langs/cs_CZ/other.lang | 7 +- htdocs/langs/cs_CZ/projects.lang | 8 +- htdocs/langs/cs_CZ/propal.lang | 7 +- htdocs/langs/cs_CZ/stocks.lang | 2 + htdocs/langs/da_DK/admin.lang | 32 +- htdocs/langs/da_DK/bills.lang | 4 +- htdocs/langs/da_DK/categories.lang | 4 + htdocs/langs/da_DK/companies.lang | 15 +- htdocs/langs/da_DK/compta.lang | 25 +- htdocs/langs/da_DK/errors.lang | 5 +- htdocs/langs/da_DK/holiday.lang | 2 + htdocs/langs/da_DK/install.lang | 2 + htdocs/langs/da_DK/main.lang | 7 +- htdocs/langs/da_DK/modulebuilder.lang | 4 +- htdocs/langs/da_DK/mrp.lang | 5 +- htdocs/langs/da_DK/orders.lang | 46 +- htdocs/langs/da_DK/other.lang | 7 +- htdocs/langs/da_DK/projects.lang | 8 +- htdocs/langs/da_DK/propal.lang | 7 +- htdocs/langs/da_DK/stocks.lang | 2 + htdocs/langs/de_AT/bills.lang | 1 - htdocs/langs/de_AT/main.lang | 1 - htdocs/langs/de_AT/orders.lang | 5 +- htdocs/langs/de_AT/propal.lang | 2 - htdocs/langs/de_CH/admin.lang | 5 +- htdocs/langs/de_CH/bills.lang | 2 - htdocs/langs/de_CH/categories.lang | 2 +- htdocs/langs/de_CH/companies.lang | 1 - htdocs/langs/de_CH/main.lang | 2 - htdocs/langs/de_CH/orders.lang | 43 + htdocs/langs/de_CH/propal.lang | 1 + htdocs/langs/de_DE/accountancy.lang | 51 +- htdocs/langs/de_DE/admin.lang | 112 +- htdocs/langs/de_DE/banks.lang | 2 +- htdocs/langs/de_DE/bills.lang | 12 +- htdocs/langs/de_DE/bookmarks.lang | 1 + htdocs/langs/de_DE/categories.lang | 11 +- htdocs/langs/de_DE/commercial.lang | 4 +- htdocs/langs/de_DE/companies.lang | 15 +- htdocs/langs/de_DE/compta.lang | 7 +- htdocs/langs/de_DE/donations.lang | 1 + htdocs/langs/de_DE/errors.lang | 5 +- htdocs/langs/de_DE/holiday.lang | 2 + htdocs/langs/de_DE/install.lang | 8 +- htdocs/langs/de_DE/interventions.lang | 2 +- htdocs/langs/de_DE/mails.lang | 32 +- htdocs/langs/de_DE/main.lang | 35 +- htdocs/langs/de_DE/margins.lang | 3 +- htdocs/langs/de_DE/modulebuilder.lang | 4 +- htdocs/langs/de_DE/mrp.lang | 45 +- htdocs/langs/de_DE/oauth.lang | 20 +- htdocs/langs/de_DE/opensurvey.lang | 2 +- htdocs/langs/de_DE/orders.lang | 8 +- htdocs/langs/de_DE/other.lang | 55 +- htdocs/langs/de_DE/products.lang | 54 +- htdocs/langs/de_DE/projects.lang | 8 +- htdocs/langs/de_DE/propal.lang | 7 +- htdocs/langs/de_DE/stocks.lang | 2 + htdocs/langs/el_CY/main.lang | 1 - htdocs/langs/el_GR/accountancy.lang | 17 +- htdocs/langs/el_GR/admin.lang | 458 +-- htdocs/langs/el_GR/agenda.lang | 6 +- htdocs/langs/el_GR/banks.lang | 118 +- htdocs/langs/el_GR/bills.lang | 12 +- htdocs/langs/el_GR/cashdesk.lang | 8 +- htdocs/langs/el_GR/categories.lang | 30 +- htdocs/langs/el_GR/commercial.lang | 4 +- htdocs/langs/el_GR/companies.lang | 13 + htdocs/langs/el_GR/compta.lang | 179 +- htdocs/langs/el_GR/deliveries.lang | 2 +- htdocs/langs/el_GR/donations.lang | 3 +- htdocs/langs/el_GR/errors.lang | 11 +- htdocs/langs/el_GR/holiday.lang | 4 +- htdocs/langs/el_GR/install.lang | 4 +- htdocs/langs/el_GR/interventions.lang | 21 +- htdocs/langs/el_GR/main.lang | 13 +- htdocs/langs/el_GR/modulebuilder.lang | 6 +- htdocs/langs/el_GR/mrp.lang | 37 +- htdocs/langs/el_GR/opensurvey.lang | 2 +- htdocs/langs/el_GR/orders.lang | 6 +- htdocs/langs/el_GR/other.lang | 9 +- htdocs/langs/el_GR/products.lang | 12 +- htdocs/langs/el_GR/projects.lang | 10 +- htdocs/langs/el_GR/propal.lang | 37 +- htdocs/langs/el_GR/sendings.lang | 6 +- htdocs/langs/el_GR/stocks.lang | 6 +- htdocs/langs/el_GR/stripe.lang | 14 +- htdocs/langs/el_GR/supplier_proposal.lang | 38 +- htdocs/langs/el_GR/ticket.lang | 18 +- htdocs/langs/el_GR/users.lang | 45 +- htdocs/langs/el_GR/website.lang | 8 +- htdocs/langs/en_AU/admin.lang | 3 + htdocs/langs/en_AU/bills.lang | 1 + htdocs/langs/en_AU/main.lang | 1 - htdocs/langs/en_CA/admin.lang | 3 + htdocs/langs/en_CA/main.lang | 1 - htdocs/langs/en_GB/admin.lang | 3 + htdocs/langs/en_GB/bills.lang | 1 + htdocs/langs/en_GB/main.lang | 1 - htdocs/langs/en_GB/orders.lang | 5 + htdocs/langs/en_GB/propal.lang | 2 + htdocs/langs/en_IN/admin.lang | 3 + htdocs/langs/en_IN/bills.lang | 1 + htdocs/langs/en_IN/main.lang | 1 - htdocs/langs/en_IN/propal.lang | 2 + htdocs/langs/es_AR/main.lang | 1 - htdocs/langs/es_BO/main.lang | 1 - htdocs/langs/es_CL/admin.lang | 11 +- htdocs/langs/es_CL/bills.lang | 3 +- htdocs/langs/es_CL/companies.lang | 1 - htdocs/langs/es_CL/main.lang | 2 - htdocs/langs/es_CL/orders.lang | 7 +- htdocs/langs/es_CL/other.lang | 2 - htdocs/langs/es_CL/projects.lang | 1 - htdocs/langs/es_CL/propal.lang | 7 +- htdocs/langs/es_CO/admin.lang | 6 +- htdocs/langs/es_CO/bills.lang | 2 +- htdocs/langs/es_CO/main.lang | 2 - htdocs/langs/es_CO/orders.lang | 6 + htdocs/langs/es_CO/propal.lang | 2 + htdocs/langs/es_DO/admin.lang | 3 + htdocs/langs/es_DO/main.lang | 1 - htdocs/langs/es_EC/admin.lang | 11 +- htdocs/langs/es_EC/main.lang | 2 - htdocs/langs/es_ES/accountancy.lang | 3 +- htdocs/langs/es_ES/admin.lang | 18 +- htdocs/langs/es_ES/agenda.lang | 2 +- htdocs/langs/es_ES/banks.lang | 6 +- htdocs/langs/es_ES/bills.lang | 4 +- htdocs/langs/es_ES/categories.lang | 5 +- htdocs/langs/es_ES/companies.lang | 15 +- htdocs/langs/es_ES/compta.lang | 1 + htdocs/langs/es_ES/contracts.lang | 2 +- htdocs/langs/es_ES/cron.lang | 3 +- htdocs/langs/es_ES/errors.lang | 5 +- htdocs/langs/es_ES/holiday.lang | 2 + htdocs/langs/es_ES/hrm.lang | 1 + htdocs/langs/es_ES/install.lang | 2 + htdocs/langs/es_ES/mails.lang | 2 +- htdocs/langs/es_ES/main.lang | 7 +- htdocs/langs/es_ES/modulebuilder.lang | 4 +- htdocs/langs/es_ES/mrp.lang | 19 +- htdocs/langs/es_ES/orders.lang | 8 +- htdocs/langs/es_ES/other.lang | 7 +- htdocs/langs/es_ES/projects.lang | 6 +- htdocs/langs/es_ES/propal.lang | 4 +- htdocs/langs/es_ES/stocks.lang | 2 + htdocs/langs/es_ES/supplier_proposal.lang | 2 +- htdocs/langs/es_ES/website.lang | 2 +- htdocs/langs/es_ES/withdrawals.lang | 2 +- htdocs/langs/es_HN/main.lang | 1 - htdocs/langs/es_MX/admin.lang | 57 + htdocs/langs/es_MX/bills.lang | 1 + htdocs/langs/es_MX/main.lang | 1 - htdocs/langs/es_MX/orders.lang | 5 + htdocs/langs/es_MX/propal.lang | 2 + htdocs/langs/es_PA/admin.lang | 3 + htdocs/langs/es_PA/main.lang | 1 - htdocs/langs/es_PE/admin.lang | 3 + htdocs/langs/es_PE/bills.lang | 2 +- htdocs/langs/es_PE/main.lang | 1 - htdocs/langs/es_PE/propal.lang | 2 + htdocs/langs/es_PY/main.lang | 1 - htdocs/langs/es_UY/main.lang | 1 - htdocs/langs/es_VE/admin.lang | 3 + htdocs/langs/es_VE/bills.lang | 1 + htdocs/langs/es_VE/main.lang | 1 - htdocs/langs/es_VE/orders.lang | 14 + htdocs/langs/es_VE/propal.lang | 2 + htdocs/langs/et_EE/admin.lang | 24 +- htdocs/langs/et_EE/bills.lang | 4 +- htdocs/langs/et_EE/categories.lang | 4 + htdocs/langs/et_EE/companies.lang | 15 +- htdocs/langs/et_EE/compta.lang | 5 +- htdocs/langs/et_EE/errors.lang | 5 +- htdocs/langs/et_EE/holiday.lang | 2 + htdocs/langs/et_EE/install.lang | 2 + htdocs/langs/et_EE/main.lang | 7 +- htdocs/langs/et_EE/modulebuilder.lang | 4 +- htdocs/langs/et_EE/mrp.lang | 5 +- htdocs/langs/et_EE/orders.lang | 46 +- htdocs/langs/et_EE/other.lang | 7 +- htdocs/langs/et_EE/projects.lang | 8 +- htdocs/langs/et_EE/propal.lang | 7 +- htdocs/langs/et_EE/stocks.lang | 2 + htdocs/langs/eu_ES/admin.lang | 24 +- htdocs/langs/eu_ES/bills.lang | 4 +- htdocs/langs/eu_ES/categories.lang | 4 + htdocs/langs/eu_ES/companies.lang | 15 +- htdocs/langs/eu_ES/compta.lang | 5 +- htdocs/langs/eu_ES/errors.lang | 5 +- htdocs/langs/eu_ES/holiday.lang | 2 + htdocs/langs/eu_ES/install.lang | 2 + htdocs/langs/eu_ES/main.lang | 7 +- htdocs/langs/eu_ES/modulebuilder.lang | 4 +- htdocs/langs/eu_ES/mrp.lang | 5 +- htdocs/langs/eu_ES/orders.lang | 46 +- htdocs/langs/eu_ES/other.lang | 7 +- htdocs/langs/eu_ES/projects.lang | 8 +- htdocs/langs/eu_ES/propal.lang | 7 +- htdocs/langs/eu_ES/stocks.lang | 2 + htdocs/langs/fa_IR/admin.lang | 24 +- htdocs/langs/fa_IR/bills.lang | 4 +- htdocs/langs/fa_IR/categories.lang | 4 + htdocs/langs/fa_IR/companies.lang | 15 +- htdocs/langs/fa_IR/compta.lang | 5 +- htdocs/langs/fa_IR/errors.lang | 5 +- htdocs/langs/fa_IR/holiday.lang | 2 + htdocs/langs/fa_IR/install.lang | 2 + htdocs/langs/fa_IR/main.lang | 7 +- htdocs/langs/fa_IR/modulebuilder.lang | 4 +- htdocs/langs/fa_IR/mrp.lang | 5 +- htdocs/langs/fa_IR/orders.lang | 46 +- htdocs/langs/fa_IR/other.lang | 7 +- htdocs/langs/fa_IR/projects.lang | 8 +- htdocs/langs/fa_IR/propal.lang | 7 +- htdocs/langs/fa_IR/stocks.lang | 2 + htdocs/langs/fi_FI/admin.lang | 28 +- htdocs/langs/fi_FI/banks.lang | 8 +- htdocs/langs/fi_FI/bills.lang | 22 +- htdocs/langs/fi_FI/categories.lang | 4 + htdocs/langs/fi_FI/companies.lang | 15 +- htdocs/langs/fi_FI/compta.lang | 5 +- htdocs/langs/fi_FI/dict.lang | 4 +- htdocs/langs/fi_FI/errors.lang | 5 +- htdocs/langs/fi_FI/holiday.lang | 2 + htdocs/langs/fi_FI/install.lang | 2 + htdocs/langs/fi_FI/mails.lang | 4 +- htdocs/langs/fi_FI/main.lang | 11 +- htdocs/langs/fi_FI/modulebuilder.lang | 4 +- htdocs/langs/fi_FI/mrp.lang | 5 +- htdocs/langs/fi_FI/orders.lang | 8 +- htdocs/langs/fi_FI/other.lang | 7 +- htdocs/langs/fi_FI/projects.lang | 8 +- htdocs/langs/fi_FI/propal.lang | 7 +- htdocs/langs/fi_FI/sendings.lang | 4 +- htdocs/langs/fi_FI/stocks.lang | 2 + htdocs/langs/fr_BE/admin.lang | 1 + htdocs/langs/fr_BE/main.lang | 1 - htdocs/langs/fr_CA/admin.lang | 2 + htdocs/langs/fr_CA/categories.lang | 1 + htdocs/langs/fr_CA/companies.lang | 3 + htdocs/langs/fr_CA/compta.lang | 1 + htdocs/langs/fr_CA/main.lang | 1 - htdocs/langs/fr_CA/orders.lang | 15 +- htdocs/langs/fr_CA/other.lang | 1 - htdocs/langs/fr_CA/propal.lang | 2 - htdocs/langs/fr_CH/main.lang | 1 - htdocs/langs/fr_FR/admin.lang | 22 +- htdocs/langs/fr_FR/bills.lang | 4 +- htdocs/langs/fr_FR/categories.lang | 1 + htdocs/langs/fr_FR/companies.lang | 19 +- htdocs/langs/fr_FR/compta.lang | 1 + htdocs/langs/fr_FR/errors.lang | 5 +- htdocs/langs/fr_FR/holiday.lang | 2 + htdocs/langs/fr_FR/install.lang | 2 + htdocs/langs/fr_FR/main.lang | 3 + htdocs/langs/fr_FR/modulebuilder.lang | 4 +- htdocs/langs/fr_FR/mrp.lang | 7 +- htdocs/langs/fr_FR/orders.lang | 6 +- htdocs/langs/fr_FR/other.lang | 7 +- htdocs/langs/fr_FR/projects.lang | 6 +- htdocs/langs/fr_FR/propal.lang | 5 +- htdocs/langs/fr_FR/stocks.lang | 2 + htdocs/langs/he_IL/admin.lang | 24 +- htdocs/langs/he_IL/bills.lang | 4 +- htdocs/langs/he_IL/categories.lang | 4 + htdocs/langs/he_IL/companies.lang | 15 +- htdocs/langs/he_IL/compta.lang | 5 +- htdocs/langs/he_IL/errors.lang | 5 +- htdocs/langs/he_IL/holiday.lang | 2 + htdocs/langs/he_IL/install.lang | 2 + htdocs/langs/he_IL/main.lang | 7 +- htdocs/langs/he_IL/modulebuilder.lang | 4 +- htdocs/langs/he_IL/mrp.lang | 5 +- htdocs/langs/he_IL/orders.lang | 46 +- htdocs/langs/he_IL/other.lang | 7 +- htdocs/langs/he_IL/projects.lang | 8 +- htdocs/langs/he_IL/propal.lang | 7 +- htdocs/langs/he_IL/stocks.lang | 2 + htdocs/langs/hr_HR/admin.lang | 24 +- htdocs/langs/hr_HR/bills.lang | 4 +- htdocs/langs/hr_HR/categories.lang | 4 + htdocs/langs/hr_HR/companies.lang | 15 +- htdocs/langs/hr_HR/compta.lang | 7 +- htdocs/langs/hr_HR/errors.lang | 5 +- htdocs/langs/hr_HR/holiday.lang | 2 + htdocs/langs/hr_HR/install.lang | 2 + htdocs/langs/hr_HR/main.lang | 7 +- htdocs/langs/hr_HR/modulebuilder.lang | 4 +- htdocs/langs/hr_HR/mrp.lang | 5 +- htdocs/langs/hr_HR/orders.lang | 8 +- htdocs/langs/hr_HR/other.lang | 7 +- htdocs/langs/hr_HR/projects.lang | 8 +- htdocs/langs/hr_HR/propal.lang | 6 +- htdocs/langs/hr_HR/stocks.lang | 2 + htdocs/langs/hu_HU/admin.lang | 24 +- htdocs/langs/hu_HU/bills.lang | 4 +- htdocs/langs/hu_HU/categories.lang | 4 + htdocs/langs/hu_HU/companies.lang | 15 +- htdocs/langs/hu_HU/compta.lang | 5 +- htdocs/langs/hu_HU/errors.lang | 5 +- htdocs/langs/hu_HU/holiday.lang | 2 + htdocs/langs/hu_HU/install.lang | 2 + htdocs/langs/hu_HU/main.lang | 7 +- htdocs/langs/hu_HU/modulebuilder.lang | 4 +- htdocs/langs/hu_HU/mrp.lang | 5 +- htdocs/langs/hu_HU/orders.lang | 46 +- htdocs/langs/hu_HU/other.lang | 7 +- htdocs/langs/hu_HU/projects.lang | 8 +- htdocs/langs/hu_HU/propal.lang | 7 +- htdocs/langs/hu_HU/stocks.lang | 2 + htdocs/langs/id_ID/admin.lang | 24 +- htdocs/langs/id_ID/bills.lang | 4 +- htdocs/langs/id_ID/categories.lang | 4 + htdocs/langs/id_ID/companies.lang | 15 +- htdocs/langs/id_ID/compta.lang | 5 +- htdocs/langs/id_ID/errors.lang | 5 +- htdocs/langs/id_ID/holiday.lang | 2 + htdocs/langs/id_ID/install.lang | 2 + htdocs/langs/id_ID/main.lang | 7 +- htdocs/langs/id_ID/modulebuilder.lang | 4 +- htdocs/langs/id_ID/mrp.lang | 5 +- htdocs/langs/id_ID/orders.lang | 46 +- htdocs/langs/id_ID/other.lang | 7 +- htdocs/langs/id_ID/projects.lang | 8 +- htdocs/langs/id_ID/propal.lang | 7 +- htdocs/langs/id_ID/stocks.lang | 2 + htdocs/langs/is_IS/admin.lang | 24 +- htdocs/langs/is_IS/bills.lang | 4 +- htdocs/langs/is_IS/categories.lang | 4 + htdocs/langs/is_IS/companies.lang | 15 +- htdocs/langs/is_IS/compta.lang | 5 +- htdocs/langs/is_IS/errors.lang | 5 +- htdocs/langs/is_IS/holiday.lang | 2 + htdocs/langs/is_IS/install.lang | 2 + htdocs/langs/is_IS/main.lang | 7 +- htdocs/langs/is_IS/modulebuilder.lang | 4 +- htdocs/langs/is_IS/mrp.lang | 5 +- htdocs/langs/is_IS/orders.lang | 46 +- htdocs/langs/is_IS/other.lang | 7 +- htdocs/langs/is_IS/projects.lang | 8 +- htdocs/langs/is_IS/propal.lang | 7 +- htdocs/langs/is_IS/stocks.lang | 2 + htdocs/langs/it_IT/accountancy.lang | 529 ++-- htdocs/langs/it_IT/admin.lang | 3146 +++++++++++---------- htdocs/langs/it_IT/agenda.lang | 156 +- htdocs/langs/it_IT/banks.lang | 264 +- htdocs/langs/it_IT/bills.lang | 914 +++--- htdocs/langs/it_IT/bookmarks.lang | 1 + htdocs/langs/it_IT/boxes.lang | 86 +- htdocs/langs/it_IT/cashdesk.lang | 84 +- htdocs/langs/it_IT/categories.lang | 6 +- htdocs/langs/it_IT/commercial.lang | 12 +- htdocs/langs/it_IT/companies.lang | 477 ++-- htdocs/langs/it_IT/compta.lang | 461 +-- htdocs/langs/it_IT/cron.lang | 3 +- htdocs/langs/it_IT/deliveries.lang | 24 +- htdocs/langs/it_IT/donations.lang | 42 +- htdocs/langs/it_IT/errors.lang | 349 +-- htdocs/langs/it_IT/holiday.lang | 178 +- htdocs/langs/it_IT/hrm.lang | 1 + htdocs/langs/it_IT/install.lang | 178 +- htdocs/langs/it_IT/interventions.lang | 76 +- htdocs/langs/it_IT/main.lang | 721 ++--- htdocs/langs/it_IT/margins.lang | 48 +- htdocs/langs/it_IT/members.lang | 3 + htdocs/langs/it_IT/modulebuilder.lang | 230 +- htdocs/langs/it_IT/mrp.lang | 39 +- htdocs/langs/it_IT/opensurvey.lang | 24 +- htdocs/langs/it_IT/orders.lang | 230 +- htdocs/langs/it_IT/other.lang | 297 +- htdocs/langs/it_IT/paybox.lang | 18 +- htdocs/langs/it_IT/printing.lang | 4 +- htdocs/langs/it_IT/products.lang | 458 +-- htdocs/langs/it_IT/projects.lang | 336 +-- htdocs/langs/it_IT/propal.lang | 4 +- htdocs/langs/it_IT/receiptprinter.lang | 56 +- htdocs/langs/it_IT/resource.lang | 28 +- htdocs/langs/it_IT/sendings.lang | 106 +- htdocs/langs/it_IT/stocks.lang | 362 +-- htdocs/langs/it_IT/stripe.lang | 126 +- htdocs/langs/it_IT/supplier_proposal.lang | 2 +- htdocs/langs/it_IT/ticket.lang | 426 +-- htdocs/langs/it_IT/users.lang | 3 + htdocs/langs/it_IT/website.lang | 224 +- htdocs/langs/it_IT/workflow.lang | 2 +- htdocs/langs/ja_JP/admin.lang | 24 +- htdocs/langs/ja_JP/bills.lang | 4 +- htdocs/langs/ja_JP/categories.lang | 4 + htdocs/langs/ja_JP/companies.lang | 15 +- htdocs/langs/ja_JP/compta.lang | 5 +- htdocs/langs/ja_JP/errors.lang | 5 +- htdocs/langs/ja_JP/holiday.lang | 2 + htdocs/langs/ja_JP/install.lang | 2 + htdocs/langs/ja_JP/main.lang | 7 +- htdocs/langs/ja_JP/modulebuilder.lang | 4 +- htdocs/langs/ja_JP/mrp.lang | 5 +- htdocs/langs/ja_JP/orders.lang | 46 +- htdocs/langs/ja_JP/other.lang | 7 +- htdocs/langs/ja_JP/projects.lang | 8 +- htdocs/langs/ja_JP/propal.lang | 7 +- htdocs/langs/ja_JP/stocks.lang | 2 + htdocs/langs/ka_GE/admin.lang | 24 +- htdocs/langs/ka_GE/bills.lang | 4 +- htdocs/langs/ka_GE/categories.lang | 4 + htdocs/langs/ka_GE/companies.lang | 15 +- htdocs/langs/ka_GE/compta.lang | 5 +- htdocs/langs/ka_GE/errors.lang | 5 +- htdocs/langs/ka_GE/holiday.lang | 2 + htdocs/langs/ka_GE/install.lang | 2 + htdocs/langs/ka_GE/main.lang | 7 +- htdocs/langs/ka_GE/modulebuilder.lang | 4 +- htdocs/langs/ka_GE/mrp.lang | 5 +- htdocs/langs/ka_GE/orders.lang | 46 +- htdocs/langs/ka_GE/other.lang | 7 +- htdocs/langs/ka_GE/projects.lang | 8 +- htdocs/langs/ka_GE/propal.lang | 7 +- htdocs/langs/ka_GE/stocks.lang | 2 + htdocs/langs/km_KH/main.lang | 7 +- htdocs/langs/km_KH/mrp.lang | 5 +- htdocs/langs/kn_IN/admin.lang | 24 +- htdocs/langs/kn_IN/bills.lang | 4 +- htdocs/langs/kn_IN/categories.lang | 4 + htdocs/langs/kn_IN/companies.lang | 15 +- htdocs/langs/kn_IN/compta.lang | 5 +- htdocs/langs/kn_IN/errors.lang | 5 +- htdocs/langs/kn_IN/holiday.lang | 2 + htdocs/langs/kn_IN/install.lang | 2 + htdocs/langs/kn_IN/main.lang | 7 +- htdocs/langs/kn_IN/modulebuilder.lang | 4 +- htdocs/langs/kn_IN/mrp.lang | 5 +- htdocs/langs/kn_IN/orders.lang | 46 +- htdocs/langs/kn_IN/other.lang | 7 +- htdocs/langs/kn_IN/projects.lang | 8 +- htdocs/langs/kn_IN/propal.lang | 7 +- htdocs/langs/kn_IN/stocks.lang | 2 + htdocs/langs/ko_KR/admin.lang | 24 +- htdocs/langs/ko_KR/bills.lang | 4 +- htdocs/langs/ko_KR/categories.lang | 4 + htdocs/langs/ko_KR/companies.lang | 15 +- htdocs/langs/ko_KR/compta.lang | 5 +- htdocs/langs/ko_KR/errors.lang | 5 +- htdocs/langs/ko_KR/holiday.lang | 2 + htdocs/langs/ko_KR/install.lang | 2 + htdocs/langs/ko_KR/main.lang | 7 +- htdocs/langs/ko_KR/modulebuilder.lang | 4 +- htdocs/langs/ko_KR/mrp.lang | 5 +- htdocs/langs/ko_KR/orders.lang | 46 +- htdocs/langs/ko_KR/other.lang | 7 +- htdocs/langs/ko_KR/projects.lang | 8 +- htdocs/langs/ko_KR/propal.lang | 7 +- htdocs/langs/ko_KR/stocks.lang | 2 + htdocs/langs/lo_LA/admin.lang | 24 +- htdocs/langs/lo_LA/bills.lang | 4 +- htdocs/langs/lo_LA/categories.lang | 4 + htdocs/langs/lo_LA/companies.lang | 15 +- htdocs/langs/lo_LA/compta.lang | 5 +- htdocs/langs/lo_LA/errors.lang | 5 +- htdocs/langs/lo_LA/holiday.lang | 2 + htdocs/langs/lo_LA/install.lang | 2 + htdocs/langs/lo_LA/main.lang | 7 +- htdocs/langs/lo_LA/modulebuilder.lang | 4 +- htdocs/langs/lo_LA/mrp.lang | 5 +- htdocs/langs/lo_LA/orders.lang | 46 +- htdocs/langs/lo_LA/other.lang | 7 +- htdocs/langs/lo_LA/projects.lang | 8 +- htdocs/langs/lo_LA/propal.lang | 7 +- htdocs/langs/lo_LA/stocks.lang | 2 + htdocs/langs/lt_LT/admin.lang | 24 +- htdocs/langs/lt_LT/bills.lang | 4 +- htdocs/langs/lt_LT/categories.lang | 4 + htdocs/langs/lt_LT/companies.lang | 15 +- htdocs/langs/lt_LT/compta.lang | 5 +- htdocs/langs/lt_LT/errors.lang | 5 +- htdocs/langs/lt_LT/holiday.lang | 2 + htdocs/langs/lt_LT/install.lang | 2 + htdocs/langs/lt_LT/main.lang | 7 +- htdocs/langs/lt_LT/modulebuilder.lang | 4 +- htdocs/langs/lt_LT/mrp.lang | 5 +- htdocs/langs/lt_LT/orders.lang | 46 +- htdocs/langs/lt_LT/other.lang | 7 +- htdocs/langs/lt_LT/projects.lang | 8 +- htdocs/langs/lt_LT/propal.lang | 7 +- htdocs/langs/lt_LT/stocks.lang | 2 + htdocs/langs/lv_LV/accountancy.lang | 1 + htdocs/langs/lv_LV/admin.lang | 26 +- htdocs/langs/lv_LV/banks.lang | 8 +- htdocs/langs/lv_LV/bills.lang | 4 +- htdocs/langs/lv_LV/categories.lang | 16 +- htdocs/langs/lv_LV/companies.lang | 15 +- htdocs/langs/lv_LV/compta.lang | 1 + htdocs/langs/lv_LV/errors.lang | 7 +- htdocs/langs/lv_LV/holiday.lang | 2 + htdocs/langs/lv_LV/install.lang | 2 + htdocs/langs/lv_LV/main.lang | 7 +- htdocs/langs/lv_LV/modulebuilder.lang | 6 +- htdocs/langs/lv_LV/mrp.lang | 5 +- htdocs/langs/lv_LV/orders.lang | 8 +- htdocs/langs/lv_LV/other.lang | 7 +- htdocs/langs/lv_LV/projects.lang | 6 +- htdocs/langs/lv_LV/propal.lang | 5 +- htdocs/langs/lv_LV/stocks.lang | 2 + htdocs/langs/lv_LV/supplier_proposal.lang | 4 +- htdocs/langs/lv_LV/ticket.lang | 2 +- htdocs/langs/mk_MK/admin.lang | 24 +- htdocs/langs/mk_MK/bills.lang | 4 +- htdocs/langs/mk_MK/categories.lang | 4 + htdocs/langs/mk_MK/companies.lang | 15 +- htdocs/langs/mk_MK/compta.lang | 5 +- htdocs/langs/mk_MK/errors.lang | 5 +- htdocs/langs/mk_MK/holiday.lang | 2 + htdocs/langs/mk_MK/install.lang | 2 + htdocs/langs/mk_MK/main.lang | 7 +- htdocs/langs/mk_MK/modulebuilder.lang | 4 +- htdocs/langs/mk_MK/mrp.lang | 5 +- htdocs/langs/mk_MK/orders.lang | 8 +- htdocs/langs/mk_MK/other.lang | 7 +- htdocs/langs/mk_MK/projects.lang | 8 +- htdocs/langs/mk_MK/propal.lang | 6 +- htdocs/langs/mk_MK/stocks.lang | 2 + htdocs/langs/mn_MN/admin.lang | 24 +- htdocs/langs/mn_MN/bills.lang | 4 +- htdocs/langs/mn_MN/categories.lang | 4 + htdocs/langs/mn_MN/companies.lang | 15 +- htdocs/langs/mn_MN/compta.lang | 5 +- htdocs/langs/mn_MN/errors.lang | 5 +- htdocs/langs/mn_MN/holiday.lang | 2 + htdocs/langs/mn_MN/install.lang | 2 + htdocs/langs/mn_MN/main.lang | 7 +- htdocs/langs/mn_MN/modulebuilder.lang | 4 +- htdocs/langs/mn_MN/mrp.lang | 5 +- htdocs/langs/mn_MN/orders.lang | 46 +- htdocs/langs/mn_MN/other.lang | 7 +- htdocs/langs/mn_MN/projects.lang | 8 +- htdocs/langs/mn_MN/propal.lang | 7 +- htdocs/langs/mn_MN/stocks.lang | 2 + htdocs/langs/nb_NO/admin.lang | 30 +- htdocs/langs/nb_NO/bills.lang | 32 +- htdocs/langs/nb_NO/categories.lang | 24 +- htdocs/langs/nb_NO/companies.lang | 15 +- htdocs/langs/nb_NO/compta.lang | 1 + htdocs/langs/nb_NO/errors.lang | 11 +- htdocs/langs/nb_NO/holiday.lang | 4 +- htdocs/langs/nb_NO/install.lang | 4 +- htdocs/langs/nb_NO/mails.lang | 2 +- htdocs/langs/nb_NO/main.lang | 13 +- htdocs/langs/nb_NO/modulebuilder.lang | 4 +- htdocs/langs/nb_NO/mrp.lang | 33 +- htdocs/langs/nb_NO/orders.lang | 8 +- htdocs/langs/nb_NO/other.lang | 7 +- htdocs/langs/nb_NO/projects.lang | 8 +- htdocs/langs/nb_NO/propal.lang | 7 +- htdocs/langs/nb_NO/stocks.lang | 4 +- htdocs/langs/nl_BE/admin.lang | 39 + htdocs/langs/nl_BE/bills.lang | 1 + htdocs/langs/nl_BE/companies.lang | 8 +- htdocs/langs/nl_BE/main.lang | 37 +- htdocs/langs/nl_BE/orders.lang | 7 +- htdocs/langs/nl_BE/projects.lang | 14 + htdocs/langs/nl_BE/propal.lang | 1 - htdocs/langs/nl_NL/accountancy.lang | 3 +- htdocs/langs/nl_NL/admin.lang | 24 +- htdocs/langs/nl_NL/agenda.lang | 2 +- htdocs/langs/nl_NL/banks.lang | 2 +- htdocs/langs/nl_NL/bills.lang | 4 +- htdocs/langs/nl_NL/categories.lang | 1 + htdocs/langs/nl_NL/companies.lang | 35 +- htdocs/langs/nl_NL/compta.lang | 1 + htdocs/langs/nl_NL/errors.lang | 5 +- htdocs/langs/nl_NL/holiday.lang | 2 + htdocs/langs/nl_NL/install.lang | 2 + htdocs/langs/nl_NL/main.lang | 7 +- htdocs/langs/nl_NL/modulebuilder.lang | 4 +- htdocs/langs/nl_NL/mrp.lang | 5 +- htdocs/langs/nl_NL/orders.lang | 8 +- htdocs/langs/nl_NL/other.lang | 7 +- htdocs/langs/nl_NL/projects.lang | 8 +- htdocs/langs/nl_NL/propal.lang | 6 +- htdocs/langs/nl_NL/stocks.lang | 2 + htdocs/langs/nl_NL/ticket.lang | 2 +- htdocs/langs/nl_NL/website.lang | 2 +- htdocs/langs/pl_PL/admin.lang | 24 +- htdocs/langs/pl_PL/bills.lang | 4 +- htdocs/langs/pl_PL/categories.lang | 4 + htdocs/langs/pl_PL/companies.lang | 15 +- htdocs/langs/pl_PL/compta.lang | 5 +- htdocs/langs/pl_PL/errors.lang | 5 +- htdocs/langs/pl_PL/holiday.lang | 2 + htdocs/langs/pl_PL/install.lang | 2 + htdocs/langs/pl_PL/main.lang | 9 +- htdocs/langs/pl_PL/modulebuilder.lang | 4 +- htdocs/langs/pl_PL/mrp.lang | 5 +- htdocs/langs/pl_PL/orders.lang | 46 +- htdocs/langs/pl_PL/other.lang | 7 +- htdocs/langs/pl_PL/projects.lang | 8 +- htdocs/langs/pl_PL/propal.lang | 7 +- htdocs/langs/pl_PL/stocks.lang | 2 + htdocs/langs/pl_PL/website.lang | 212 +- htdocs/langs/pt_BR/admin.lang | 32 +- htdocs/langs/pt_BR/agenda.lang | 2 +- htdocs/langs/pt_BR/bills.lang | 2 - htdocs/langs/pt_BR/boxes.lang | 3 + htdocs/langs/pt_BR/cashdesk.lang | 2 + htdocs/langs/pt_BR/categories.lang | 3 + htdocs/langs/pt_BR/companies.lang | 2 +- htdocs/langs/pt_BR/errors.lang | 9 +- htdocs/langs/pt_BR/exports.lang | 3 +- htdocs/langs/pt_BR/holiday.lang | 2 + htdocs/langs/pt_BR/main.lang | 5 +- htdocs/langs/pt_BR/mrp.lang | 21 + htdocs/langs/pt_BR/orders.lang | 25 +- htdocs/langs/pt_BR/other.lang | 2 - htdocs/langs/pt_BR/products.lang | 2 + htdocs/langs/pt_BR/projects.lang | 7 +- htdocs/langs/pt_BR/propal.lang | 6 +- htdocs/langs/pt_BR/stocks.lang | 2 + htdocs/langs/pt_BR/supplier_proposal.lang | 2 +- htdocs/langs/pt_BR/ticket.lang | 5 +- htdocs/langs/pt_PT/admin.lang | 24 +- htdocs/langs/pt_PT/bills.lang | 4 +- htdocs/langs/pt_PT/categories.lang | 4 + htdocs/langs/pt_PT/companies.lang | 15 +- htdocs/langs/pt_PT/compta.lang | 5 +- htdocs/langs/pt_PT/errors.lang | 5 +- htdocs/langs/pt_PT/holiday.lang | 2 + htdocs/langs/pt_PT/install.lang | 2 + htdocs/langs/pt_PT/main.lang | 7 +- htdocs/langs/pt_PT/modulebuilder.lang | 4 +- htdocs/langs/pt_PT/mrp.lang | 5 +- htdocs/langs/pt_PT/orders.lang | 46 +- htdocs/langs/pt_PT/other.lang | 7 +- htdocs/langs/pt_PT/projects.lang | 8 +- htdocs/langs/pt_PT/propal.lang | 7 +- htdocs/langs/pt_PT/stocks.lang | 2 + htdocs/langs/ro_RO/admin.lang | 24 +- htdocs/langs/ro_RO/bills.lang | 4 +- htdocs/langs/ro_RO/categories.lang | 6 +- htdocs/langs/ro_RO/companies.lang | 15 +- htdocs/langs/ro_RO/compta.lang | 1 + htdocs/langs/ro_RO/errors.lang | 5 +- htdocs/langs/ro_RO/holiday.lang | 2 + htdocs/langs/ro_RO/install.lang | 2 + htdocs/langs/ro_RO/main.lang | 7 +- htdocs/langs/ro_RO/modulebuilder.lang | 4 +- htdocs/langs/ro_RO/mrp.lang | 5 +- htdocs/langs/ro_RO/orders.lang | 46 +- htdocs/langs/ro_RO/other.lang | 7 +- htdocs/langs/ro_RO/projects.lang | 8 +- htdocs/langs/ro_RO/propal.lang | 7 +- htdocs/langs/ro_RO/stocks.lang | 2 + htdocs/langs/ru_RU/admin.lang | 24 +- htdocs/langs/ru_RU/bills.lang | 4 +- htdocs/langs/ru_RU/categories.lang | 4 + htdocs/langs/ru_RU/companies.lang | 15 +- htdocs/langs/ru_RU/compta.lang | 5 +- htdocs/langs/ru_RU/errors.lang | 5 +- htdocs/langs/ru_RU/holiday.lang | 2 + htdocs/langs/ru_RU/install.lang | 2 + htdocs/langs/ru_RU/main.lang | 7 +- htdocs/langs/ru_RU/modulebuilder.lang | 4 +- htdocs/langs/ru_RU/mrp.lang | 5 +- htdocs/langs/ru_RU/orders.lang | 46 +- htdocs/langs/ru_RU/other.lang | 7 +- htdocs/langs/ru_RU/projects.lang | 8 +- htdocs/langs/ru_RU/propal.lang | 7 +- htdocs/langs/ru_RU/stocks.lang | 2 + htdocs/langs/sk_SK/admin.lang | 24 +- htdocs/langs/sk_SK/bills.lang | 4 +- htdocs/langs/sk_SK/categories.lang | 4 + htdocs/langs/sk_SK/companies.lang | 15 +- htdocs/langs/sk_SK/compta.lang | 5 +- htdocs/langs/sk_SK/errors.lang | 5 +- htdocs/langs/sk_SK/holiday.lang | 2 + htdocs/langs/sk_SK/install.lang | 2 + htdocs/langs/sk_SK/main.lang | 7 +- htdocs/langs/sk_SK/modulebuilder.lang | 4 +- htdocs/langs/sk_SK/mrp.lang | 5 +- htdocs/langs/sk_SK/orders.lang | 46 +- htdocs/langs/sk_SK/other.lang | 7 +- htdocs/langs/sk_SK/projects.lang | 8 +- htdocs/langs/sk_SK/propal.lang | 7 +- htdocs/langs/sk_SK/stocks.lang | 2 + htdocs/langs/sl_SI/admin.lang | 24 +- htdocs/langs/sl_SI/bills.lang | 4 +- htdocs/langs/sl_SI/categories.lang | 4 + htdocs/langs/sl_SI/companies.lang | 15 +- htdocs/langs/sl_SI/compta.lang | 5 +- htdocs/langs/sl_SI/errors.lang | 5 +- htdocs/langs/sl_SI/holiday.lang | 2 + htdocs/langs/sl_SI/install.lang | 2 + htdocs/langs/sl_SI/main.lang | 7 +- htdocs/langs/sl_SI/modulebuilder.lang | 4 +- htdocs/langs/sl_SI/mrp.lang | 5 +- htdocs/langs/sl_SI/orders.lang | 46 +- htdocs/langs/sl_SI/other.lang | 7 +- htdocs/langs/sl_SI/projects.lang | 8 +- htdocs/langs/sl_SI/propal.lang | 7 +- htdocs/langs/sl_SI/stocks.lang | 2 + htdocs/langs/sq_AL/admin.lang | 24 +- htdocs/langs/sq_AL/bills.lang | 4 +- htdocs/langs/sq_AL/categories.lang | 4 + htdocs/langs/sq_AL/companies.lang | 15 +- htdocs/langs/sq_AL/compta.lang | 5 +- htdocs/langs/sq_AL/errors.lang | 5 +- htdocs/langs/sq_AL/holiday.lang | 2 + htdocs/langs/sq_AL/install.lang | 2 + htdocs/langs/sq_AL/main.lang | 7 +- htdocs/langs/sq_AL/modulebuilder.lang | 4 +- htdocs/langs/sq_AL/mrp.lang | 5 +- htdocs/langs/sq_AL/orders.lang | 46 +- htdocs/langs/sq_AL/other.lang | 7 +- htdocs/langs/sq_AL/projects.lang | 8 +- htdocs/langs/sq_AL/propal.lang | 7 +- htdocs/langs/sq_AL/stocks.lang | 2 + htdocs/langs/sr_RS/admin.lang | 24 +- htdocs/langs/sr_RS/bills.lang | 4 +- htdocs/langs/sr_RS/categories.lang | 4 + htdocs/langs/sr_RS/companies.lang | 15 +- htdocs/langs/sr_RS/compta.lang | 5 +- htdocs/langs/sr_RS/errors.lang | 5 +- htdocs/langs/sr_RS/holiday.lang | 2 + htdocs/langs/sr_RS/install.lang | 2 + htdocs/langs/sr_RS/main.lang | 7 +- htdocs/langs/sr_RS/orders.lang | 46 +- htdocs/langs/sr_RS/other.lang | 7 +- htdocs/langs/sr_RS/projects.lang | 8 +- htdocs/langs/sr_RS/propal.lang | 7 +- htdocs/langs/sr_RS/stocks.lang | 2 + htdocs/langs/sv_SE/admin.lang | 24 +- htdocs/langs/sv_SE/bills.lang | 4 +- htdocs/langs/sv_SE/categories.lang | 8 +- htdocs/langs/sv_SE/companies.lang | 15 +- htdocs/langs/sv_SE/compta.lang | 5 +- htdocs/langs/sv_SE/errors.lang | 5 +- htdocs/langs/sv_SE/holiday.lang | 2 + htdocs/langs/sv_SE/install.lang | 2 + htdocs/langs/sv_SE/main.lang | 7 +- htdocs/langs/sv_SE/modulebuilder.lang | 4 +- htdocs/langs/sv_SE/mrp.lang | 5 +- htdocs/langs/sv_SE/orders.lang | 64 +- htdocs/langs/sv_SE/other.lang | 7 +- htdocs/langs/sv_SE/projects.lang | 8 +- htdocs/langs/sv_SE/propal.lang | 43 +- htdocs/langs/sv_SE/stocks.lang | 2 + htdocs/langs/sw_SW/admin.lang | 24 +- htdocs/langs/sw_SW/bills.lang | 4 +- htdocs/langs/sw_SW/categories.lang | 4 + htdocs/langs/sw_SW/companies.lang | 15 +- htdocs/langs/sw_SW/compta.lang | 5 +- htdocs/langs/sw_SW/errors.lang | 5 +- htdocs/langs/sw_SW/holiday.lang | 2 + htdocs/langs/sw_SW/install.lang | 2 + htdocs/langs/sw_SW/main.lang | 7 +- htdocs/langs/sw_SW/orders.lang | 46 +- htdocs/langs/sw_SW/other.lang | 7 +- htdocs/langs/sw_SW/projects.lang | 8 +- htdocs/langs/sw_SW/propal.lang | 7 +- htdocs/langs/sw_SW/stocks.lang | 2 + htdocs/langs/th_TH/admin.lang | 24 +- htdocs/langs/th_TH/bills.lang | 4 +- htdocs/langs/th_TH/categories.lang | 4 + htdocs/langs/th_TH/companies.lang | 15 +- htdocs/langs/th_TH/compta.lang | 5 +- htdocs/langs/th_TH/errors.lang | 5 +- htdocs/langs/th_TH/holiday.lang | 2 + htdocs/langs/th_TH/install.lang | 2 + htdocs/langs/th_TH/main.lang | 7 +- htdocs/langs/th_TH/modulebuilder.lang | 4 +- htdocs/langs/th_TH/mrp.lang | 5 +- htdocs/langs/th_TH/orders.lang | 46 +- htdocs/langs/th_TH/other.lang | 7 +- htdocs/langs/th_TH/projects.lang | 8 +- htdocs/langs/th_TH/propal.lang | 7 +- htdocs/langs/th_TH/stocks.lang | 2 + htdocs/langs/tr_TR/admin.lang | 24 +- htdocs/langs/tr_TR/bills.lang | 4 +- htdocs/langs/tr_TR/categories.lang | 1 + htdocs/langs/tr_TR/companies.lang | 17 +- htdocs/langs/tr_TR/compta.lang | 5 +- htdocs/langs/tr_TR/donations.lang | 3 +- htdocs/langs/tr_TR/errors.lang | 5 +- htdocs/langs/tr_TR/holiday.lang | 2 + htdocs/langs/tr_TR/install.lang | 2 + htdocs/langs/tr_TR/main.lang | 9 +- htdocs/langs/tr_TR/modulebuilder.lang | 12 +- htdocs/langs/tr_TR/mrp.lang | 9 +- htdocs/langs/tr_TR/orders.lang | 46 +- htdocs/langs/tr_TR/other.lang | 7 +- htdocs/langs/tr_TR/projects.lang | 8 +- htdocs/langs/tr_TR/propal.lang | 7 +- htdocs/langs/tr_TR/stocks.lang | 2 + htdocs/langs/uk_UA/admin.lang | 24 +- htdocs/langs/uk_UA/bills.lang | 4 +- htdocs/langs/uk_UA/categories.lang | 4 + htdocs/langs/uk_UA/companies.lang | 15 +- htdocs/langs/uk_UA/compta.lang | 5 +- htdocs/langs/uk_UA/errors.lang | 5 +- htdocs/langs/uk_UA/holiday.lang | 2 + htdocs/langs/uk_UA/install.lang | 2 + htdocs/langs/uk_UA/main.lang | 7 +- htdocs/langs/uk_UA/modulebuilder.lang | 4 +- htdocs/langs/uk_UA/mrp.lang | 5 +- htdocs/langs/uk_UA/orders.lang | 46 +- htdocs/langs/uk_UA/other.lang | 7 +- htdocs/langs/uk_UA/projects.lang | 8 +- htdocs/langs/uk_UA/propal.lang | 7 +- htdocs/langs/uk_UA/stocks.lang | 2 + htdocs/langs/uz_UZ/admin.lang | 24 +- htdocs/langs/uz_UZ/bills.lang | 4 +- htdocs/langs/uz_UZ/categories.lang | 4 + htdocs/langs/uz_UZ/companies.lang | 15 +- htdocs/langs/uz_UZ/compta.lang | 5 +- htdocs/langs/uz_UZ/errors.lang | 5 +- htdocs/langs/uz_UZ/holiday.lang | 2 + htdocs/langs/uz_UZ/install.lang | 2 + htdocs/langs/uz_UZ/main.lang | 7 +- htdocs/langs/uz_UZ/orders.lang | 46 +- htdocs/langs/uz_UZ/other.lang | 7 +- htdocs/langs/uz_UZ/projects.lang | 8 +- htdocs/langs/uz_UZ/propal.lang | 7 +- htdocs/langs/uz_UZ/stocks.lang | 2 + htdocs/langs/vi_VN/admin.lang | 24 +- htdocs/langs/vi_VN/bills.lang | 4 +- htdocs/langs/vi_VN/categories.lang | 1 + htdocs/langs/vi_VN/companies.lang | 15 +- htdocs/langs/vi_VN/compta.lang | 1 + htdocs/langs/vi_VN/errors.lang | 5 +- htdocs/langs/vi_VN/holiday.lang | 2 + htdocs/langs/vi_VN/install.lang | 2 + htdocs/langs/vi_VN/main.lang | 11 +- htdocs/langs/vi_VN/modulebuilder.lang | 4 +- htdocs/langs/vi_VN/mrp.lang | 5 +- htdocs/langs/vi_VN/orders.lang | 8 +- htdocs/langs/vi_VN/other.lang | 7 +- htdocs/langs/vi_VN/projects.lang | 8 +- htdocs/langs/vi_VN/propal.lang | 4 +- htdocs/langs/vi_VN/stocks.lang | 2 + htdocs/langs/zh_CN/admin.lang | 24 +- htdocs/langs/zh_CN/bills.lang | 4 +- htdocs/langs/zh_CN/categories.lang | 4 + htdocs/langs/zh_CN/companies.lang | 15 +- htdocs/langs/zh_CN/compta.lang | 5 +- htdocs/langs/zh_CN/errors.lang | 5 +- htdocs/langs/zh_CN/holiday.lang | 2 + htdocs/langs/zh_CN/install.lang | 2 + htdocs/langs/zh_CN/main.lang | 7 +- htdocs/langs/zh_CN/modulebuilder.lang | 4 +- htdocs/langs/zh_CN/mrp.lang | 5 +- htdocs/langs/zh_CN/orders.lang | 46 +- htdocs/langs/zh_CN/other.lang | 7 +- htdocs/langs/zh_CN/projects.lang | 8 +- htdocs/langs/zh_CN/propal.lang | 7 +- htdocs/langs/zh_CN/stocks.lang | 2 + htdocs/langs/zh_TW/admin.lang | 50 +- htdocs/langs/zh_TW/agenda.lang | 8 +- htdocs/langs/zh_TW/banks.lang | 8 +- htdocs/langs/zh_TW/bills.lang | 16 +- htdocs/langs/zh_TW/categories.lang | 1 + htdocs/langs/zh_TW/companies.lang | 15 +- htdocs/langs/zh_TW/compta.lang | 1 + htdocs/langs/zh_TW/dict.lang | 30 +- htdocs/langs/zh_TW/errors.lang | 319 +-- htdocs/langs/zh_TW/holiday.lang | 4 +- htdocs/langs/zh_TW/install.lang | 2 + htdocs/langs/zh_TW/main.lang | 27 +- htdocs/langs/zh_TW/members.lang | 4 +- htdocs/langs/zh_TW/modulebuilder.lang | 20 +- htdocs/langs/zh_TW/mrp.lang | 99 +- htdocs/langs/zh_TW/orders.lang | 14 +- htdocs/langs/zh_TW/other.lang | 437 +-- htdocs/langs/zh_TW/projects.lang | 290 +- htdocs/langs/zh_TW/propal.lang | 6 +- htdocs/langs/zh_TW/stocks.lang | 2 + htdocs/langs/zh_TW/stripe.lang | 124 +- htdocs/langs/zh_TW/supplier_proposal.lang | 2 +- htdocs/langs/zh_TW/website.lang | 178 +- htdocs/langs/zh_TW/withdrawals.lang | 204 +- 1012 files changed, 12962 insertions(+), 9300 deletions(-) diff --git a/dev/translation/txpull.sh b/dev/translation/txpull.sh index 664f4cef1f5..3f24bd0912d 100755 --- a/dev/translation/txpull.sh +++ b/dev/translation/txpull.sh @@ -54,3 +54,5 @@ fi echo Think to launch also: echo "> dev/tools/fixaltlanguages.sh fix all" +echo "For v11: Replace also regex \(.*(sponge|cornas|eratosthene|cyan).*\) with ''" + diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang index f1b1aa9c716..b318dc51d29 100644 --- a/htdocs/langs/ar_SA/admin.lang +++ b/htdocs/langs/ar_SA/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=فواتير Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=المحررين @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke التكامل Module240Name=بيانات الصادرات -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=بيانات الاستيراد -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=أعضاء Module310Desc=أعضاء إدارة المؤسسة Module320Name=تغذية RSS @@ -878,7 +878,7 @@ Permission1251=ادارة الدمار الواردات الخارجية الب Permission1321=تصدير العملاء والفواتير والمدفوعات والصفات Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=الإجراءات قراءة (أحداث أو المهام) للاخرين @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=انظر الى إرسال البريد الإعداد المحلي BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=وقد ولدت وينبغي التخلص من الملفات المخزنة في مكان آمن. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=استيراد MySQL ForcedToByAModule= هذه القاعدة %s الى جانب تفعيل وحدة PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=يجب تشغيل هذا الأمر من سطر الأوامر بعد تسجيل الدخول إلى قذيفة مع المستخدم %s أو يجب عليك إضافة خيار -w في نهاية سطر الأوامر لتوفير %s كلمة المرور. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=طبعة من ميدان%s FillThisOnlyIfRequired=مثال: +2 (ملء إلا إذا تعوض توقيت المشاكل من ذوي الخبرة) GetBarCode=الحصول على الباركود +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=عودة كلمة سر ولدت الداخلية وفقا لخوارزمية Dolibarr : 8 أحرف مشتركة تتضمن الأرقام والحروف في حرف صغير. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=نموذج متعدد شركة الإعداد ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=عتبة -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=تركيب وحدة خارجية غير ممكن من واجهة ويب للسبب التالي: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=تثبيت وحدة خارجية من التطبيق قد تم تعطيلها من قبل المسؤول. يجب أن يطلب منه إزالة الملف٪ s للسماح هذه الميزة. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/ar_SA/bills.lang b/htdocs/langs/ar_SA/bills.lang index dfa172a250c..40a85e1d441 100644 --- a/htdocs/langs/ar_SA/bills.lang +++ b/htdocs/langs/ar_SA/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=مقدار متغير (٪٪ TOT). VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=طوابع الواردات YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=نموذج فاتورة Crabe. نموذج الفاتورة كاملة (دعم الخيار الضريبة على القيمة المضافة ، والخصومات ، وشروط الدفع ، والشعار ، الخ..) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=عودة عدد مع الشكل syymm NNNN عن الفواتير القياسية و٪ syymm-NNNN لتلاحظ الائتمان حيث هو YY العام٪، مم هو الشهر وnnnn هو تسلسل مع أي انقطاع وعدم العودة إلى 0 diff --git a/htdocs/langs/ar_SA/categories.lang b/htdocs/langs/ar_SA/categories.lang index bfcdc367387..daf146c9b2c 100644 --- a/htdocs/langs/ar_SA/categories.lang +++ b/htdocs/langs/ar_SA/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=علامات / فئات جهات الاتصال  AccountsCategoriesShort=علامات / فئات الحسابات  ProjectsCategoriesShort=علامات / فئات المشاريع  UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=لا تحتوي هذه الفئة على أي منتج. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=لا تحتوي هذه الفئة على أي عميل. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=أضف المنتج / الخدمة التالية ShowCategory=إظهار العلامة / الفئة ByDefaultInList=افتراضيا في القائمة ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ar_SA/companies.lang b/htdocs/langs/ar_SA/companies.lang index 1c7844fb7c2..53e87a2729f 100644 --- a/htdocs/langs/ar_SA/companies.lang +++ b/htdocs/langs/ar_SA/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=الأستاذ رقم 1 (OGRN) ProfId2RU=الأستاذ رقم 2 (INN) ProfId3RU=الأستاذ رقم 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=اتصالاتي Capital=رأس المال CapitalOf=ق ٪ من رأس المال EditCompany=تحرير الشركة -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=فحص VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=المنظمة FiscalYearInformation=Fiscal Year FiscalMonthStart=ابتداء من شهر من السنة المالية +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/ar_SA/compta.lang b/htdocs/langs/ar_SA/compta.lang index d06fefd2700..49d7e5054c9 100644 --- a/htdocs/langs/ar_SA/compta.lang +++ b/htdocs/langs/ar_SA/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=مشتريات IRPF LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=جمعت ضريبة القيمة المضافة -ToPay=دفع +StatusToPay=دفع SpecialExpensesArea=منطقة لجميع المدفوعات الخاصة SocialContribution=الضريبة الاجتماعية أو المالية SocialContributions=الضرائب الاجتماعية أو المالية @@ -112,7 +112,7 @@ ShowVatPayment=وتظهر دفع ضريبة القيمة المضافة TotalToPay=على دفع ما مجموعه 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=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=الزبون. حساب. رمز SupplierAccountancyCodeShort=سوب. حساب. رمز AccountNumber=رقم الحساب @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=التسمية قصيرة diff --git a/htdocs/langs/ar_SA/errors.lang b/htdocs/langs/ar_SA/errors.lang index 38c9b71ce4e..c7950665739 100644 --- a/htdocs/langs/ar_SA/errors.lang +++ b/htdocs/langs/ar_SA/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=لا يستطيع المستخدم الدخول مع ErrorLoginHasNoEmail=هذا المستخدم ليس لديه عنوان البريد الإلكتروني. إحباط عملية. ErrorBadValueForCode=سيئة قيمة لرمز الحماية. حاول مرة أخرى مع القيمة الجديدة ... ErrorBothFieldCantBeNegative=ويمكن لحقول %s و%s لا تكون سلبية -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=كمية لخط في فواتير العملاء لا يمكن أن يكون سلبيا ErrorWebServerUserHasNotPermission=%s تستخدم حساب مستخدم لتنفيذ خادم الويب لا يوجد لديه إذن لذلك ErrorNoActivatedBarcode=لا يوجد نوع الباركود تفعيلها @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=تم تعيين كلمة مرور لهذا العضو. ومع ذلك، تم إنشاء أي حساب المستخدم. لذلك يتم تخزين كلمة المرور هذه ولكن لا يمكن استخدامها للدخول إلى Dolibarr. ويمكن استخدامه من قبل وحدة / واجهة خارجية ولكن إذا كنت لا تحتاج إلى تعريف أي تسجيل دخول أو كلمة المرور لأحد أفراد، يمكنك تعطيل خيار "إدارة تسجيل دخول لكل عضو" من إعداد وحدة الأعضاء. إذا كنت بحاجة إلى إدارة تسجيل الدخول ولكن لا تحتاج إلى أي كلمة المرور، يمكنك الحفاظ على هذا الحقل فارغا لتجنب هذا التحذير. ملاحظة: يمكن أيضا أن تستخدم البريد الإلكتروني لتسجيل الدخول إذا تم ربط عضو إلى المستخدم. diff --git a/htdocs/langs/ar_SA/holiday.lang b/htdocs/langs/ar_SA/holiday.lang index 092673266f2..9884a2c3893 100644 --- a/htdocs/langs/ar_SA/holiday.lang +++ b/htdocs/langs/ar_SA/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=عدد أيام عطلة تستهلك +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=تحرير diff --git a/htdocs/langs/ar_SA/install.lang b/htdocs/langs/ar_SA/install.lang index f97542367bd..48e1bc487bd 100644 --- a/htdocs/langs/ar_SA/install.lang +++ b/htdocs/langs/ar_SA/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=تم إعداد الجلسة الزمنية للذاكرة في PHP الى %s . من المفترض ان تكون كافية. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=دليل ٪ ق لا يوجد. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=قد تكون لديكم مطبوعة خاطئة قيمة معلمة '٪ ق. diff --git a/htdocs/langs/ar_SA/main.lang b/htdocs/langs/ar_SA/main.lang index 734469be1e3..af8e3a3c548 100644 --- a/htdocs/langs/ar_SA/main.lang +++ b/htdocs/langs/ar_SA/main.lang @@ -471,7 +471,7 @@ TotalDuration=المدة الإجمالية Summary=ملخص DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=متاح NotYetAvailable=لم تتوفر بعد NotAvailable=غير متوفر @@ -1005,7 +1005,7 @@ ContactDefault_contrat=العقد ContactDefault_facture=فاتورة ContactDefault_fichinter=التدخل ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=المشروع ContactDefault_project_task=مهمة ContactDefault_propal=مقترح @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/ar_SA/modulebuilder.lang b/htdocs/langs/ar_SA/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/ar_SA/modulebuilder.lang +++ b/htdocs/langs/ar_SA/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/ar_SA/mrp.lang b/htdocs/langs/ar_SA/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/ar_SA/mrp.lang +++ b/htdocs/langs/ar_SA/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/ar_SA/orders.lang b/htdocs/langs/ar_SA/orders.lang index 8b1bd000c58..a610da6ce30 100644 --- a/htdocs/langs/ar_SA/orders.lang +++ b/htdocs/langs/ar_SA/orders.lang @@ -11,6 +11,7 @@ OrderDate=من أجل التاريخ OrderDateShort=من أجل التاريخ OrderToProcess=من أجل عملية NewOrder=النظام الجديد +NewOrderSupplier=New Purchase Order ToOrder=ومن أجل جعل MakeOrder=ومن أجل جعل SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=ألغى StatusOrderDraftShort=مسودة StatusOrderValidatedShort=صادق @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=تم التوصيل StatusOrderToBillShort=على مشروع قانون StatusOrderApprovedShort=وافق StatusOrderRefusedShort=رفض -StatusOrderBilledShort=المنقار StatusOrderToProcessShort=لعملية StatusOrderReceivedPartiallyShort=تلقى جزئيا StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=تجهيز StatusOrderToBill=على مشروع قانون StatusOrderApproved=وافق StatusOrderRefused=رفض -StatusOrderBilled=المنقار StatusOrderReceivedPartially=تلقى جزئيا StatusOrderReceivedAll=All products received ShippingExist=شحنة موجود @@ -68,8 +69,9 @@ ValidateOrder=من أجل التحقق من صحة UnvalidateOrder=Unvalidate النظام DeleteOrder=من أجل حذف CancelOrder=من أجل إلغاء -OrderReopened= ترتيب%s إعادة فتح +OrderReopened= Order %s re-open AddOrder=إنشاء النظام +AddPurchaseOrder=Create purchase order AddToDraftOrders=إضافة إلى مشروع النظام ShowOrder=وتبين من أجل OrdersOpened=أوامر لمعالجة @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=على الانترنت OrderByPhone=هاتف # Documents models -PDFEinsteinDescription=من أجل نموذج كامل (logo...) -PDFEratostheneDescription=من أجل نموذج كامل (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=نموذج النظام بسيطة -PDFProformaDescription=فاتورة أولية كاملة (شعار ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=أوامر بيل NoOrdersToInvoice=لا أوامر فوترة CloseProcessedOrdersAutomatically=تصنيف "المصنعة" جميع أوامر المحدد. @@ -152,7 +154,35 @@ OrderCreated=وقد تم إنشاء طلباتكم OrderFail=حدث خطأ أثناء إنشاء طلباتكم CreateOrders=إنشاء أوامر ToBillSeveralOrderSelectCustomer=لإنشاء فاتورة لعدة أوامر، انقر أولا على العملاء، ثم اختر "٪ الصورة". -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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=ألغيت +StatusSupplierOrderDraftShort=مسودة +StatusSupplierOrderValidatedShort=التحقق من صحة +StatusSupplierOrderSentShort=في عملية +StatusSupplierOrderSent=شحنة في عملية +StatusSupplierOrderOnProcessShort=أمر +StatusSupplierOrderProcessedShort=معالجة +StatusSupplierOrderDelivered=تم التوصيل +StatusSupplierOrderDeliveredShort=تم التوصيل +StatusSupplierOrderToBillShort=تم التوصيل +StatusSupplierOrderApprovedShort=وافق +StatusSupplierOrderRefusedShort=رفض +StatusSupplierOrderToProcessShort=لعملية +StatusSupplierOrderReceivedPartiallyShort=تلقى جزئيا +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=ألغيت +StatusSupplierOrderDraft=مشروع (يجب التحقق من صحة) +StatusSupplierOrderValidated=التحقق من صحة +StatusSupplierOrderOnProcess=أمر - استقبال الاستعداد +StatusSupplierOrderOnProcessWithValidation=أمر - استقبال الاستعداد أو التحقق من صحة +StatusSupplierOrderProcessed=معالجة +StatusSupplierOrderToBill=تم التوصيل +StatusSupplierOrderApproved=وافق +StatusSupplierOrderRefused=رفض +StatusSupplierOrderReceivedPartially=تلقى جزئيا +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/ar_SA/other.lang b/htdocs/langs/ar_SA/other.lang index 7964a4b8507..3014d9ca7ba 100644 --- a/htdocs/langs/ar_SA/other.lang +++ b/htdocs/langs/ar_SA/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=أعضاء في إدارة مؤسسة DemoFundation2=إدارة وأعضاء في الحساب المصرفي للمؤسسة DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=تدير متجر مع مكتب النقدية -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=أوجدتها ٪ ق ModifiedBy=المعدلة ق ٪ @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=العنوان WEBSITE_DESCRIPTION=الوصف WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/ar_SA/projects.lang b/htdocs/langs/ar_SA/projects.lang index 13207420674..1971388ff24 100644 --- a/htdocs/langs/ar_SA/projects.lang +++ b/htdocs/langs/ar_SA/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=فعالة لمدة ProgressDeclared=أعلن التقدم TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=تقدم تحسب @@ -249,9 +249,13 @@ TimeSpentForInvoice=قضى وقتا OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=فاتورة جديدة +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/ar_SA/propal.lang b/htdocs/langs/ar_SA/propal.lang index 4b2636ea0e0..48993553455 100644 --- a/htdocs/langs/ar_SA/propal.lang +++ b/htdocs/langs/ar_SA/propal.lang @@ -28,7 +28,7 @@ ShowPropal=وتظهر اقتراح PropalsDraft=المسودات PropalsOpened=فتح PropalStatusDraft=مشروع (لا بد من التحقق من صحة) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=صادق (اقتراح فتح) PropalStatusSigned=وقعت (لمشروع القانون) PropalStatusNotSigned=لم يتم التوقيع (مغلقة) PropalStatusBilled=فواتير @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=الزبون فاتورة الاتصال TypeContact_propal_external_CUSTOMER=اتصل العملاء اقتراح متابعة TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=اقتراح نموذج كامل (logo...) -DocModelCyanDescription=اقتراح نموذج كامل (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=إنشاء نموذج افتراضي DefaultModelPropalToBill=القالب الافتراضي عند إغلاق الأعمال المقترح (أن الفاتورة) DefaultModelPropalClosed=القالب الافتراضي عند إغلاق الأعمال المقترح (فواتير) ProposalCustomerSignature=قبول كتابي، ختم الشركة والتاريخ والتوقيع ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/ar_SA/stocks.lang b/htdocs/langs/ar_SA/stocks.lang index a57ae3e3ca9..9f341982eb5 100644 --- a/htdocs/langs/ar_SA/stocks.lang +++ b/htdocs/langs/ar_SA/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=حركة المخزون أو كود IsInPackage=الواردة في حزمة WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=مشاهدة مستودع MovementCorrectStock=تصحيح الأسهم للمنتج٪ الصورة MovementTransferStock=نقل الأسهم من الناتج٪ الصورة إلى مستودع آخر @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/bg_BG/accountancy.lang b/htdocs/langs/bg_BG/accountancy.lang index 78293dfae08..7b16a4751b8 100644 --- a/htdocs/langs/bg_BG/accountancy.lang +++ b/htdocs/langs/bg_BG/accountancy.lang @@ -5,7 +5,7 @@ ACCOUNTING_EXPORT_SEPARATORCSV=Разделител на колони в екс ACCOUNTING_EXPORT_DATE=Формат на дата в експортен файл ACCOUNTING_EXPORT_PIECE=Експортиране на пореден номер ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Експортиране с глобална сметка -ACCOUNTING_EXPORT_LABEL=Етикет на експортиране +ACCOUNTING_EXPORT_LABEL=Име на експортиране ACCOUNTING_EXPORT_AMOUNT=Сума за експортиране ACCOUNTING_EXPORT_DEVISE=Валута за експортиране Selectformat=Изберете формата за файла @@ -26,7 +26,7 @@ BackToChartofaccounts=Връщане към сметкоплана Chartofaccounts=Сметкоплан CurrentDedicatedAccountingAccount=Текуща специална сметка AssignDedicatedAccountingAccount=Нова сметка за присвояване -InvoiceLabel=Етикет за фактура +InvoiceLabel=Име за фактура OverviewOfAmountOfLinesNotBound=Преглед на количеството редове, които не са обвързани със счетоводна сметка OverviewOfAmountOfLinesBound=Преглед на количеството редове, които вече са свързани към счетоводна сметка OtherInfo=Друга информация @@ -86,7 +86,7 @@ Addanaccount=Добавяне на счетоводна сметка AccountAccounting=Счетоводна сметка AccountAccountingShort=Сметка SubledgerAccount=Счетоводна сметка -SubledgerAccountLabel=Етикет на счетоводна сметка +SubledgerAccountLabel=Име на счетоводна сметка ShowAccountingAccount=Показване на счетоводна сметка ShowAccountingJournal=Показване на счетоводен журнал AccountAccountingSuggest=Предложена счетоводна сметка @@ -113,7 +113,7 @@ ValidTransaction=Валидиране на транзакция WriteBookKeeping=Регистриране на транзакции в главната счетоводна книга Bookkeeping=Главна счетоводна книга AccountBalance=Салдо по сметка -ObjectsRef=Реф. източник на обект +ObjectsRef=Обект № CAHTF=Обща покупка от доставчик преди ДДС TotalExpenseReport=Общ разходен отчет InvoiceLines=Редове на фактури за свързване @@ -179,13 +179,13 @@ ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Счетоводна сметка по п Doctype=Вид документ Docdate=Дата Docref=Референция -LabelAccount=Етикет на сметка -LabelOperation=Етикет на операция +LabelAccount=Име на сметка +LabelOperation=Име на операция Sens=Значение LetteringCode=Буквен код Lettering=Означение Codejournal=Журнал -JournalLabel=Етикет на журнал +JournalLabel=Име на журнал NumPiece=Пореден номер TransactionNumShort=Транзакция № AccountingCategory=Персонализирани групи @@ -224,6 +224,7 @@ ListAccounts=Списък на счетоводни сметки UnknownAccountForThirdparty=Неизвестна сметна на контрагент. Ще използваме %s UnknownAccountForThirdpartyBlocking=Неизвестна сметка на контрагент. Блокираща грешка. ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Сметката на контрагента не е определена или контрагента е неизвестен. Ще използваме %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Неизвестен контрагент или недефинирана счетоводна сметка за това плащане. Ще запазим счетоводната сметка без стойност. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Сметката на контрагента не е определена или контрагента е неизвестен. Блокираща грешка. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Неизвестна сметка на контрагент и сметка за изчакване не са определени. Блокираща грешка. PaymentsNotLinkedToProduct=Плащането не е свързано с нито един продукт / услуга diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang index d760fd2a8dd..92c3573b67d 100644 --- a/htdocs/langs/bg_BG/admin.lang +++ b/htdocs/langs/bg_BG/admin.lang @@ -49,13 +49,13 @@ InternalUser=Вътрешен потребител ExternalUser=Външен потребител InternalUsers=Вътрешни потребители ExternalUsers=Външни потребители -GUISetup=Екран +GUISetup=Интерфейс SetupArea=Настройки UploadNewTemplate=Качване на нов(и) шаблон(и) FormToTestFileUploadForm=Формуляр за тестване на качването на файлове (според настройката) IfModuleEnabled=Забележка: Ефективно е само ако модула %s е активиран -RemoveLock=Премахнете / преименувайте файла %s , ако съществува, за да разрешите използването на инструмента за инсталиране / актуализиране. -RestoreLock=Възстановете файла %s само с права за четене, за да забраните по-нататъшното използване на инструмента за инсталиране / актуализиране. +RemoveLock=Премахнете / преименувайте файла %s, ако съществува, за да разрешите използването на инструмента за инсталиране / актуализиране. +RestoreLock=Възстановете файла %s с права само за четене, за да забраните по-нататъшното използване на инструмента за инсталиране / актуализиране. SecuritySetup=Настройки на сигурността SecurityFilesDesc=Дефинирайте тук параметрите, свързани със сигурността, относно качването на файлове. ErrorModuleRequirePHPVersion=Грешка, този модул изисква PHP версия %s или по-висока. @@ -297,8 +297,8 @@ MAIN_MAIL_DEFAULT_FROMTYPE=Имейл на подателя по подразб UserEmail=Имейл на потребител CompanyEmail=Имейл на фирмата FeatureNotAvailableOnLinux=Функцията не е налична в Unix подобни системи. Тествайте вашата програма Sendmail локално. -SubmitTranslation=Ако преводът за този език не е завършен или сте открили грешки, може да ги коригирате като редактирате файловете в директорията langs/ %s и предоставите вашите промени в www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=Ако преводът за този език не е завършен или ако сте открили грешки, може да коригирате това, като редактирате файлове в директорията langs/ %s и предоставите вашите промени на dolibarr.org/forum или за разработчици на github.com/Dolibarr/dolibarr. +SubmitTranslation=Ако преводът за този език не е завършен или сте открили грешки, може да ги коригирате като редактирате файловете в директорията langs/%s и предоставите вашите промени в www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslationENUS=Ако преводът за този език не е завършен или ако сте открили грешки, може да коригирате това, като редактирате файловете в директорията langs/%s и предоставите вашите промени на dolibarr.org/forum или за разработчици на github.com/Dolibarr/dolibarr. ModuleSetup=Настройка на модул ModulesSetup=Настройка на Модули / Приложения ModuleFamilyBase=Система @@ -330,7 +330,7 @@ InfDirAlt=От версия 3 е възможно да се дефинира а InfDirExample=
След това я декларирайте във файла conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
Ако тези редове започват с коментар '#', за да ги включите просто премахнете '#' символа. YouCanSubmitFile=Освен това може да качите архивния .zip файл CurrentVersion=Текуща версия на Dolibarr -CallUpdatePage=Прегледайте страницата, която актуализира структурата на базата данни и данните: %s. +CallUpdatePage=Отидете в страницата, която актуализира структурата на базата данни и самите данни: %s LastStableVersion=Последна стабилна версия LastActivationDate=Последна дата на активиране LastActivationAuthor=Последен автор на активирането @@ -390,7 +390,7 @@ PDFRulesForSalesTax=Правила за данък върху продажбит PDFLocaltax=Правила за %s HideLocalTaxOnPDF=Скриване на %s ставка в колоната ДДС HideDescOnPDF=Скриване на описанието на продукти -HideRefOnPDF=Скриване на реф. номер на продукти +HideRefOnPDF=Скриване на продуктови номера HideDetailsOnPDF=Скриване на подробности за продуктовите линии PlaceCustomerAddressToIsoLocation=Използвайте френска стандартна позиция (La Poste) за позиция на клиентския адрес Library=Библиотека @@ -456,7 +456,7 @@ ConfirmEraseAllCurrentBarCode=Сигурни ли сте че, искате да AllBarcodeReset=Всички стойности на баркода са премахнати NoBarcodeNumberingTemplateDefined=Няма активиран баркод шаблон за номериране в настройката на баркод модула. EnableFileCache=Активиране на файлово кеширане -ShowDetailsInPDFPageFoot=Добавете още подробности във футъра, като адрес на компанията или името на управителя (в допълнение към професионалните идентификационни номера, капитала на компанията и идентификационния номер по ДДС). +ShowDetailsInPDFPageFoot=Добавяне на подробности във футъра като адрес на фирма или име на управител (в допълнение към професионалните идентификатори, капитала на фирмата и идентификационния номер по ДДС) NoDetails=Няма допълнителни подробности във футъра DisplayCompanyInfo=Показване на фирмения адрес DisplayCompanyManagers=Показване на името на управителя @@ -519,7 +519,7 @@ Module25Desc=Управление на поръчки за продажба Module30Name=Фактури Module30Desc=Управление на фактури и кредитни известия към клиенти. Управление на фактури и кредитни известия от доставчици Module40Name=Доставчици -Module40Desc=Управление на доставчици и покупки (поръчки за покупка и фактуриране) +Module40Desc=Управление на доставчици и покупки (поръчки за покупка и фактури от доставчици) Module42Name=Журнали за отстраняване на грешки Module42Desc=Инструменти за регистриране (файл, syslog, ...). Дневници за технически цели и отстраняване на грешки. Module49Name=Редактори @@ -561,9 +561,9 @@ Module200Desc=Синхронизиране на LDAP директория Module210Name=PostNuke Module210Desc=Интегриране на PostNuke Module240Name=Експорт на данни -Module240Desc=Инструмент за експортиране на данни от Dolibarr (с асистенти) +Module240Desc=Инструмент за експортиране на данни от Dolibarr (с асистенция) Module250Name=Импорт на данни -Module250Desc=Инструмент за импортиране на данни в Dolibarr (с асистенти) +Module250Desc=Инструмент за импортиране на данни в Dolibarr (с асистенция) Module310Name=Членове Module310Desc=Управление на членове на организация Module320Name=RSS емисия @@ -878,13 +878,13 @@ Permission1251=Извършване на масово импортиране н Permission1321=Експортиране на фактури за продажба, атрибути и плащания Permission1322=Повторно отваряне на платена фактура Permission1421=Експортиране на поръчки за продажба и атрибути -Permission2401=Преглед на действия (събития или задачи), свързани с профила на потребителя (ако е собственик на събитие) -Permission2402=Създаване / променяне на действия (събития или задачи), свързани с профила на потребителя (ако е собственик на събитие) -Permission2403=Изтриване на действия (събития или задачи), свързани с профила на потребителя (ако е собственик на събитие) -Permission2411=Преглед на действия (събития или задачи), свързани с профили на други потребители -Permission2412=Създаване / променя на действия (събития или задачи), свързани с профили на други потребители -Permission2413=Изтриване на действия (събития или задачи), свързани с профили на други потребители -Permission2414=Експортиране на действия / задачи на други лица +Permission2401=Преглед на действия (събития или задачи), свързани с потребителя (ако е собственик на събитие или му е възложено) +Permission2402=Създаване / променяне на действия (събития или задачи), свързани с потребителя (ако е собственик на събитие) +Permission2403=Изтриване на действия (събития или задачи), свързани с потребителя (ако е собственик на събитие) +Permission2411=Преглед на действия (събития или задачи), свързани с други потребители +Permission2412=Създаване / променяне на действия (събития или задачи), свързани с други потребители +Permission2413=Изтриване на действия (събития или задачи), свързани с други потребители +Permission2414=Експортиране на действия / задачи на други потребители Permission2501=Преглед / изтегляне на документи Permission2502=Изтегляне на документи Permission2503=Изпращане или изтриване на документи @@ -1015,9 +1015,9 @@ CalcLocaltax2=Покупки CalcLocaltax2Desc=Справки за местни данъци се определят, чрез размера на местни данъци от общи покупки CalcLocaltax3=Продажби CalcLocaltax3Desc=Справки за местни данъци се определят, чрез размера на местни данъци от общи продажби -LabelUsedByDefault=Етикет, използван по подразбиране, ако не може да бъде намерен превод за кода -LabelOnDocuments=Етикет на документи -LabelOrTranslationKey=Етикет или ключ за превод +LabelUsedByDefault=Име, използвано по подразбиране, ако не може да бъде намерен превод за кода +LabelOnDocuments=Текст в документи +LabelOrTranslationKey=Име или ключ за превод ValueOfConstantKey=Стойност на константа NbOfDays=Брой дни AtEndOfMonth=В края на месеца @@ -1049,7 +1049,7 @@ Host=Сървър DriverType=Тип драйвер SummarySystem=Резюме на системна информация SummaryConst=Списък на всички параметри за настройка на Dolibarr -MenuCompanySetup=Компания / Организация +MenuCompanySetup=Фирма / Организация DefaultMenuManager= Стандартен мениджър на меню DefaultMenuSmartphoneManager=Мениджър на меню за смартфон Skin=Тема на интерфейса @@ -1086,7 +1086,7 @@ BankModuleNotActive=Модулът за банкови сметки не е ак ShowBugTrackLink=Показване на връзка "%s" Alerts=Сигнали DelaysOfToleranceBeforeWarning=Закъснение преди показване на предупредителен сигнал за: -DelaysOfToleranceDesc=Задаване на закъснение, преди на екрана да се покаже иконата за предупреждение %s на закъснелия елемент. +DelaysOfToleranceDesc=Задаване на закъснение, преди на екрана да се покаже иконата за предупреждение %s за закъснелия елемент. Delays_MAIN_DELAY_ACTIONS_TODO=Планирани събития (събития в календара), които не са завършени Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Проект, който не е затворен навреме Delays_MAIN_DELAY_TASKS_TODO=Планирана задача (задача от проект), която не е завършена @@ -1108,7 +1108,7 @@ SetupDescription2=Следните две секции са задължител SetupDescription3=%s ->%s
Основни параметри, използвани за персонализиране на поведението по подразбиране на вашето приложение (например за функции, свързани със държавата). SetupDescription4=%s ->%s
Този софтуер е набор от много модули / приложения, всички повече или по-малко независими. Модулите, съответстващи на вашите нужди, трябва да бъдат активирани и конфигурирани. В менютата се добавят нови елементи / опции с активирането на модул. SetupDescription5=Менюто "Други настройки" управлява допълнителни параметри. -LogEvents=Събития за одит на сигурността +LogEvents=Събития за проверка на сигурността Audit=Проверка InfoDolibarr=За Dolibarr InfoBrowser=За браузъра @@ -1119,8 +1119,8 @@ InfoPHP=За PHP InfoPerf=За производителността BrowserName=Име на браузъра BrowserOS=OS на браузъра -ListOfSecurityEvents=Списък на събития за сигурност в Dolibarr -SecurityEventsPurged=Събитията със сигурността са премахнати +ListOfSecurityEvents=Списък на събития относно сигурността в Dolibarr +SecurityEventsPurged=Събитията относно сигурността са премахнати LogEventDesc=Активиране на регистрирането за конкретни събития за сигурност. Администриране на записаните събития, чрез меню %s - %s. Внимание, тази функция може да генерира голямо количество данни в базата данни. AreaForAdminOnly=Параметрите за настройка могат да се задават само от Администратори. SystemInfoDesc=Системната информация е различна техническа информация, която получавате в режим само за четене и е видима само за администратори. @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Не е регистрирано събитие свърз NoEventFoundWithCriteria=Не е намерено събитие свързано със сигурността по тези параметри за търсене. SeeLocalSendMailSetup=Вижте локалната си настройка за Sendmail BackupDesc=Пълното архивиране на Dolibarr инсталация се извършва в две стъпки. -BackupDesc2=Архивиране на съдържанието в директорията "documents" (%s), съдържаща всички ръчно добавени и генерирани файлове. Това също така ще включва всички архивирани файлове, генерирани в Стъпка 1. +BackupDesc2=Архивиране на съдържанието в директорията "documents" (%s), съдържаща всички качени и генерирани файлове. Това включва всички dump файлове, генерирани в стъпка 1. Тази операция може да продължи няколко минути. BackupDesc3=Архивиране на структурата и съдържанието на база данни (%s) в архивен файл. За тази цел може да използвате следния асистент. BackupDescX=Архивиращата директория трябва да се съхранява на сигурно място. BackupDescY=Генерираният дъмп файл трябва да се съхранява на сигурно място. @@ -1167,6 +1167,7 @@ RestoreDesc3=Възстановете структурата на базата RestoreMySQL=Импортиране на MySQL ForcedToByAModule= Това правило е принудено да %s, чрез активиран модул PreviousDumpFiles=Съществуващи архивни файлове +PreviousArchiveFiles=Съществуващи архивни файлове WeekStartOnDay=Първи ден от седмицата RunningUpdateProcessMayBeRequired=Актуализацията изглежда задължителна (версията на програмата %s се различава от версията на базата данни %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Трябва да изпълните тази команда от командния ред след влизане в shell с потребител %s или трябва да добавите опция -W в края на командния ред, за да се предостави %s парола. @@ -1216,7 +1217,7 @@ SendmailOptionMayHurtBuggedMTA=Функцията за изпращане на TranslationSetup=Настройка на превода TranslationKeySearch=Търсене на ключ за превод или низ TranslationOverwriteKey=Презаписване на преводен низ -TranslationDesc=Как да настроите езика на дисплея:
* По подразбиране / За цялата система : меню Начало - Настройки - Екран
* За потребител: Кликнете върху потребителското име в горната част на екрана и променете езика в раздела Настройка на потребителския интерфейс. +TranslationDesc=Как да настроите езика на дисплея:
* По подразбиране / За цялата система : меню Начало - Настройки - Интерфейс
* За потребител: Кликнете върху потребителското име в горната част на екрана и променете езика в раздела Потребителски интерфейс. TranslationOverwriteDesc=Може също така да презапишете низовете, попълвайки следната таблица. Изберете вашият език от падащото меню "%s", въведете ключът за превод в "%s" и вашият нов превод в "%s". TranslationOverwriteDesc2=Може да използвате другия раздел, за да научите кой ключ за превод да използвате TranslationString=Преводен низ @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Запитване към контрагенти FieldEdition=Издание на поле %s FillThisOnlyIfRequired=Пример: +2 (попълнете само ако има проблеми с компенсирането на часовата зона) GetBarCode=Получаване на баркод +NumberingModules=Модели за номериране ##### Module password generation PasswordGenerationStandard=Връщане на парола, генерирана според вътрешния Dolibarr алгоритъм: 8 символа, съдържащи споделени числа и символи с малки букви PasswordGenerationNone=Да не се предлага генерирана парола. Паролата трябва да бъде въведена ръчно. @@ -1609,16 +1611,16 @@ NewMenu=Ново меню Menu=Избор на меню MenuHandler=Манипулатор на меню MenuModule=Модул източник -HideUnauthorizedMenu= Скриване на неоторизирани менюта (сиво) +HideUnauthorizedMenu= Скриване на неоторизирани (сиви) менюта DetailId=Идентификатор на меню DetailMenuHandler=Манипулатор на меню, в който да се покаже новото меню DetailMenuModule=Име на модула, ако входните данни на менюто идват от модул DetailType=Тип меню (горе или вляво) -DetailTitre=Етикет на менюто или етикет на кода за превод +DetailTitre=Име на меню или име на код за превод DetailUrl=URL адрес, където менюто ви изпратя (Absolute на URL линк или външна връзка с http://) DetailEnabled=Условие за показване или не на вписване DetailRight=Условие за показване на неоторизирани (сиви) менюта -DetailLangs=Име на .lang файла с етикет на кода на превод +DetailLangs=Име на .lang файл с име на код на превод DetailUser=Вътрешен / Външен / Всички Target=Цел DetailTarget=Насочване за връзки (_blank top отваря нов прозорец) @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Модел за номериране на чеко MultiCompanySetup=Настройка на модула за няколко фирми ##### Suppliers ##### SuppliersSetup=Настройка на модул Доставчици -SuppliersCommandModel=Пълен шаблон на поръчка за покупка (лого ...) -SuppliersInvoiceModel=Пълен шаблон на фактура за доставка (лого ...) +SuppliersCommandModel=Пълен шаблон на поръчка за покупка +SuppliersCommandModelMuscadet=Пълен шаблон на поръчка за покупка +SuppliersInvoiceModel=Пълен шаблон на фактура за доставка SuppliersInvoiceNumberingModel=Модели за номериране на фактури за доставка IfSetToYesDontForgetPermission=Ако е настроена различна от нула стойност, не забравяйте да предоставите права на групите или потребителите за второ одобрение ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=Списък на автоматичните изве ListOfNotificationsPerUserOrContact=Списък на възможните автоматични известия (за бизнес събитие), налични за потребител * или за контакт ** ListOfFixedNotifications=Списък на автоматични фиксирани известия GoOntoUserCardToAddMore=Отидете в раздела „Известия“ на съответния потребител, за да добавите или премахнете известия за този потребител -GoOntoContactCardToAddMore=Отидете в раздела „Известия“ на съответния контрагент, за да добавите или премахнете известия за съответните контакти / адреси +GoOntoContactCardToAddMore=Отидете в раздел "Известия" на съответния контрагент, за да добавите или премахнете известия за съответните контакти / адреси. Threshold=Граница -BackupDumpWizard=Асистент за създаване на архивния файл +BackupDumpWizard=Асистент за създаване на dump файл на базата данни +BackupZipWizard=Асистент за създаване на архив на директорията "documents" SomethingMakeInstallFromWebNotPossible=Инсталирането на външен модул не е възможно от уеб интерфейса, поради следната причина: SomethingMakeInstallFromWebNotPossible2=Поради тази причина описаният тук процес за актуализация е ръчен процес, който може да се изпълнява само от потребител със съответните права. InstallModuleFromWebHasBeenDisabledByFile=Инсталирането на външен модул в приложението е деактивирано от администратора на системата. Трябва да го помолите да премахне файла %s, за да разреши тази функция. @@ -1953,6 +1957,8 @@ SmallerThan=По-малък от LargerThan=По-голям от IfTrackingIDFoundEventWillBeLinked=Обърнете внимание, че ако е намерен проследяващ код във входящата електронна поща, събитието ще бъде автоматично свързано със свързаните обекти. WithGMailYouCanCreateADedicatedPassword=С GMail акаунт, ако сте активирали валидирането в 2 стъпки е препоръчително да създадете специална втора парола за приложението, вместо да използвате своята парола за акаунта от https://myaccount.google.com/. +EmailCollectorTargetDir=В случай, че желаете да преместите имейла в друг таг / директория, когато той е обработен успешно, то просто задайте стойност тук, за да използвате тази функция. Обърнете внимание, че трябва да използвате потребителски профил с права за четене и запис. +EmailCollectorLoadThirdPartyHelp=Може да използвате това действие, за да намерите и заредите съществуващ контрагент във вашата база данни, чрез съдържанието на имейла. Намереният (или създаден) контрагент ще бъде използван при следващи действия, които се нуждаят от това. В полето на параметъра може да използвате, например 'EXTRACT:BODY:Name:\\s([^\\s]*)', ако искате да извлечете името на контрагента от низ 'Name: name to find', който е открит в съдържанието на имейла. EndPointFor=Крайна точка за %s: %s DeleteEmailCollector=Изтриване на имейл колекционер ConfirmDeleteEmailCollector=Сигурни ли те, че искате да изтриете този колекционер на имейли? diff --git a/htdocs/langs/bg_BG/assets.lang b/htdocs/langs/bg_BG/assets.lang index 0b30dc5762a..841c8138f11 100644 --- a/htdocs/langs/bg_BG/assets.lang +++ b/htdocs/langs/bg_BG/assets.lang @@ -45,7 +45,7 @@ AssetsSetupPage = Страница за настройка на активите ExtraFieldsAssetsType = Допълнителни атрибути (вид актив) AssetsType=Вид актив AssetsTypeId=Идентификатор на вида актива -AssetsTypeLabel=Етикет на вида актив +AssetsTypeLabel=Име на вид актив AssetsTypes=Видове активи # diff --git a/htdocs/langs/bg_BG/banks.lang b/htdocs/langs/bg_BG/banks.lang index a1dcc519f24..cd4609e4e32 100644 --- a/htdocs/langs/bg_BG/banks.lang +++ b/htdocs/langs/bg_BG/banks.lang @@ -9,13 +9,13 @@ BankAccount=Банкова сметка BankAccounts=Банкови сметки BankAccountsAndGateways=Банкови сметки | Портали ShowAccount=Показване на сметка -AccountRef=Финансова сметка реф. -AccountLabel=Етикет на финансова сметка +AccountRef=Финансова сметка № +AccountLabel=Име на финансова сметка CashAccount=Сметка в брой CashAccounts=Парични сметки CurrentAccounts=Разплащателни сметки SavingAccounts=Спестовни сметки -ErrorBankLabelAlreadyExists=Етикетът на финансовата сметка вече съществува +ErrorBankLabelAlreadyExists=Името на финансовата сметка вече съществува BankBalance=Баланс BankBalanceBefore=Баланс преди BankBalanceAfter=Баланс след @@ -31,17 +31,17 @@ Reconciliation=Съгласуване RIB=Номер на банкова сметка IBAN=IBAN номер BIC=BIC / SWIFT код -SwiftValid=BIC / SWIFT е валиден -SwiftVNotalid=BIC / SWIFT не е валиден -IbanValid=BAN е валиден -IbanNotValid=BAN не е валиден +SwiftValid=Валиден BIC / SWIFT код +SwiftVNotalid=Невалиден BIC / SWIFT код +IbanValid=Валиден IBAN номер +IbanNotValid=Невалиден IBAN номер StandingOrders=Поръчки за директен дебит StandingOrder=Поръчка за директен дебит AccountStatement=Извлечение по сметка AccountStatementShort=Извлечение AccountStatements=Извлечения по сметки LastAccountStatements=Последни извлечения -IOMonthlyReporting=Месечно отчитане +IOMonthlyReporting=Месечен отчет BankAccountDomiciliation=Адрес на банката BankAccountCountry=Държава по местонахождение BankAccountOwner=Титуляр на сметката @@ -52,7 +52,7 @@ NewBankAccount=Нова сметка NewFinancialAccount=Нова финансова сметка MenuNewFinancialAccount=Нова финансова сметка EditFinancialAccount=Промяна на сметка -LabelBankCashAccount=Банков или паричен етикет +LabelBankCashAccount=Банково или парично име AccountType=Тип на сметката BankType0=Спестовна сметка BankType1=Разплащателна или картова сметка @@ -73,7 +73,7 @@ BankTransaction=Банкова транзакция ListTransactions=Списък транзакции ListTransactionsByCategory=Списък транзакции по категория TransactionsToConciliate=Транзакции за съгласуване -TransactionsToConciliateShort=To reconcile +TransactionsToConciliateShort=За съгласуване Conciliable=Може да се съгласува Conciliate=Съгласуване Conciliation=Съгласуване @@ -106,11 +106,11 @@ SocialContributionPayment=Плащане на социални / фискалн BankTransfer=Банков превод BankTransfers=Банкови преводи MenuBankInternalTransfer=Вътрешен превод -TransferDesc=Прехвърляне от един акаунт в друг, Dolibarr ще направи два записа (дебит от сметката на източника и кредит в целевата сметка). За тази транзакция ще се използва същата сума (с изключение на подписа), етикет и дата. +TransferDesc=При прехвърляне от една сметка в друга, Dolibarr ще направи два записа (дебит от сметката на източника и кредит в целевата сметка). За тази транзакция ще се използва (с изключение на подписа) същата сума, име и дата. TransferFrom=От TransferTo=За TransferFromToDone=Прехвърлянето от %s към %s на %s %s беше записано. -CheckTransmitter=Предавател +CheckTransmitter=Наредител ValidateCheckReceipt=Валидиране на тази чекова разписка? ConfirmValidateCheckReceipt=Сигурни ли сте, че искате да валидирате тази чекова разписка, няма да е възможна промяна след като това бъде направено? DeleteCheckReceipt=Изтриване на тази чекова разписка? @@ -118,7 +118,7 @@ ConfirmDeleteCheckReceipt=Сигурни ли сте, че искате да и BankChecks=Банкови чекове BankChecksToReceipt=Чекове чакащи депозит BankChecksToReceiptShort=Чекове чакащи депозит -ShowCheckReceipt=Покажи разписка за получаване на чеков депозит +ShowCheckReceipt=Показване на разписка за чеков депозит NumberOfCheques=Брой чекове DeleteTransaction=Изтриване на транзакция ConfirmDeleteTransaction=Сигурни ли сте, че искате да изтриете тази транзакция? @@ -137,7 +137,7 @@ Transactions=Транзакции BankTransactionLine=Банкова транзакция AllAccounts=Всички банкови и касови сметки BackToAccount=Обратно към сметка -ShowAllAccounts=Покажи за всички сметки +ShowAllAccounts=Показване на всички сметки FutureTransaction=Бъдеща транзакция. Не може да се съгласува. SelectChequeTransactionAndGenerate=Изберете / Филтрирайте чековете, които да включите в депозитна разписка и кликнете върху "Създаване". InputReceiptNumber=Изберете банковото извлечение, свързано със съгласуването. Използвайте числова стойност, която е във вида: YYYYMM или YYYYMMDD @@ -146,7 +146,7 @@ ToConciliate=Да се съгласува ли? ThenCheckLinesAndConciliate=След това проверете редовете в банковото извлечение и кликнете DefaultRIB=BAN по подразбиране AllRIB=Всички BAN -LabelRIB=BAN етикет +LabelRIB=Име на банкова сметка NoBANRecord=Няма BAN запис DeleteARib=Изтриване на BAN запис ConfirmDeleteRib=Сигурни ли сте, че искате да изтриете този BAN запис? @@ -154,7 +154,7 @@ RejectCheck=Чекът е върнат ConfirmRejectCheck=Сигурни ли сте, искате да маркирате този чек като е отхвърлен? RejectCheckDate=Дата, на която чекът е върнат CheckRejected=Чекът е върнат -CheckRejectedAndInvoicesReopened=Чекът е върнат и фактурата е повторно отворена +CheckRejectedAndInvoicesReopened=Чекът е върнат и фактурите са повторно отворени BankAccountModelModule=Шаблони на документи за банкови сметки DocumentModelSepaMandate=Шаблон за SEPA нареждания. Полезно само за европейските страни в ЕИО. DocumentModelBan=Шаблон за отпечатване на страница с информация за BAN. @@ -165,7 +165,11 @@ ShowVariousPayment=Показване на разнородно плащане AddVariousPayment=Добавяне на разнородно плащане SEPAMandate=SEPA нареждане YourSEPAMandate=Вашите SEPA нареждания -FindYourSEPAMandate=Това е вашето SEPA нареждане, с което да упълномощите нашата компания да направи поръчка за директен дебит към вашата банка. Върнете го подписано (сканиран подписан документ) или го изпратете по пощата на +FindYourSEPAMandate=Това е вашето SEPA нареждане, с което да упълномощите нашата фирма да направи поръчка за директен дебит към вашата банка. Върнете го подписано (сканиран подписан документ) или го изпратете по пощата на AutoReportLastAccountStatement=Автоматично попълване на полето „номер на банково извлечение“ с последния номер на извлечение, когато правите съгласуване. CashControl=Лимит за плащане в брой на POS NewCashFence=Нов лимит за плащане в брой +BankColorizeMovement=Оцветяване на движения +BankColorizeMovementDesc=Ако тази функция е активирана може да изберете конкретен цвят на фона за дебитни или кредитни движения +BankColorizeMovementName1=Цвят на фона за дебитно движение +BankColorizeMovementName2=Цвят на фона за кредитно движение diff --git a/htdocs/langs/bg_BG/bills.lang b/htdocs/langs/bg_BG/bills.lang index 14b0cf3744f..da59e8aa8c7 100644 --- a/htdocs/langs/bg_BG/bills.lang +++ b/htdocs/langs/bg_BG/bills.lang @@ -16,28 +16,28 @@ DisabledBecauseNotLastInvoice=Деактивирано, защото факту DisabledBecauseNotErasable=Деактивирано, защото не може да бъде изтрито InvoiceStandard=Стандартна фактура InvoiceStandardAsk=Стандартна фактура -InvoiceStandardDesc=Този вид фактура се използва като стандартна фактура. +InvoiceStandardDesc=Този вид фактура се използва като най-популярен. InvoiceDeposit=Фактура за авансово плащане InvoiceDepositAsk=Фактура за авансово плащане InvoiceDepositDesc=Този вид фактура се използва, когато е получено авансово плащане. InvoiceProForma=Проформа фактура InvoiceProFormaAsk=Проформа фактура -InvoiceProFormaDesc=Проформа фактурата е първообраз на истинска фактура, но няма счетоводна стойност. +InvoiceProFormaDesc=Проформа фактурата е първообраз на стандартна фактура, но няма счетоводна стойност. InvoiceReplacement=Заменяща фактура -InvoiceReplacementAsk=Фактура заменяща друга фактура -InvoiceReplacementDesc=Заменяща фактура се използва за анулиране и пълно заменяне на фактура без получено плащане.

Забележка: Само фактури без плащания по тях могат да бъдат заменяни. Ако фактурата, която заменяте, все още не е приключена, то тя ще бъде автоматично приключена като „Анулирана“. +InvoiceReplacementAsk=Заменяща фактура, на фактура +InvoiceReplacementDesc=Заменящата фактура се използва за пълно заменяне на фактура без получено плащане.

Забележка: Само фактури без плащания по тях могат да бъдат заменяни. Ако фактурата, която заменяте, все още не е приключена, то тя ще бъде автоматично приключена като „Анулирана“. InvoiceAvoir=Кредитно известие InvoiceAvoirAsk=Кредитно известие за коригиране на фактура InvoiceAvoirDesc=Кредитното известие е отрицателна фактура, използвана за коригиране на факта, че фактурата показва сума, която се различава от действително платената сума (например клиентът е платил твърде много по грешка или няма да плати пълната сума, тъй като някои продукти са върнати). -invoiceAvoirWithLines=Създаване на кредитно известие с редове от оригиналната фактура +invoiceAvoirWithLines=Създаване на кредитно известие с редовете от оригиналната фактура invoiceAvoirWithPaymentRestAmount=Създаване на кредитно известие с неплатения остатък от оригиналната фактура invoiceAvoirLineWithPaymentRestAmount=Кредитно известие за неплатен остатък ReplaceInvoice=Заменяне на фактура %s ReplacementInvoice=Заменяща фактура ReplacedByInvoice=Заменена с фактура %s ReplacementByInvoice=Заменена с фактура -CorrectInvoice=Коректна фактура %s -CorrectionInvoice=Коригираща фактура +CorrectInvoice=Коригиране на фактура %s +CorrectionInvoice=Към фактура UsedByInvoice=Използва се за плащане на фактура %s ConsumedBy=Консумирана от NotConsumed=Не е консумирана @@ -62,7 +62,7 @@ PaymentBack=Обратно плащане CustomerInvoicePaymentBack=Обратно плащане Payments=Плащания PaymentsBack=Възстановявания -paymentInInvoiceCurrency=във валутата на фактурите +paymentInInvoiceCurrency=във валута на фактури PaidBack=Платено обратно DeletePayment=Изтриване на плащане ConfirmDeletePayment=Сигурни ли сте че, искате да изтриете това плащане? @@ -85,7 +85,7 @@ PaymentTypeDC=Дебитна / Кредитна карта PaymentTypePP=PayPal IdPaymentMode=Вид плащане (id) CodePaymentMode=Вид плащане (код) -LabelPaymentMode=Вид плащане (етикет) +LabelPaymentMode=Вид плащане (текст) PaymentModeShort=Вид плащане PaymentTerm=Условие за плащане PaymentConditions=Условия за плащане @@ -150,7 +150,7 @@ ErrorCreateBankAccount=Създайте банкова сметка, след т ErrorBillNotFound=Фактура %s не съществува ErrorInvoiceAlreadyReplaced=Грешка, опитахте да валидирате фактура, за да замените фактура %s, но тя вече е заменена с фактура %s. ErrorDiscountAlreadyUsed=Грешка, вече се използва отстъпка -ErrorInvoiceAvoirMustBeNegative=Грешка, коригиращата фактура трябва да има отрицателна сума +ErrorInvoiceAvoirMustBeNegative=Грешка, кредитното известие (за коригиране на фактура), трябва да има отрицателна сума. ErrorInvoiceOfThisTypeMustBePositive=Грешка, този тип фактура трябва да има положителна сума за данъчна основа (или нулева) ErrorCantCancelIfReplacementInvoiceNotValidated=Грешка, не може да се анулира фактура, която е била заменена от друга фактура, която все още е в състояние на чернова ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Тази или друга част вече е използвана, така че сериите с отстъпки не могат да бъдат премахнати. @@ -251,7 +251,7 @@ StandingOrder=Нареждане за директен дебит NoDraftBills=Няма чернови фактури NoOtherDraftBills=Няма други чернови фактури NoDraftInvoices=Няма чернови фактури -RefBill=Реф. фактура +RefBill=Съгласно фактура № ToBill=За фактуриране RemainderToBill=Напомняне за фактуриране SendBillByMail=Изпращане на фактура по имейл @@ -259,8 +259,8 @@ SendReminderBillByMail=Изпращане на напомняне по имей RelatedCommercialProposals=Свързани търговски предложения RelatedRecurringCustomerInvoices=Свързани повтарящи се фактури за продажба MenuToValid=За валидиране -DateMaxPayment=Плащането се дължи на -DateInvoice=Дата на фактура +DateMaxPayment=Краен срок за плащане +DateInvoice=Дата на документ DatePointOfTax=Дата на данъчно събитие NoInvoice=Няма фактура ClassifyBill=Класифициране на фактура @@ -327,9 +327,9 @@ HelpAbandonBadCustomer=Тази сума е анулирана (поради н HelpAbandonOther=Тази сума е анулирана, тъй като се дължи на грешка (например: неправилен клиент или фактура е заменена от друга) IdSocialContribution=Идентификатор за плащане на социален / фискален данък PaymentId=Идентификатор за плащане -PaymentRef=Реф. плащане +PaymentRef=Съгласно плащане № InvoiceId=Идентификатор на фактура -InvoiceRef=Реф. фактура +InvoiceRef=Фактура № InvoiceDateCreation=Дата на създаване на фактура InvoiceStatus=Статус на фактура InvoiceNote=Бележка за фактура @@ -416,9 +416,9 @@ PaymentConditionShort14D=14 дни PaymentCondition14D=14 дни PaymentConditionShort14DENDMONTH=14 дни от края на месеца PaymentCondition14DENDMONTH=В рамките на 14 дни след края на месеца -FixAmount=Фиксирана сума -VarAmount=Променлива сума (%% общо) -VarAmountOneLine=Променлива сума (%% общо) - включва ред с етикет "%s" +FixAmount=Фиксирана сума - включва ред с текст '%s' +VarAmount=Променлива сума (общо %%) +VarAmountOneLine=Променлива сума (общо %%) - включва ред с текст '%s' # PaymentType PaymentTypeVIR=Банков превод PaymentTypeShortVIR=Банков превод @@ -512,7 +512,7 @@ RevenueStamp=Приходен печат (бандерол) YouMustCreateInvoiceFromThird=Тази опция е налична само при създаване на фактура от раздел "Клиент" на контрагента YouMustCreateInvoiceFromSupplierThird=Тази опция е налична само при създаването на фактура от раздел "Доставчик" на контрагента YouMustCreateStandardInvoiceFirstDesc=Първо трябва да създадете стандартна фактура и да я конвертирате в „шаблон“, за да създадете нова шаблонна фактура -PDFCrabeDescription=Шаблонна PDF фактура Crabe. Пълен шаблон за фактура (препоръчителен шаблон) +PDFCrabeDescription=PDF шаблон за фактура. Пълен шаблон за фактура PDFSpongeDescription=PDF шаблон за фактура. Пълен шаблон за фактура PDFCrevetteDescription=PDF шаблон за фактура. Пълен шаблон за ситуационни фактури TerreNumRefModelDesc1=Връща номер с формат %syymm-nnnn за стандартни фактури и %syymm-nnnn за кредитни бележки, където yy е година, mm е месец и nnnn е последователност без прекъсване и няма връщане към 0 @@ -538,7 +538,7 @@ SituationAmount=Сума на ситуационна фактура (нето) SituationDeduction=Ситуационно изваждане ModifyAllLines=Промени всички линии CreateNextSituationInvoice=Създаване на следваща ситуация -ErrorFindNextSituationInvoice=Грешка, неуспех при намирането на следващия цикъл на реф. ситуация +ErrorFindNextSituationInvoice=Грешка, неуспешно откриване на следващия цикъл на ситуацията. ErrorOutingSituationInvoiceOnUpdate=Фактурата за тази ситуация не може да бъде публикувана. ErrorOutingSituationInvoiceCreditNote=Невъзможно е да се изпрати свързано кредитно известие. NotLastInCycle=Тази фактура не е последната от цикъла и не трябва да се променя. diff --git a/htdocs/langs/bg_BG/categories.lang b/htdocs/langs/bg_BG/categories.lang index 8d4de56caad..3bdbf530b7b 100644 --- a/htdocs/langs/bg_BG/categories.lang +++ b/htdocs/langs/bg_BG/categories.lang @@ -55,13 +55,14 @@ MembersCategoryShort=Таг / категория членове SuppliersCategoriesShort=Категории доставчици CustomersCategoriesShort=Категории клиенти ProspectsCategoriesShort=Категории потенциални клиенти -CustomersProspectsCategoriesShort=Категории клиенти / потенциални +CustomersProspectsCategoriesShort=За клиенти / потенциални клиенти от категория ProductsCategoriesShort=Категории продукти MembersCategoriesShort=Категории членове ContactCategoriesShort=Категории контакти AccountsCategoriesShort=Категории сметки ProjectsCategoriesShort=Категории проекти UsersCategoriesShort=Категории потребители +StockCategoriesShort=Тагове / Категории ThisCategoryHasNoProduct=Тази категория не съдържа нито един продукт ThisCategoryHasNoSupplier=Тази категория не съдържа нито един доставчик ThisCategoryHasNoCustomer=Тази категория не съдържа нито един клиент @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Добавяне на следния продук ShowCategory=Показване на таг / категория ByDefaultInList=По подразбиране в списъка ChooseCategory=Избиране на категория +StocksCategoriesArea=Секция за категории на складове +ActionCommCategoriesArea=Секция с категории за събития +UseOrOperatorForCategories=Използване или оператор за категории diff --git a/htdocs/langs/bg_BG/commercial.lang b/htdocs/langs/bg_BG/commercial.lang index 3fb5d47044e..d3ee901dc0b 100644 --- a/htdocs/langs/bg_BG/commercial.lang +++ b/htdocs/langs/bg_BG/commercial.lang @@ -12,13 +12,13 @@ AddAnAction=Създаване на събитие AddActionRendezVous=Създаване на събитие - среща ConfirmDeleteAction=Сигурни ли сте, че искате да изтриете това събитие? CardAction=Карта -ActionOnCompany=Свързана компания +ActionOnCompany=Свързан контрагент ActionOnContact=Свързан контакт TaskRDVWith=Среща с %s ShowTask=Показване на задача ShowAction=Показване на събитие ActionsReport=Справка за събития -ThirdPartiesOfSaleRepresentative=Контрагенти с търговски представител +ThirdPartiesOfSaleRepresentative=Към контрагенти с търговски представител SaleRepresentativesOfThirdParty=Търговски представители за контрагента SalesRepresentative=Търговски представител SalesRepresentatives=Търговски представители diff --git a/htdocs/langs/bg_BG/companies.lang b/htdocs/langs/bg_BG/companies.lang index 69953b835a7..8cffa17026c 100644 --- a/htdocs/langs/bg_BG/companies.lang +++ b/htdocs/langs/bg_BG/companies.lang @@ -2,7 +2,7 @@ ErrorCompanyNameAlreadyExists=Името на фирмата %s вече съществува. Изберете друго. ErrorSetACountryFirst=Първо изберете държава SelectThirdParty=Изберете контрагент -ConfirmDeleteCompany=Сигурни ли сте че искате да изтриете тази компания и цялата наследена информация? +ConfirmDeleteCompany=Сигурни ли сте че искате да изтриете този контрагент и цялата наследена информация? DeleteContact=Изтриване на контакт / адрес ConfirmDeleteContact=Сигурни ли сте че искате да изтриете този контакт и цялата наследена информация? MenuNewThirdParty=Нов контрагент @@ -103,20 +103,20 @@ CustomerCodeModel=Модел за код на клиент SupplierCodeModel=Модел за код на доставчик Gencod=Баркод ##### Professional ID ##### -ProfId1Short=Проф. номер 1 -ProfId2Short=Проф. номер 2 -ProfId3Short=Проф. номер 3 -ProfId4Short=Проф. номер 4 -ProfId5Short=Проф. номер 5 -ProfId6Short=Проф. номер 6 -ProfId1=Професионален ID 1 -ProfId2=Професионален ID 2 -ProfId3=Професионален ID 3 -ProfId4=Професионален ID 4 -ProfId5=Професионален ID 5 -ProfId6=Професионален ID 6 -ProfId1AR=Проф. номер 1 (CUIT/CUIL) -ProfId2AR=Проф. номер 2 (доход бруто) +ProfId1Short=Идент. 1 +ProfId2Short=Идент. 2 +ProfId3Short=Идент. 3 +ProfId4Short=Идент. 4 +ProfId5Short=Идент. 5 +ProfId6Short=Идент. 6 +ProfId1=Проф. идентификатор 1 +ProfId2=Проф. идентификатор 2 +ProfId3=Проф. идентификатор 3 +ProfId4=Проф. идентификатор 4 +ProfId5=Проф. идентификатор 5 +ProfId6=Проф. идентификатор 6 +ProfId1AR=Prof Id 1 (CUIT/CUIL) +ProfId2AR=Prof Id 2 (Revenu brutes) ProfId3AR=- ProfId4AR=- ProfId5AR=- @@ -127,7 +127,7 @@ ProfId3AT=Prof Id 3 (Handelsregister-Nr.) ProfId4AT=- ProfId5AT=- ProfId6AT=- -ProfId1AU=Проф. Id 1 (ABN) +ProfId1AU=Prof Id 1 (ABN) ProfId2AU=- ProfId3AU=- ProfId4AU=- @@ -241,12 +241,18 @@ ProfId3TN=Prof Id 3 (Douane code) ProfId4TN=Prof Id 4 (BAN) ProfId5TN=- ProfId6TN=- -ProfId1US=Prof ID (FEIN) +ProfId1US=Prof Id (FEIN) ProfId2US=- ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -304,12 +310,12 @@ AddThirdParty=Създаване на контрагент DeleteACompany=Изтриване на фирма PersonalInformations=Лични данни AccountancyCode=Счетоводна сметка -CustomerCode=Код на клиента -SupplierCode=Код на доставчика -CustomerCodeShort=Код на клиента -SupplierCodeShort=Код на доставчика -CustomerCodeDesc=Код на клиента, уникален за всички клиенти -SupplierCodeDesc=Код на доставчика, уникален за всички доставчици +CustomerCode=Код на клиент +SupplierCode=Код на доставчик +CustomerCodeShort=Код на клиент +SupplierCodeShort=Код на доставчик +CustomerCodeDesc=Код на клиент, уникален за всички клиенти +SupplierCodeDesc=Код на доставчик, уникален за всички доставчици RequiredIfCustomer=Изисква се, ако контрагентът е клиент или потенциален клиент RequiredIfSupplier=Изисква се, ако контрагента е доставчик ValidityControledByModule=Валидност, контролирана от модул @@ -339,8 +345,8 @@ MyContacts=Мои контакти Capital=Капитал CapitalOf=Капитал от %s EditCompany=Променяне на фирма -ThisUserIsNot=Този потребител не е потенциален клиент, нито клиент, нито доставчик -VATIntraCheck=Проверка +ThisUserIsNot=Този потребител не е потенциален клиент, настоящ клиент или доставчик +VATIntraCheck=Проверяване VATIntraCheckDesc=Идентификационния номер по ДДС трябва да включва префикса на държавата. Връзката %s използва услугата на Европейската комисия за проверка на номер по ДДС (VIES), която изисква достъп до интернет извън сървъра на Dolibarr. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do VATIntraCheckableOnEUSite=Проверяване на вътрешно-общностния идентификационен номер по ДДС в интернет страницата на Европейската Комисия @@ -395,7 +401,7 @@ ImportDataset_company_2=Допълнителни контакти / адреси ImportDataset_company_3=Банкови сметки на контрагенти ImportDataset_company_4=Търговски представители за контрагента (назначени търговски представители / потребители към фирмите) PriceLevel=Ценово ниво -PriceLevelLabels=Етикети на ценови нива +PriceLevelLabels=Имена на ценови нива DeliveryAddress=Адрес за доставка AddAddress=Добавяне на адрес SupplierCategory=Категория на доставчика @@ -406,6 +412,13 @@ AllocateCommercial=Назначен търговски представител Organization=Организация FiscalYearInformation=Фискална година FiscalMonthStart=Начален месец на фискална година +SocialNetworksInformation=Социални мрежи +SocialNetworksFacebookURL=Facebook +SocialNetworksTwitterURL=Twitter +SocialNetworksLinkedinURL=Linkedin +SocialNetworksInstagramURL=Instagram +SocialNetworksYoutubeURL=YouTube +SocialNetworksGithubURL=Github YouMustAssignUserMailFirst=Трябва да създадете имейл за този потребител, преди да може да добавите известие по имейл. YouMustCreateContactFirst=За да може да добавяте известия по имейл, първо трябва да определите контакти с валидни имейли за контрагента ListSuppliersShort=Списък на доставчици @@ -435,10 +448,10 @@ SaleRepresentativeLastname=Фамилия на търговския предст ErrorThirdpartiesMerge=При изтриването на контрагента възникна грешка. Моля, проверете историята. Промените са отменени. NewCustomerSupplierCodeProposed=Кода на клиент или доставчик е вече използван, необходим е нов код. #Imports -PaymentTypeCustomer=Начин на плащане - Клиент +PaymentTypeCustomer=Вид плащане - Клиент PaymentTermsCustomer=Условия за плащане - Клиент -PaymentTypeSupplier=Начин на плащане - Доставчик +PaymentTypeSupplier=Вид плащане - Доставчик PaymentTermsSupplier=Условия на плащане - Доставчик -PaymentTypeBoth=Начин на плащане - клиент и доставчик +PaymentTypeBoth=Вид плащане - клиент и доставчик MulticurrencyUsed=Използване на няколко валути MulticurrencyCurrency=Валута diff --git a/htdocs/langs/bg_BG/compta.lang b/htdocs/langs/bg_BG/compta.lang index efc5b0c5536..3b9a13a5d6b 100644 --- a/htdocs/langs/bg_BG/compta.lang +++ b/htdocs/langs/bg_BG/compta.lang @@ -69,7 +69,7 @@ SocialContribution=Социален или фискален данък SocialContributions=Социални или фискални данъци SocialContributionsDeductibles=Приспадащи се социални или фискални данъци SocialContributionsNondeductibles=Не приспадащи се социални или данъчни данъци -LabelContrib=Етикет на вноска +LabelContrib=Име на вноска TypeContrib=Тип вноска MenuSpecialExpenses=Специални разходи MenuTaxAndDividends=Данъци и дивиденти @@ -108,7 +108,7 @@ NewVATPayment=Ново плащане на данък върху продажб NewLocalTaxPayment=Ново плащане на данък %s Refund=Възстановяване SocialContributionsPayments=Плащания на социални / фискални данъци -ShowVatPayment=Покажи плащане на ДДС +ShowVatPayment=Показване на плащане на ДДС TotalToPay=Общо за плащане BalanceVisibilityDependsOnSortAndFilters=Балансът е видим в този списък само ако таблицата е сортирана възходящо на %s и филтрирана за 1 банкова сметка CustomerAccountancyCode=Счетоводен код на клиент @@ -132,7 +132,7 @@ NewCheckDepositOn=Създаване на разписка за депозит NoWaitingChecks=Няма чекове, които да очакват депозит. DateChequeReceived=Дата на приемане на чек NbOfCheques=Брой чекове -PaySocialContribution=Платете социален / фискален данък +PaySocialContribution=Плащане на социален / фискален данък ConfirmPaySocialContribution=Сигурни ли сте, че искате да класифицирате този социален или фискален данък като платен? DeleteSocialContribution=Изтриване на плащане за социален или фискален данък ConfirmDeleteSocialContribution=Сигурни ли сте, че искате да изтриете това плащане на социален / фискален данък? @@ -150,9 +150,9 @@ CalcModeLT2Debt=Режим %sIRPF върху фактури за продаж CalcModeLT2Rec= Режим %sIRPF върху фактури за доставка%s AnnualSummaryDueDebtMode=Баланс на приходи и разходи, годишно обобщение AnnualSummaryInputOutputMode=Баланс на приходи и разходи, годишно обобщение -AnnualByCompanies=Баланс на приходите и разходите, по предварително определени групи сметки -AnnualByCompaniesDueDebtMode=Баланс на приходите и разходите, по предварително определени групи, режим %sВземания-Дългове%s или казано още Осчетоводяване на вземания. -AnnualByCompaniesInputOutputMode=Баланс на приходи и разходи, по предварително определени групи, режим %sПриходи - Разходи%s или казано още касова отчетност. +AnnualByCompanies=Баланс на приходи и разходи, по предварително определени групи сметки +AnnualByCompaniesDueDebtMode=Баланс на приходи и разходи, по предварително определени групи, режим %sВземания - Дългове%s или казано още Осчетоводяване на вземания. +AnnualByCompaniesInputOutputMode=Баланс на приходи и разходи, по предварително определени групи, режим %sПриходи - Разходи%s или казано още Касова отчетност. SeeReportInInputOutputMode=Вижте %sанализа на плащанията%s за изчисляване на действителните плащания, дори и ако те все още не са осчетоводени в книгата. SeeReportInDueDebtMode=Вижте %sанализа на фактурите%s за изчисляване, който е базиран на регистираните фактури, дори и ако те все още не са осчетоводени в книгата. SeeReportInBookkeepingMode=Вижте %sСчетоводния доклад%s за изчисляване на таблицата в счетоводната книга @@ -254,3 +254,4 @@ ByVatRate=По ставка на ДДС TurnoverbyVatrate=Оборот, фактуриран по ставка на ДДС TurnoverCollectedbyVatrate=Оборот, натрупан по ставка на ДДС PurchasebyVatrate=Покупка по ставка на ДДС +LabelToShow=Кратко означение diff --git a/htdocs/langs/bg_BG/contracts.lang b/htdocs/langs/bg_BG/contracts.lang index 6045ee79cb8..f6f871969ee 100644 --- a/htdocs/langs/bg_BG/contracts.lang +++ b/htdocs/langs/bg_BG/contracts.lang @@ -41,7 +41,7 @@ ConfirmCloseService=Сигурни ли сте, че искате да прек ValidateAContract=Валидиране на договор ActivateService=Активиране на услуга ConfirmActivateService=Сигурни ли сте, че искате да активирате тази услуга с дата %s ? -RefContract=Реф. договор +RefContract=Съгласно договор № DateContract=Дата на договора DateServiceActivate=Дата на активиране на услуга ListOfServices=Списък на услуги @@ -51,7 +51,7 @@ ListOfClosedServices=Списък на прекратени услуги ListOfRunningServices=Списък на активни услуги NotActivatedServices=Неактивни услуги (измежду валидирани договори) BoardNotActivatedServices=Услуги за активиране (измежду валидирани договори) -BoardNotActivatedServicesShort=Services to activate +BoardNotActivatedServicesShort=Услуги за активиране LastContracts=Договори: %s последни LastModifiedServices=Услуги: %s последно променени ContractStartDate=Начална дата diff --git a/htdocs/langs/bg_BG/cron.lang b/htdocs/langs/bg_BG/cron.lang index fa4967686d1..d762cb8a0ed 100644 --- a/htdocs/langs/bg_BG/cron.lang +++ b/htdocs/langs/bg_BG/cron.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - cron # About page # Right -Permission23101 = Прочитане на Планирана задача -Permission23102 = Създаване/обновяване на Планирана задача -Permission23103 = Изтриване на Планирана задача -Permission23104 = Изпълнение на Планирана задача +Permission23101 = Преглед на планирани задачи +Permission23102 = Създаване / промяна на планирани задачи +Permission23103 = Изтриване на планирани задачи +Permission23104 = Стартиране на планирани задачи # Admin -CronSetup=Настройки за управление на Планирани задачи +CronSetup=Настройки за управление на планирани задачи URLToLaunchCronJobs=URL адрес за проверка и стартиране на определени cron задачи OrToLaunchASpecificJob=Или за проверка и зареждане на специфична задача KeyForCronAccess=Защитен ключ на URL за зареждане на cron задачи @@ -17,10 +17,10 @@ CronMethodDoesNotExists=Класът %s не съдържа метод %s CronJobDefDesc=Профилите на Cron задачите се дефинират в дескрипторния файл на модула. Когато модулът е активиран, те са заредени и достъпни, така че можете да администрирате задачите от менюто за администриране %s. CronJobProfiles=Списък на предварително определени профили на cron задачи # Menu -EnabledAndDisabled=Активирана и деактивирана +EnabledAndDisabled=Активирани и деактивирани # Page list CronLastOutput=Последен изходен резултат -CronLastResult=Последен код на резултатите +CronLastResult=Последен код на резултат CronCommand=Команда CronList=Планирани задачи CronDelete=Изтриване на планирани задачи @@ -33,15 +33,15 @@ CronNone=Няма CronDtStart=Не преди CronDtEnd=Не след CronDtNextLaunch=Следващо изпълнение -CronDtLastLaunch=Начална дата на последното изпълнение -CronDtLastResult=Крайна дата на последното изпълнение +CronDtLastLaunch=Начална дата на последно изпълнение +CronDtLastResult=Крайна дата на последно изпълнение CronFrequency=Честота CronClass=Клас CronMethod=Метод CronModule=Модул CronNoJobs=Няма регистрирани задачи CronPriority=Приоритет -CronLabel=Етикет +CronLabel=Име CronNbRun=Брой стартирания CronMaxRun=Максимален брой стартирания CronEach=Всеки @@ -49,25 +49,25 @@ JobFinished=Задачи заредени и приключили #Page card CronAdd= Добавяне на задачи CronEvery=Изпълни задачата всеки -CronObject=Въплъщение/Обект за създаване +CronObject=Инстанция / обект за създаване CronArgs=Параметри CronSaveSucess=Съхраняването е успешно CronNote=Коментар CronFieldMandatory=Полета %s са задължителни CronErrEndDateStartDt=Крайната дата не може да бъде преди началната дата StatusAtInstall=Състояние при инсталиране на модула -CronStatusActiveBtn=Активирайте -CronStatusInactiveBtn=Деактивирай -CronTaskInactive=Тази задача е неактивирана -CronId=Id +CronStatusActiveBtn=Активиране +CronStatusInactiveBtn=Деактивиране +CronTaskInactive=Тази задача е деактивирана +CronId=Идентификатор CronClassFile=Име на файл с клас CronModuleHelp=Име на Dolibarr директорията с модули (работи и с външен Dolibarr модул).
Например, за да извикате метода на извличане от Dolibarr продуктов обект /htdocs/product/class/product.class.php, стойността за модула е
product CronClassFileHelp=Относителният път и името на файла за зареждане (пътят е относителен към основната директория на уеб сървъра).
Например, за да извикате метода на извличане на Dolibarr продуктов обект htdocs/product/class/product.class.php, стойността за файлово име на класът е
product/class/product.class.php CronObjectHelp=Името на обекта за зареждане.
Например, за да извикате метода на извличане от Dolibarr продуктов обект /htdocs/product/class/product.class.php, стойността на файловото име на класът е
Product CronMethodHelp=Методът на обекта за стартиране.
Например, за да извикате метода на извличане от Dolibarr продуктов обект /htdocs/product/class/product.class.php, стойността за метода е
fetch CronArgsHelp=Аргументите на метода.
Например, за да извикате метода на извличане от Dolibarr продуктов обект /htdocs/product/class/product.class.php, стойността за параметрите може да бъде
0, ProductRef -CronCommandHelp=Системният команден ред за стартиране. -CronCreateJob=Създаване на нова Планирана задача +CronCommandHelp=Системният команден ред за изпълнение. +CronCreateJob=Създаване на нова планирана задача CronFrom=От # Info # Common @@ -76,8 +76,9 @@ CronType_method=Метод за извикване на PHP клас CronType_command=Терминална команда CronCannotLoadClass=Не може да бъде зареден клас файл %s (за да се използва клас %s) CronCannotLoadObject=Клас файл %s е зареден, но обект %s не е открит в него -UseMenuModuleToolsToAddCronJobs=Отидете в меню 'Начало - Администрация - Планирани задачи', за да видите и редактирате планираните задачи. +UseMenuModuleToolsToAddCronJobs=Отидете в меню 'Начало -> Администрация -> Планирани задачи', за да видите и редактирате планираните задачи. JobDisabled=Задачата е деактивирана MakeLocalDatabaseDumpShort=Архивиране на локална база данни MakeLocalDatabaseDump=Създаване на локална база данни. Параметрите са: компресия ('gz' or 'bz' or 'none'), вид архивиране ('mysql', 'pgsql', 'auto'), 1, 'auto' или име на файла за съхранение, брой резервни файлове, които да се запазят WarningCronDelayed=Внимание, за целите на изпълнението, каквато и да е следващата дата на изпълнение на активирани задачи, вашите задачи могат да бъдат забавени до максимум %s часа, преди да бъдат стартирани. +DATAPOLICYJob=Почистване на данни и анонимност diff --git a/htdocs/langs/bg_BG/deliveries.lang b/htdocs/langs/bg_BG/deliveries.lang index 5147633f5c9..3ad6dd4e5f8 100644 --- a/htdocs/langs/bg_BG/deliveries.lang +++ b/htdocs/langs/bg_BG/deliveries.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=Доставка -DeliveryRef=Реф. доставка +DeliveryRef=Доставка № DeliveryCard=Карта на разписка DeliveryOrder=Разписка за доставка DeliveryDate=Дата на доставка diff --git a/htdocs/langs/bg_BG/donations.lang b/htdocs/langs/bg_BG/donations.lang index 4c70eaa38f4..6b7df21c485 100644 --- a/htdocs/langs/bg_BG/donations.lang +++ b/htdocs/langs/bg_BG/donations.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - donations Donation=Дарение Donations=Дарения -DonationRef=Реф. дарение +DonationRef=Дарение № Donor=Дарител AddDonation=Създаване на дарение NewDonation=Ново дарение diff --git a/htdocs/langs/bg_BG/errors.lang b/htdocs/langs/bg_BG/errors.lang index 02f858163fb..df6247dbc36 100644 --- a/htdocs/langs/bg_BG/errors.lang +++ b/htdocs/langs/bg_BG/errors.lang @@ -106,7 +106,7 @@ ErrorForbidden2=Права за този потребител могат да б ErrorForbidden3=Изглежда, че Dolibarr не се използва чрез заверено сесия. Обърнете внимание на документация за настройка Dolibarr за знаят как да управляват удостоверявания (Htaccess, mod_auth или други ...). ErrorNoImagickReadimage=Клас Imagick не се намира в тази PHP. Без визуализация могат да бъдат на разположение. Администраторите могат да деактивирате тази раздела от менюто Setup - Display. ErrorRecordAlreadyExists=Запис вече съществува -ErrorLabelAlreadyExists=Този етикет вече съществува +ErrorLabelAlreadyExists=Това име вече съществува ErrorCantReadFile=Не може да се прочете файла "%s" ErrorCantReadDir=Неуспех при четенето на "%s" директорията ErrorBadLoginPassword=Неправилна стойност за потребителско име или парола @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Потребителя %s не е намерен. ErrorLoginHasNoEmail=Този потребител няма имейл адрес. Процес прекратено. ErrorBadValueForCode=Неправилна стойност за код за сигурност. Опитайте отново с нова стойност ... ErrorBothFieldCantBeNegative=Полетата %s и %s не може да бъде едновременно отрицателен -ErrorFieldCantBeNegativeOnInvoice=Полето %s не може да бъде отрицателно за този тип фактура. Ако искате да добавите ред с отстъпка, първо създайте отстъпката, чрез връзката %s на екрана и я приложете към фактурата или поискайте от администратора да зададе опция FACTURE_ENABLE_NEGATIVE_LINES със стойност 1, за да разреши старото поведение. +ErrorFieldCantBeNegativeOnInvoice=Полето %s не може да бъде отрицателно за този вид фактура. Ако трябва да добавите ред с отстъпка, първо създайте отстъпката (от поле '%s' в картата на контрагента) и я приложете към фактурата. Може също така да помолите вашия администратор да въведе опция FACTURE_ENABLE_NEGATIVE_LINES със стойност 1, за да разреши старото поведение. +ErrorLinesCantBeNegativeOnDeposits=Редовете не могат да бъдат отрицателни при депозит. Ще се сблъскате с проблеми, когато включите депозита в окончателната фактура. ErrorQtyForCustomerInvoiceCantBeNegative=Количество за ред в клиентска фактура не може да бъде отрицателно ErrorWebServerUserHasNotPermission=Потребителски акаунт %s използват за извършване на уеб сървър не разполага с разрешение за това ErrorNoActivatedBarcode=Не е тип баркод активира @@ -200,7 +201,7 @@ ErrorModuleFileSeemsToHaveAWrongFormat2=Най-малко една задълж ErrorFilenameDosNotMatchDolibarrPackageRules=Името на модулния пакет (%s) не съответства на очаквания синтаксис: %s ErrorDuplicateTrigger=Грешка, дублиращо име на тригера %s. Вече е зареден от %s. ErrorNoWarehouseDefined=Грешка, не са дефинирани складове. -ErrorBadLinkSourceSetButBadValueForRef=Използваната от вас връзка не е валидна. Определен е „източник“ за плащане, но стойността за „реф.“ не е валидна. +ErrorBadLinkSourceSetButBadValueForRef=Използваната от вас връзка не е валидна. Определен е 'източник' за плащане, но стойността на '№' не е валидна. ErrorTooManyErrorsProcessStopped=Твърде много грешки. Процесът беше спрян. ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Масовото валидиране не е възможно, когато за това действие е зададена опция за увеличаване/намаляване на наличността (трябва да валидирате едно по едно, за да можете да определите склада, който да се увеличава/намалява) ErrorObjectMustHaveStatusDraftToBeValidated=Обект %s трябва да има статус "Чернова", за да бъде валидиран. @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Обектите трябва да ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Обектите трябва да имат статус "Чернова" или "Деактивиран", за да бъдат активирани ErrorNoFieldWithAttributeShowoncombobox=Нито едно от полетата няма реквизит 'showoncombobox' в дефиницията на обект '%s'. Не е възможно да покажете комбинираният списък. ErrorFieldRequiredForProduct=Поле '%s' е задължително за продукт '%s' +ProblemIsInSetupOfTerminal=Проблем в настройката на терминал %s. +ErrorAddAtLeastOneLineFirst=Първо добавете поне един ред # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Вашата стойност на PHP параметър upload_max_filesize (%s) е по-голяма от стойността на PHP параметър post_max_size (%s). Това не е последователна настройка. WarningPasswordSetWithNoAccount=За този член бе зададена парола. Въпреки това, не е създаден потребителски акаунт. Така че тази парола е съхранена, но не може да се използва за влизане в Dolibarr. Може да се използва от външен модул/интерфейс, но ако не е необходимо да дефинирате потребителско име или парола за член може да деактивирате опцията "Управление на вход за всеки член" от настройката на модула Членове. Ако трябва да управлявате вход, но не се нуждаете от парола, можете да запазите това поле празно, за да избегнете това предупреждение. Забележка: Имейлът може да се използва и като вход, ако членът е свързан с потребител. diff --git a/htdocs/langs/bg_BG/exports.lang b/htdocs/langs/bg_BG/exports.lang index 09ea3bdddf6..d7106156921 100644 --- a/htdocs/langs/bg_BG/exports.lang +++ b/htdocs/langs/bg_BG/exports.lang @@ -3,26 +3,26 @@ ExportsArea=Секция за експортиране ImportArea=Секция за импортиране NewExport=Ново експортиране NewImport=Ново импортиране -ExportableDatas=Изнасяни набор от данни -ImportableDatas=Се внасят набор от данни -SelectExportDataSet=Изберете набор от данни, които искате да експортирате ... -SelectImportDataSet=Изберете набор от данни, който искате да импортирате ... +ExportableDatas=Експортируем набор от данни +ImportableDatas=Импортируем набор от данни +SelectExportDataSet=Изберете набор от данни, които искате да експортирате... +SelectImportDataSet=Изберете набор от данни, който искате да импортирате... SelectExportFields=Изберете полетата, които искате да експортирате или изберете предварително дефиниран профил за експортиране SelectImportFields=Изберете полетата на вашият файл, които искате да импортирате и техните целеви полета в базата данни като ги преместите нагоре или надолу с помощта на %s, или изберете предварително дефиниран профил за импортиране: NotImportedFields=Полетата на входния файл не са импортирани SaveExportModel=Запазване на вашият избор като профил / шаблон за експортиране (за повторно използване). SaveImportModel=Запазване на този профил за импортиране (за повторно използване)... -ExportModelName=Износ името на профила +ExportModelName=Име на профил за експортиране ExportModelSaved=Профилът за експортиране е запазен като %s. -ExportableFields=Изнасяни полета -ExportedFields=Износът на полета -ImportModelName=Име Внос профил +ExportableFields=Експортируеми полета +ExportedFields=Експортирани полета +ImportModelName=Име на профил за импортиране ImportModelSaved=Профилът за импортиране е запазен като %s. -DatasetToExport=Dataset за износ -DatasetToImport=Импортиране на файл в масив от данни -ChooseFieldsOrdersAndTitle=Изберете полета за ... -FieldsTitle=Полетата заглавие -FieldTitle=Заглавие +DatasetToExport=Набор от данни за експортиране +DatasetToImport=Импортиране на файл в набор от данни +ChooseFieldsOrdersAndTitle=Изберете ред на полетата... +FieldsTitle=Заглавие на полета +FieldTitle=Заглавие на полето NowClickToGenerateToBuildExportFile=Сега, изберете формата на файла от полето на комбинирания списък и кликнете върху „Генериране“, за да създадете файла за експортиране... AvailableFormats=Налични формати LibraryShort=Библиотека @@ -35,74 +35,74 @@ FormatedExportDesc1=Тези инструменти позволяват екс FormatedExportDesc2=Първата стъпка е да изберете предварително дефиниран набор от данни, а след това кои полета искате да експортирате и в какъв ред. FormatedExportDesc3=Когато са избрани данните за експортиране може да изберете формата на изходния файл. Sheet=Лист -NoImportableData=Не се внасят данни (без модул с определенията, за да се позволи на импортирането на данни) +NoImportableData=Няма данни, които могат да бъдат импортирани (няма модул с дефиниции, позволяващ импортиране на данни) FileSuccessfullyBuilt=Файлът е генериран -SQLUsedForExport=SQL Заявка използвани за изграждане на износно досие -LineId=Id на линия -LineLabel=Етикет на ред -LineDescription=Описание на линия -LineUnitPrice=Единичната цена на линия -LineVATRate=ДДС Цена на линия -LineQty=Количество за линия +SQLUsedForExport=SQL заявка, използвана за създаване на експортен файл +LineId=Идентификатор на ред +LineLabel=Име на ред +LineDescription=Описание на ред +LineUnitPrice=Единична цена на ред +LineVATRate=ДДС ставка на ред +LineQty=Количество за ред LineTotalHT=Сума без данък за ред -LineTotalTTC=Сума с данък линия -LineTotalVAT=Размер на ДДС за линия -TypeOfLineServiceOrProduct=Вид на линията (0 = продукт, 1 = услуга) -FileWithDataToImport=Файл с данни за внос -FileToImport=Източник файл, за да импортирате +LineTotalTTC=Сума с данък за ред +LineTotalVAT=Размер на ДДС за ред +TypeOfLineServiceOrProduct=Тип ред (0 = продукт, 1 = услуга) +FileWithDataToImport=Файл с данни за импортиране +FileToImport=Входен файл за импортиране FileMustHaveOneOfFollowingFormat=Файлът за импортиране трябва да бъде в един от следните формати DownloadEmptyExample=Изтегляне на шаблонния файл с информация за съдържанието на полето (* са задължителни полета) ChooseFormatOfFileToImport=Изберете формата на файла, който да използвате като формат за импортиране, като кликнете върху иконата на %s, за да го изберете... -ChooseFileToImport=Качете на файл, след което кликнете върху иконата %s, за да изберете файла като файл съдържащ данните за импортиране... -SourceFileFormat=Изходния формат на файла -FieldsInSourceFile=Полетата в файла източник +ChooseFileToImport=Прикачете файл, след това кликнете върху иконата %s, за да изберете файла като източник при импортиране... +SourceFileFormat=Формат на входния файл +FieldsInSourceFile=Полета във входния файл FieldsInTargetDatabase=Целеви полета в базата данни на Dolibarr (удебелен шрифт = задължително) Field=Поле -NoFields=Не полета -MoveField=Преместете поле %s броя на колоните -ExampleOfImportFile=Example_of_import_file -SaveImportProfile=Запиши този профил за внос -ErrorImportDuplicateProfil=Грешка при запазване на този профил за внос с това име. Съществуващ профил с това име вече съществува. -TablesTarget=Целеви маси +NoFields=Няма полета +MoveField=Преместете номер на колоната на полето %s +ExampleOfImportFile=Пример_с_файл_за_импортиране +SaveImportProfile=Съхранете този профил за импортиране +ErrorImportDuplicateProfil=Този профил за импортиране не бе запазен с това име. Вече съществува профил с това име. +TablesTarget=Целеви таблици FieldsTarget=Целеви полета FieldTarget=Целево поле FieldSource=Начално поле -NbOfSourceLines=Брой на линиите във файла източник +NbOfSourceLines=Брой редове във входния файл NowClickToTestTheImport=Проверете дали файловият формат (разделители за поле и низ) на вашият файл съответства на показаните опции и че сте пропуснали заглавния ред или те ще бъдат маркирани като грешки в следващата симулация.
Кликнете върху бутона "%s", за да проверите структурата / съдържанието на файла и да симулирате процеса на импортиране.
Няма да бъдат променяни данни в базата данни . RunSimulateImportFile=Стартиране на симулация за импортиране FieldNeedSource=Това поле изисква данни от файла източник -SomeMandatoryFieldHaveNoSource=Някои от задължителните полета не са източник от файл с данни -InformationOnSourceFile=Информация за файла източник +SomeMandatoryFieldHaveNoSource=Някои задължителни полета нямат данни във входния файл +InformationOnSourceFile=Информация за входния файл InformationOnTargetTables=Информация за целевите полета -SelectAtLeastOneField=Включете поне едно поле източник в колоната на полета за износ -SelectFormat=Изберете този файлов формат за внос +SelectAtLeastOneField=Изберете поне едно начално поле от колоните с полета, за да експортирате +SelectFormat=Изберете този формат на файл за импортиране RunImportFile=Импортиране на данни NowClickToRunTheImport=Проверете резултатите от симулацията за импортиране. Коригирайте всички грешки и повторете теста.
Когато симулацията не съобщава за грешки може да продължите с импортирането на данните в базата данни. DataLoadedWithId=Импортираните данни ще имат допълнително поле във всяка таблица на базата данни с този идентификатор за импортиране: %s, за да могат да се търсят в случай на проучване за проблем, свързан с това импортиране. ErrorMissingMandatoryValue=Липсват задължителните данни във файла източник за поле %s. TooMuchErrors=Все още има %s други източници с грешки, но списъкът с грешки е редуциран. TooMuchWarnings=Все още има %s други източници с предупреждения, но списъкът с грешки е редуциран. -EmptyLine=Празен ред (ще бъдат отхвърлени) +EmptyLine=Празен ред (ще бъде изхвърлен) CorrectErrorBeforeRunningImport=Трябва да коригирате всички грешки, преди да изпълните окончателното импортиране. -FileWasImported=Файла е внесен с цифровите %s. +FileWasImported=Файлът беше импортиран с номер %s . YouCanUseImportIdToFindRecord=Може да намерите всички импортирани записи във вашата база данни, чрез филтриране за поле import_key = '%s'. -NbOfLinesOK=Брой на линии с грешки и без предупреждения: %s. -NbOfLinesImported=Брой на линиите успешно внесени: %s. -DataComeFromNoWhere=Стойност да вмъкнете идва от нищото в изходния файл. -DataComeFromFileFieldNb=Стойност да вмъкнете идва от %s номер в полето файла източник. -DataComeFromIdFoundFromRef=Стойността, която идва от поле с номер %s на файла източник ще бъде използвана за намиране на идентификатора на главния обект, който да се използва (така че обектът %s, който има реф. от файла източник трябва да съществува в базата данни) +NbOfLinesOK=Брой редове без грешки и без предупреждения: %s. +NbOfLinesImported=Брой редове, успешно импортирани: %s. +DataComeFromNoWhere=Стойността за вмъкване идва от нищото на входния файл. +DataComeFromFileFieldNb=Стойността за вмъкване идва от номер на поле %s във входния файл. +DataComeFromIdFoundFromRef=Стойността, която идва от поле с номер %s на файла източник ще бъде използвана за намиране на идентификатора на главния обект, който да се използва (така че обектът %s, който има номера от файла източник трябва да съществува в базата данни) DataComeFromIdFoundFromCodeId=Кодът, който идва от поле с номер %s на файла източник ще бъде използван за намиране на идентификатора на главния обект, който да се използва (така че кодът от файла източник трябва да съществува в речника %s). Обърнете внимание, че ако знаете id-то можете да го използвате и във файла източник вместо кода. Импортирането трябва да работи и в двата случая. -DataIsInsertedInto=Данните идващи от входния файл ще бъдат вмъкнати в следното поле: +DataIsInsertedInto=Данните, идващи от входния файл, ще бъдат вмъкнати в следното поле: DataIDSourceIsInsertedInto=Идентификационният номер (id) на главния обект е намерен с помощта на данните във файла източник и ще бъде вмъкнат в следното поле: DataCodeIDSourceIsInsertedInto=Идентификатора на основния ред, открит от кода, ще бъде вмъкнат в следното поле: -SourceRequired=Стойността на данните е задължително -SourceExample=Пример за възможно стойността на данните -ExampleAnyRefFoundIntoElement=Всеки код за елемент %s -ExampleAnyCodeOrIdFoundIntoDictionary=Всеки код (или id) намерено в речник %s +SourceRequired=Стойността на данните е задължителна +SourceExample=Пример за възможна стойност на данните +ExampleAnyRefFoundIntoElement=Всеки намерен номер за елемент %s +ExampleAnyCodeOrIdFoundIntoDictionary=Всеки код (или идентификатор), намерен в речника %s CSVFormatDesc= Стойност, разделена със запетая файлов формат (.csv).
Това е формат на текстов файл, в който полетата са разделени от разделител [%s]. Ако в съдържанието на полето бъде открит разделител, то полето се закръглява със закръгляващ символ [%s]. Escape символа определящ закръгляващия символ е [%s]. Excel95FormatDesc=Excel файлов формат (.xls)
Това е оригинален формат на Excel 95 (BIFF5). Excel2007FormatDesc=Excel файлов формат (.xlsx).
Това е оригинален формат на Excel 2007 (SpreadsheetML). -TsvFormatDesc=Tab раздяла формат стойност файл (TSV)
Това е формат текстов файл, където полетата са разделени с табулатор [Tab]. +TsvFormatDesc=Стойност, разделена със табулация (.tsv)
Това е формат на текстов файл, в който полетата са разделени от табулатор [tab]. ExportFieldAutomaticallyAdded=Полето %s е автоматично добавено. Ще бъдат избегнати подобни редове, които да се третират като дублиращи се записи (с добавянето на това поле всички редове ще притежават свой собствен идентификатор (id) и ще се различават). CsvOptions=Опции за формат CSV Separator=Разделител за полета @@ -111,9 +111,9 @@ SpecialCode=Специален код ExportStringFilter=%% позволява заместването на един или повече знаци в текста ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: филтри по година/месец/ден
YYYY+YYYY, YYYYMM+YYYYMM, YYYYMMDD+YYYYMMDD: филтри с обхват година/месец/ден
> YYYY, > YYYYMM, > YYYYMMDD: филтри за следващи години/месеци/дни
< YYYY, < YYYYMM, < YYYYMMDD: филтри за предишни години/месеци/дни ExportNumericFilter=NNNNN филтри по една стойност
NNNNN+NNNNN филтри с обхват от стойности
< NNNNN филтри с по-ниски стойности
> NNNNN филтри с по-високи стойности -ImportFromLine=Импортиране с начален ред +ImportFromLine=Импортиране, като се започне от начален ред EndAtLineNb=Край с последен ред -ImportFromToLine=Обхват (от - до), например да пропуснете заглавните редове +ImportFromToLine=Обхват (от - до), например, за да пропуснете ред на заглавие SetThisValueTo2ToExcludeFirstLine=Например, задайте тази стойност на 3, за да изключите първите 2 реда.
Ако заглавните редове не са пропуснати, това ще доведе до множество грешки по време на симулацията за импортиране. KeepEmptyToGoToEndOfFile=Запазете това поле празно, за да обработите всички редове до края на файла. SelectPrimaryColumnsForUpdateAttempt=Изберете колона(и), които да използвате като първичен ключ за импортиране на актуализация @@ -122,10 +122,10 @@ NoUpdateAttempt=Не е извършен опит за актуализация, ImportDataset_user_1=Потребители (служители или не) и реквизити ComputedField=Изчислено поле ## filters -SelectFilterFields=Ако желаете на филтрирате по някои стойности, просто въведете стойностите тук. +SelectFilterFields=Ако искате да филтрирате само някои стойности, просто ги въведете тук. FilteredFields=Филтрирани полета -FilteredFieldsValues=Стойност за филтер -FormatControlRule=Правило за контролиране на формата +FilteredFieldsValues=Стойност за филтър +FormatControlRule=Правило за управление на формат ## imports updates KeysToUseForUpdates=Ключ (колона), който да се използва за актуализиране на съществуващи данни NbInsert=Брой вмъкнати редове: %s diff --git a/htdocs/langs/bg_BG/holiday.lang b/htdocs/langs/bg_BG/holiday.lang index d8b9eb9c05c..262d6f37f8f 100644 --- a/htdocs/langs/bg_BG/holiday.lang +++ b/htdocs/langs/bg_BG/holiday.lang @@ -37,10 +37,12 @@ RequestByCP=По молба на TitreRequestCP=Молба за отпуск TypeOfLeaveId=Идентификатор за вид отпуск TypeOfLeaveCode=Код за вид отпуск -TypeOfLeaveLabel=Етикет за вид отпуск +TypeOfLeaveLabel=Име на вид отпуск NbUseDaysCP=Брой дни използвани за отпуск +NbUseDaysCPHelp=Изчисляването отчита неработните дни и празниците, определени в речника. NbUseDaysCPShort=Използвани дни NbUseDaysCPShortInMonth=Използвани дни в месеца +DayIsANonWorkingDay=%s е неработен ден DateStartInMonth=Начална дата в месеца DateEndInMonth=Крайна дата в месеца EditCP=Промяна @@ -125,7 +127,7 @@ GoIntoDictionaryHolidayTypes=Отидете в Начало -> Наст HolidaySetup=Настройка на модул Молби за отпуск HolidaysNumberingModules=Модели за номериране на молби за отпуск TemplatePDFHolidays=PDF шаблон за молби за отпуск -FreeLegalTextOnHolidays=Свободен текст в молбите за отпуск -WatermarkOnDraftHolidayCards=Воден знак върху черновата на молба за отпуск +FreeLegalTextOnHolidays=Свободен текст в молби за отпуск +WatermarkOnDraftHolidayCards=Воден знак върху чернови молби за отпуск HolidaysToApprove=Молби за отпуск за одобрение NobodyHasPermissionToValidateHolidays=Никой няма права за валидиране на молби за отпуск diff --git a/htdocs/langs/bg_BG/install.lang b/htdocs/langs/bg_BG/install.lang index 5507c999f03..901a272bd3e 100644 --- a/htdocs/langs/bg_BG/install.lang +++ b/htdocs/langs/bg_BG/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=PHP поддържа Curl. PHPSupportCalendar=PHP поддържа разширения на календари. PHPSupportUTF8=PHP поддържа UTF8 функции. PHPSupportIntl=PHP поддържа Intl функции. +PHPSupport=PHP поддържа %s функции. PHPMemoryOK=Максималният размер на паметта за PHP сесия е настроен на %s. Това трябва да е достатъчно. PHPMemoryTooLow=Вашият максимален размер на паметта за PHP сесия е настроен на %s байта. Това е твърде ниско. Променете php.ini като зададете стойност на параметър memory_limit поне %s байта. Recheck=Кликнете тук за по-подробен тест @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Вашата PHP инсталация не поддъ ErrorPHPDoesNotSupportCalendar=Вашата PHP инсталация не поддържа разширения за календар. ErrorPHPDoesNotSupportUTF8=Вашата PHP инсталация не поддържа UTF8 функции. Dolibarr не може да работи правилно. Решете това преди да инсталирате Dolibarr. ErrorPHPDoesNotSupportIntl=Вашата PHP инсталация не поддържа Intl функции. +ErrorPHPDoesNotSupport=Вашата PHP инсталация не поддържа %s функции. ErrorDirDoesNotExists=Директорията %s не съществува. ErrorGoBackAndCorrectParameters=Върнете се назад и проверете / коригирайте параметрите. ErrorWrongValueForParameter=Може да сте въвели грешна стойност за параметър '%s'. @@ -166,7 +168,7 @@ MigrationPaymentsNothingToUpdate=Няма повече неща за праве MigrationPaymentsNothingUpdatable=Няма повече плащания, които могат да бъдат коригирани MigrationContractsUpdate=Корекция на данни за договори MigrationContractsNumberToUpdate=%s договор(и) за актуализиране -MigrationContractsLineCreation=Създаване на ред за реф. договор %s +MigrationContractsLineCreation=Създаване на ред съгласно договор № %s MigrationContractsNothingToUpdate=Няма повече неща за правене MigrationContractsFieldDontExist=Поле fk_facture вече не съществува. Няма нищо за правене. MigrationContractsEmptyDatesUpdate=Корекция на празна дата в договори diff --git a/htdocs/langs/bg_BG/interventions.lang b/htdocs/langs/bg_BG/interventions.lang index 4af40060478..489cfbcd0db 100644 --- a/htdocs/langs/bg_BG/interventions.lang +++ b/htdocs/langs/bg_BG/interventions.lang @@ -55,7 +55,7 @@ NumberOfInterventionsByMonth=Брой интервенции по месец (п AmountOfInteventionNotIncludedByDefault=Общата продължителност на интервенцията не е включена по подразбиране в печалбата (в повечето случаи за отчитане на времето се използват графиците за отделно време). Добавете опцията PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT със стойност 1 в Начало -> Настройки -> Други настройки, за да я включите. ##### Exports ##### InterId=Идентификатор на интервенция -InterRef=Реф. интервенция +InterRef=Съгласно интервенция № InterDateCreation=Дата на създаване на интервенцията InterDuration=Продължителност на интервенцията InterStatus=Статус на интервенцията diff --git a/htdocs/langs/bg_BG/main.lang b/htdocs/langs/bg_BG/main.lang index fb672f0a076..48a7559216c 100644 --- a/htdocs/langs/bg_BG/main.lang +++ b/htdocs/langs/bg_BG/main.lang @@ -180,8 +180,8 @@ Of=на Go=Давай Run=Изпълни CopyOf=Копие на -Show=Покажи -Hide=Скрий +Show=Показване на +Hide=Скриване ShowCardHere=Показване на карта Search=Търсене SearchOf=Търсене @@ -222,8 +222,8 @@ Language=Език MultiLanguage=Мултиезичност Note=Бележка Title=Заглавие -Label=Етикет -RefOrLabel=Референция или етикет +Label=Име +RefOrLabel=№ или име Info=История Family=Фамилия Description=Описание @@ -266,7 +266,7 @@ DateModificationShort=Промяна DateLastModification=Дата на последна промяна DateValidation=Дата на валидиране DateClosing=Дата на приключване -DateDue=Дата на падеж +DateDue=Краен срок за плащане DateValue=Дата на вальор DateValueShort=Вальор DateOperation=Дата на изпълнение @@ -428,10 +428,10 @@ OtherStatistics=Други статистически данни Status=Статус Favorite=Фаворит ShortInfo=Инфо. -Ref=Реф. -ExternalRef=Реф. външна -RefSupplier=Реф. доставчик -RefPayment=Реф. плащане +Ref=№ +ExternalRef=Външен № +RefSupplier=Изх. № на доставчик +RefPayment=Плащане № CommercialProposalsShort=Търговски предложения Comment=Коментар Comments=Коментари @@ -494,7 +494,7 @@ ApprovedBy=Одобрено от ApprovedBy2=Одобрено от (второ одобрение) Approved=Одобрено Refused=Отхвърлено -ReCalculate=Преизчисляване +ReCalculate=Преизчисляване по ResultKo=Неуспех Reporting=Справка Reportings=Справки @@ -633,7 +633,7 @@ CustomerPreview=Преглед на клиент SupplierPreview=Преглед на доставчик ShowCustomerPreview=Преглеждане на клиент ShowSupplierPreview=Преглеждане на доставчик -RefCustomer=Реф. клиент +RefCustomer=Изх. № на клиент Currency=Валута InfoAdmin=Информация за администратори Undo=Отменяне @@ -786,7 +786,7 @@ ByYear=По година ByMonth=По месец ByDay=По ден BySalesRepresentative=По търговски представител -LinkedToSpecificUsers=Свързани с конкретен потребител +LinkedToSpecificUsers=С потребител за контакт NoResults=Няма резултати AdminTools=Администрация SystemTools=Системни инструменти @@ -818,7 +818,7 @@ PrintFile=Печат на файл %s ShowTransaction=Показване на запис на банкова сметка ShowIntervention=Показване на интервенция ShowContract=Показване на договор -GoIntoSetupToChangeLogo=Отидете в Начало - Настройка - Фирма / Организация, за да промените логото или в Начало - Настройка - Екран, за да го скриете. +GoIntoSetupToChangeLogo=Отидете в Начало - Настройка - Фирма / Организация, за да промените логото или в Начало - Настройка - Интерфейс, за да го скриете. Deny=Отхвърляне Denied=Отхвърлено ListOf=Списък на %s @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Договор ContactDefault_facture=Фактура ContactDefault_fichinter=Интервенция ContactDefault_invoice_supplier=Фактура за доставка -ContactDefault_order_supplier=Поръчка на покупка +ContactDefault_order_supplier=Поръчка за покупка ContactDefault_project=Проект ContactDefault_project_task=Задача ContactDefault_propal=Офериране @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Запитване за доставка ContactDefault_ticketsup=Тикет ContactAddedAutomatically=Контактът е добавен от контактите на контрагента More=Повече +ShowDetails=Показване на детайли +CustomReports=Персонализирани отчети +SelectYourGraphOptionsFirst=Изберете опциите за изграждане на вашата диаграма diff --git a/htdocs/langs/bg_BG/members.lang b/htdocs/langs/bg_BG/members.lang index 9f4ea0538a2..4589dadd399 100644 --- a/htdocs/langs/bg_BG/members.lang +++ b/htdocs/langs/bg_BG/members.lang @@ -4,7 +4,7 @@ MemberCard=Карта на член SubscriptionCard=Карта на членски внос Member=Член Members=Членове -ShowMember=Покажи карта на член +ShowMember=Показване на карта на член UserNotLinkedToMember=Потребителя не е свързан към член ThirdpartyNotLinkedToMember=Контрагента, не е свързан с член MembersTickets=Членски Билети @@ -38,7 +38,7 @@ MemberId=ID на член NewMember=Нов член MemberType=Тип член MemberTypeId=ID на тип член -MemberTypeLabel=Етикет на тип член +MemberTypeLabel=Име на вид член MembersTypes=Типове членове MemberStatusDraft=Чернова (нуждае се да бъде валидирана) MemberStatusDraftShort=Чернова @@ -52,6 +52,9 @@ MemberStatusResiliated=Terminated member MemberStatusResiliatedShort=Terminated MembersStatusToValid=Кандидати за членове MembersStatusResiliated=Terminated members +MemberStatusNoSubscription=Validated (no subscription needed) +MemberStatusNoSubscriptionShort=Валидирана +SubscriptionNotNeeded=No subscription needed NewCotisation=Нова вноска PaymentSubscription=Плащане на нова вноска SubscriptionEndDate=Чл. внос до дата @@ -106,7 +109,7 @@ DateAndTime=Дата и час PublicMemberCard=Публична карта на член SubscriptionNotRecorded=Subscription not recorded AddSubscription=Create subscription -ShowSubscription=Покажи чл. внос +ShowSubscription=Показване на абонамент # Label of email templates SendingAnEMailToMember=Sending information email to member SendingEmailOnAutoSubscription=Sending email on auto registration @@ -135,7 +138,7 @@ DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Email template to use to send email to DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Email template to use to send email reminder when subscription is about to expire DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Email template to use to send email to a member on member cancelation DescADHERENT_MAIL_FROM=Sender Email for automatic emails -DescADHERENT_ETIQUETTE_TYPE=Формат на страницата за етикети +DescADHERENT_ETIQUETTE_TYPE=Формат на страница за етикети DescADHERENT_ETIQUETTE_TEXT=Текст показван на адресната карта на член DescADHERENT_CARD_TYPE=Формат на страницата за карти DescADHERENT_CARD_HEADER_TEXT=Текст отпечатан отгоре на членските карти diff --git a/htdocs/langs/bg_BG/modulebuilder.lang b/htdocs/langs/bg_BG/modulebuilder.lang index 96c7970aa79..1ae723051fd 100644 --- a/htdocs/langs/bg_BG/modulebuilder.lang +++ b/htdocs/langs/bg_BG/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/bg_BG/mrp.lang b/htdocs/langs/bg_BG/mrp.lang index 47cf7484fde..ffd165a4e5e 100644 --- a/htdocs/langs/bg_BG/mrp.lang +++ b/htdocs/langs/bg_BG/mrp.lang @@ -50,16 +50,19 @@ BomAndBomLines=Спецификации с материали и редове BOMLine=Ред на спецификация с материали WarehouseForProduction=Склад за производство CreateMO=Създаване на поръчка за производство -ToConsume=За употребяване +ToConsume=За използване ToProduce=За произвеждане -QtyAlreadyConsumed=Употребено кол. +QtyAlreadyConsumed=Използвано кол. QtyAlreadyProduced=Произведено кол. -ConsumeAndProduceAll=Общо употребено и произведено +ConsumeOrProduce=Използвано или произведено +ConsumeAndProduceAll=Общо използвано и произведено Manufactured=Произведено TheProductXIsAlreadyTheProductToProduce=Продуктът, който добавяте, вече е продукт, който трябва да произведете. ForAQuantityOf1=Количество за производство на 1 ConfirmValidateMo=Сигурни ли сте, че искате да валидирате тази поръчка за производство? ConfirmProductionDesc=С кликване върху '%s' ще потвърдите потреблението и / или производството за определените количества. Това също така ще актуализира наличностите и ще регистрира движението им. -ProductionForRefAndDate=Производство %s - %s +ProductionForRef=Производство на %s AutoCloseMO=Автоматично приключване на поръчка за производство при достигнати количества за потребление и производство NoStockChangeOnServices=Без променяне на наличности за услуги +ProductQtyToConsumeByMO=Количество продукт, което да се използва от активна ПП +ProductQtyToProduceByMO=Количество продукт, което да се произведе за активна ПП diff --git a/htdocs/langs/bg_BG/opensurvey.lang b/htdocs/langs/bg_BG/opensurvey.lang index 25b54a8328d..bb71c6b19d0 100644 --- a/htdocs/langs/bg_BG/opensurvey.lang +++ b/htdocs/langs/bg_BG/opensurvey.lang @@ -31,7 +31,7 @@ CheckBox=Отметка YesNoList=Списък (празно/да/не) PourContreList=Списък (празно/за/против) AddNewColumn=Добавяне на нова колона -TitleChoice=Избор на етикет +TitleChoice=Име на избор ExportSpreadsheet=Експортиране на таблица с резултати ExpireDate=Крайна дата NbOfSurveys=Брой анкети diff --git a/htdocs/langs/bg_BG/orders.lang b/htdocs/langs/bg_BG/orders.lang index 1dd03792ba7..5ee9295768f 100644 --- a/htdocs/langs/bg_BG/orders.lang +++ b/htdocs/langs/bg_BG/orders.lang @@ -101,10 +101,10 @@ ClassifyShipped=Класифициране като 'Доставена' DraftOrders=Чернови поръчки DraftSuppliersOrders=Чернови поръчки за покупка OnProcessOrders=Поръчки в изпълнение -RefOrder=Реф. поръчка -RefCustomerOrder=Реф. поръчка на клиент -RefOrderSupplier=Реф. поръчка на доставчик -RefOrderSupplierShort=Реф. поръчка на доставчик +RefOrder=Поръчка № +RefCustomerOrder=Изх. № на поръчка на клиент +RefOrderSupplier=Изх. № на поръчка на доставчик +RefOrderSupplierShort=Изх. № на доставчик SendOrderByMail=Изпращане на поръчка по имейл ActionsOnOrder=Свързани събития NoArticleOfTypeProduct=Няма артикул от тип 'продукт', така че няма артикули годни за доставка по тази поръчка @@ -141,10 +141,10 @@ OrderByEMail=Имейл OrderByWWW=Онлайн OrderByPhone=Телефон # Documents models -PDFEinsteinDescription=Шаблон за поръчка (лого...) -PDFEratostheneDescription=Шаблон за поръчка (лого...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Опростен шаблон за поръчка -PDFProformaDescription=Проформа фактура (лого…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Поръчки за фактуриране NoOrdersToInvoice=Няма поръчки за фактуриране CloseProcessedOrdersAutomatically=Класифициране като 'Обработени' на всички избрани поръчки. diff --git a/htdocs/langs/bg_BG/other.lang b/htdocs/langs/bg_BG/other.lang index 33676bdb28d..750133b0d0d 100644 --- a/htdocs/langs/bg_BG/other.lang +++ b/htdocs/langs/bg_BG/other.lang @@ -24,7 +24,7 @@ MessageOK=Съобщение на обратната страница за ва MessageKO=Съобщение на обратната страница за анулирано плащане ContentOfDirectoryIsNotEmpty=Директорията не е празна. DeleteAlsoContentRecursively=Проверете за рекурсивно изтриване на цялото съдържание - +PoweredBy=Powered by YearOfInvoice=Година от датата на фактурата PreviousYearOfInvoice=Предишна година от датата на фактурата NextYearOfInvoice=Следваща година от датата на фактурата @@ -104,7 +104,8 @@ DemoFundation=Управление на членове на организаци DemoFundation2=Управление на членове и банкова сметка на организация DemoCompanyServiceOnly=Фирма или фрийлансър продаващи само услуги DemoCompanyShopWithCashDesk=Управление на магазин с каса -DemoCompanyProductAndStocks=Фирма продаваща продукти с магазин +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Фирма с множество дейности (всички основни модули) CreatedBy=Създадено от %s ModifiedBy=Променено от %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL адрес на страницата WEBSITE_TITLE=Заглавие WEBSITE_DESCRIPTION=Описание WEBSITE_IMAGE=Изображение -WEBSITE_IMAGEDesc=Относителен път до изображението. Можете да запазите това празно, тъй като рядко се използва (може да се използва от динамично съдържание, за да се покаже визуализация на списък с публикации в блогове). +WEBSITE_IMAGEDesc=Относителен път до изображението. Може да запазите това празно, тъй като се използва рядко (може да се използва от динамично съдържание, за да се покаже миниатюра в списък с публикации в блога). Използвайте __WEBSITEKEY__ в пътя, ако пътят зависи от името на уебсайта. WEBSITE_KEYWORDS=Ключови думи LinesToImport=Редове за импортиране diff --git a/htdocs/langs/bg_BG/paybox.lang b/htdocs/langs/bg_BG/paybox.lang index da948d42d5e..8c18c1741af 100644 --- a/htdocs/langs/bg_BG/paybox.lang +++ b/htdocs/langs/bg_BG/paybox.lang @@ -4,7 +4,7 @@ PayBoxDesc=Този модул предлага страници позволя FollowingUrlAreAvailableToMakePayments=Следните URL адреси са налични, за да осигурят достъп на клиент, за да извърши плащане по Dolibarr обекти PaymentForm=Формуляр за плащане WelcomeOnPaymentPage=Добре дошли в страницата на нашата онлайн услуга за плащане -ThisScreenAllowsYouToPay=Този екран ви позволява да направите онлайн плащане към %s +ThisScreenAllowsYouToPay=Този екран ви позволява да направите онлайн плащане по %s ThisIsInformationOnPayment=Това е информация за плащането, което трябва да направите ToComplete=За завършване YourEMail=Имейл за получаване на потвърждение за плащане diff --git a/htdocs/langs/bg_BG/products.lang b/htdocs/langs/bg_BG/products.lang index 0ba2f294a58..0d130454cb6 100644 --- a/htdocs/langs/bg_BG/products.lang +++ b/htdocs/langs/bg_BG/products.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - products -ProductRef=Реф. продукт -ProductLabel=Етикет на продукт -ProductLabelTranslated=Преведен продуктов етикет +ProductRef=№ +ProductLabel=Име +ProductLabelTranslated=Преведено име на продукт ProductDescription=Описание на продукта ProductDescriptionTranslated=Преведено продуктово описание ProductNoteTranslated=Преведена продуктова бележка @@ -77,15 +77,15 @@ SoldAmount=Стойност на продажбите PurchasedAmount=Стойност на покупките NewPrice=Нова цена MinPrice=Минимална продажна цена -EditSellingPriceLabel=Променяне на етикета на продажната цена +EditSellingPriceLabel=Променяне на етикета с продажна цена CantBeLessThanMinPrice=Продажната цена не може да бъде по-ниска от минимално допустимата за този продукт/услуга (%s без ДДС). Това съобщение може да се появи, ако въведете твърде голяма отстъпка. ContractStatusClosed=Затворен -ErrorProductAlreadyExists=Вече съществува продукт / услуга с реф. %s. -ErrorProductBadRefOrLabel=Грешна стойност за референция или етикет. +ErrorProductAlreadyExists=Вече съществува продукт / услуга с № %s. +ErrorProductBadRefOrLabel=Грешна стойност за № или име ErrorProductClone=Възникна проблем при опит за клониране на продукта/услугата. ErrorPriceCantBeLowerThanMinPrice=Грешка, цената не може да бъде по-ниска от минималната цена. Suppliers=Доставчици -SupplierRef=Реф. (SKU) +SupplierRef=№ (SKU) ShowProduct=Показване на продукт ShowService=Показване на услуга ProductsAndServicesArea=Секция за продукти и услуги @@ -157,7 +157,7 @@ CloneCategoriesProduct=Клониране на свързани тагове / CloneCompositionProduct=Клониране на виртуален продукт / услуга CloneCombinationsProduct=Клониране на варианти на продукта ProductIsUsed=Този продукт се използва -NewRefForClone=Реф. на нов продукт / услуга +NewRefForClone=№ на нов продукт / услуга SellingPrices=Продажни цени BuyingPrices=Покупни цени CustomerPrices=Клиентски цени @@ -225,8 +225,8 @@ unitFT3=фт³ unitIN3=ин³ unitOZ3=унция unitgallon=галон -ProductCodeModel=Шаблон за генериране на реф. продукт -ServiceCodeModel=Шаблон за генериране на реф. услуга +ProductCodeModel=Шаблон за генериране на № на продукт +ServiceCodeModel=Шаблон за генериране на № на услуга CurrentProductPrice=Текуща цена AlwaysUseNewPrice=Винаги да се използва текуща цена на продукт / услуга AlwaysUseFixedPrice=Използване на фиксирана цена @@ -303,14 +303,14 @@ LastUpdated=Последна актуализация CorrectlyUpdated=Правилно актуализирано PropalMergePdfProductActualFile=Файловете използвани за добавяне в PDF Azur са PropalMergePdfProductChooseFile=Избиране на PDF файлове -IncludingProductWithTag=Включително продукт / услуга с таг / категория +IncludingProductWithTag=Включващи продукт / услуга от категория DefaultPriceRealPriceMayDependOnCustomer=Цена по подразбиране, реалната цена може да зависи от клиента WarningSelectOneDocument=Моля, изберете поне един документ DefaultUnitToShow=Мярка NbOfQtyInProposals=Количество в предложенията ClinkOnALinkOfColumn=Кликнете върху връзката от колона %s, за да получите подробен изглед... ProductsOrServicesTranslations=Преводи на Продукти / Услуги -TranslatedLabel=Преведен етикет +TranslatedLabel=Преведено име TranslatedDescription=Преведено описание TranslatedNote=Преведени бележки ProductWeight=Тегло за 1 продукт @@ -337,7 +337,7 @@ ProductAttributes=Атрибути на вариант за продукти ProductAttributeName=Атрибут на вариант %s ProductAttribute=Атрибут на вариант ProductAttributeDeleteDialog=Сигурни ли сте, че искате да изтриете този атрибут? Всички стойности ще бъдат изтрити. -ProductAttributeValueDeleteDialog=Сигурни ли сте, че искате да изтриете стойността '%s' с реф. № '%s' на този атрибут? +ProductAttributeValueDeleteDialog=Сигурни ли сте, че искате да изтриете стойността '%s' с № '%s' за този атрибут? ProductCombinationDeleteDialog=Сигурни ли сте, че искате да изтриете варианта на продукта '%s'? ProductCombinationAlreadyUsed=Възникна грешка при изтриването на варианта. Моля, проверете дали не се използва в някой обект ProductCombinations=Варианти diff --git a/htdocs/langs/bg_BG/projects.lang b/htdocs/langs/bg_BG/projects.lang index eddae2ffd73..7cf1856eee1 100644 --- a/htdocs/langs/bg_BG/projects.lang +++ b/htdocs/langs/bg_BG/projects.lang @@ -1,8 +1,8 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Реф. проект -ProjectRef=Проект реф. +RefProject=Съгласно проект № +ProjectRef=Проект № ProjectId=Идентификатор на проект -ProjectLabel=Етикет на проект +ProjectLabel=Име на проект ProjectsArea=Секция за проекти ProjectStatus=Статус на проект SharedProject=Всички @@ -46,8 +46,8 @@ TimeSpentByYou=Време, отделено от вас TimeSpentByUser=Време, отделено от потребител TimesSpent=Отделено време TaskId=Идентификатор на задача -RefTask=Реф. задача -LabelTask=Етикет на задача +RefTask=Задача № +LabelTask=Име на задача TaskTimeSpent=Време, отделено на задачи TaskTimeUser=Потребител TaskTimeNote=Бележка @@ -77,7 +77,7 @@ MyProjectsArea=Секция с мои проекти DurationEffective=Ефективна продължителност ProgressDeclared=Деклариран напредък TaskProgressSummary=Напредък на задачата -CurentlyOpenedTasks=Текущи отворени задачи +CurentlyOpenedTasks=Отворени задачи в момента TheReportedProgressIsLessThanTheCalculatedProgressionByX=Декларираният напредък е по-малко %s от изчисления напредък TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Декларираният напредък е повече %s от изчисления напредък ProgressCalculated=Изчислен напредък @@ -212,7 +212,7 @@ ProjectsStatistics=Статистики на проекти / възможнос TasksStatistics=Статистика на задачи TaskAssignedToEnterTime=Задачата е възложена. Въвеждането на време по тази задача трябва да е възможно. IdTaskTime=Идентификатор на време на задача -YouCanCompleteRef=Ако искате да завършите реф. с някакъв суфикс, препоръчително е да добавите символ "-", за да го разделите, така че автоматичното номериране да продължи да работи правилно за следващите проекти. Например %s-MYSUFFIX +YouCanCompleteRef=Ако искате да завършите номера с някакъв суфикс, препоръчително е да добавите символ "-", за да го отделите, така че автоматичното номериране да продължи да работи правилно за следващите проекти. Например %s-Суфикс OpenedProjectsByThirdparties=Отворени проекти по контрагенти OnlyOpportunitiesShort=Само възможности OpenedOpportunitiesShort=Отворени възможности @@ -229,7 +229,7 @@ OppStatusPENDING=Изчакване OppStatusWON=Спечелен OppStatusLOST=Загубен Budget=Бюджет -AllowToLinkFromOtherCompany=Позволяване свързването на проект от друга компания

Поддържани стойности:
- Оставете празно: Може да свържете всеки проект на компанията (по подразбиране)
- 'all': Може да свържете всеки проект, дори проекти на други компании
- Списък на идентификатори на контрагенти, разделени със запетая: може да свържете всички проекти на тези контрагенти (Пример: 123,4795,53)
+AllowToLinkFromOtherCompany=Позволяване на свързването на проект от друга контрагент

Поддържани стойности:
- Оставете празно: Може да свържете всеки проект на контрагента (по подразбиране)
- 'all': Може да свържете всеки проект, дори проекти на други контрагенти
- Списък на идентификатори на контрагенти, разделени със запетая: Може да свържете всички проекти на тези контрагенти (Пример: 123,4795,53)
LatestProjects=Проекти: %s последни LatestModifiedProjects=Проекти: %s последно променени OtherFilteredTasks=Други филтрирани задачи @@ -243,15 +243,19 @@ DontHaveTheValidateStatus=Проектът %s трябва да бъде отв RecordsClosed=%s проект(а) е(са) приключен(и) SendProjectRef=Информация за проект %s ModuleSalaryToDefineHourlyRateMustBeEnabled=Модулът 'Заплати' трябва да бъде активиран, за да дефинирате почасова ставка на служителите, за да оценените отделеното по проекта време -NewTaskRefSuggested=Реф. № на задачата вече се използва, изисква се нов +NewTaskRefSuggested=Номера на задачата вече се използва, изисква се нов номер. TimeSpentInvoiced=Фактурирано отделено време TimeSpentForInvoice=Отделено време OneLinePerUser=Един ред на потребител ServiceToUseOnLines=Услуга за използване по редовете InvoiceGeneratedFromTimeSpent=Фактура %s е генерирана въз основа на отделеното време по проекта -ProjectBillTimeDescription=Проверете дали въвеждате график за задачите на проекта и планирате да генерирате фактура(и) от графика, за да таксувате клиента за проекта (не проверявайте дали планирате да създадете фактура, която не се основава на въведените часове). +ProjectBillTimeDescription=Маркирайте, ако въвеждате график на задачите в проекта и планирате да генерирате фактура(и) за клиента от графика на задачите в проекта (не маркирайте, ако планирате да създадете фактура, която не се основава на въведеният график на задачите). Забележка: За да генерирате фактура, отидете в раздела "Отделено време" на проекта и изберете редовете, които да включите. ProjectFollowOpportunity=Проследяване на възможности ProjectFollowTasks=Проследяване на задачи UsageOpportunity=Употреба: Възможност UsageTasks=Употреба: Задачи UsageBillTimeShort=Употреба: Фактуриране на време +InvoiceToUse=Чернова фактура, която да използвате +NewInvoice=Нова фактура +OneLinePerTask=Един ред на задача +OneLinePerPeriod=Един ред на период diff --git a/htdocs/langs/bg_BG/propal.lang b/htdocs/langs/bg_BG/propal.lang index a7392ece08c..68f6e2e2969 100644 --- a/htdocs/langs/bg_BG/propal.lang +++ b/htdocs/langs/bg_BG/propal.lang @@ -42,7 +42,7 @@ PropalsToClose=Търговски предложения за приключва PropalsToBill=Подписани търговски предложения за фактуриране ListOfProposals=Списък на търговски предложения ActionsOnPropal=Свързани събития -RefProposal=Реф. търговско предложение +RefProposal=Съгласно търговско предложение № SendPropalByMail=Изпращане на търговско предложение на имейл DatePropal=Дата на създаване DateEndPropal=Валидно до @@ -71,15 +71,16 @@ AvailabilityTypeAV_2W=2 седмици AvailabilityTypeAV_3W=3 седмици AvailabilityTypeAV_1M=1 месец ##### Types de contacts ##### -TypeContact_propal_internal_SALESREPFOLL=Изготвил предложението -TypeContact_propal_external_BILLING=Получател на фактурата -TypeContact_propal_external_CUSTOMER=Получател на предложението -TypeContact_propal_external_SHIPPING=Получател на доставката +TypeContact_propal_internal_SALESREPFOLL=Изготвил предложение +TypeContact_propal_external_BILLING=Получател на фактура +TypeContact_propal_external_CUSTOMER=Получател на предложение +TypeContact_propal_external_SHIPPING=Получател на доставка # Document models -DocModelAzurDescription=Завършен шаблон за предложение (лого...) -DocModelCyanDescription=Завършен шаблон за предложение (лого...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Създаване на шаблон по подразбиране DefaultModelPropalToBill=Шаблон по подразбиране, когато се приключва търговско предложение (за да бъде фактурирано) DefaultModelPropalClosed=Шаблон по подразбиране, когато се приключва търговско предложение (не таксувано) ProposalCustomerSignature=Име, фамилия, фирмен печат, дата и подпис ProposalsStatisticsSuppliers=Статистика на запитванията към доставчици +CaseFollowedBy=Случай, проследяван от diff --git a/htdocs/langs/bg_BG/sendings.lang b/htdocs/langs/bg_BG/sendings.lang index ceedcd5a309..8af5bad7601 100644 --- a/htdocs/langs/bg_BG/sendings.lang +++ b/htdocs/langs/bg_BG/sendings.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - sendings -RefSending=Реф. пратка +RefSending=Пратка № Sending=Пратка Sendings=Пратки AllSendings=Всички пратки @@ -44,7 +44,7 @@ DocumentModelMerou=Шаблон А5 размер WarningNoQtyLeftToSend=Внимание, няма продукти чакащи да бъдат изпратени. StatsOnShipmentsOnlyValidated=Статистики водени само за валидирани пратки. Използваната дата е дата на валидиране на пратка (планираната дата на доставка не винаги е известна) DateDeliveryPlanned=Планирана дата за доставка -RefDeliveryReceipt=Реф. разписка за доставка +RefDeliveryReceipt=Разписка за доставка № StatusReceipt=Статус DateReceived=Дата на получаване ClassifyReception=Класифициране на приема diff --git a/htdocs/langs/bg_BG/stocks.lang b/htdocs/langs/bg_BG/stocks.lang index bb83bbb34ef..15d05c01636 100644 --- a/htdocs/langs/bg_BG/stocks.lang +++ b/htdocs/langs/bg_BG/stocks.lang @@ -136,13 +136,14 @@ RuleForStockAvailability=Правила за изискванията към н StockMustBeEnoughForInvoice=Нивото на наличност трябва да е достатъчно, за добавите продукт / услуга към фактура (проверката се прави по текущите реални наличности, по време на добавяне на ред във фактура, независимо от правилото за автоматична промяна на наличността) StockMustBeEnoughForOrder=Нивото на наличност трябва да е достатъчно, за да добавите продукт / услуга към поръчка (проверката се извършва по текущите реални наличности, по време на добавяне на ред в поръчка, независимо от правилото за автоматична промяна на наличността) StockMustBeEnoughForShipment= Нивото на наличност трябва да е достатъчно, за да добавите продукт / услуга към пратка (проверката се прави по текущите реални наличности, по време на добавяне на ред в пратката, независимо от правилото за автоматична промяна на наличността) -MovementLabel=Етикет на движение +MovementLabel=Име на движение TypeMovement=Вид на движение DateMovement=Дата на движение InventoryCode=Код на движение / Инвентарен код IsInPackage=Съдържа се в опаковка WarehouseAllowNegativeTransfer=Наличността може да бъде отрицателна qtyToTranferIsNotEnough=Нямате достатъчно наличности в изпращащия склад и настройката ви не позволява отрицателни наличности. +qtyToTranferLotIsNotEnough=Нямате достатъчно наличност за този партиден номер в изпращащият склад, а вашата настройка не позволява отрицателна наличност (Кол. за продукт '%s' от партида '%s' е '%s' в склад '%s'). ShowWarehouse=Показване на склад MovementCorrectStock=Корекция на наличност за продукт %s MovementTransferStock=Прехвърляне на наличност за продукт %s в друг склад @@ -192,6 +193,7 @@ TheoricalQty=Теоретично количество TheoricalValue=Теоретична стойност LastPA=Последна най-добра цена CurrentPA=Текуща най-добра цена +RecordedQty=Recorded Qty RealQty=Реално количество RealValue=Реална стойност RegulatedQty=Регулирано количество diff --git a/htdocs/langs/bg_BG/supplier_proposal.lang b/htdocs/langs/bg_BG/supplier_proposal.lang index c790cb922b5..0507712eab3 100644 --- a/htdocs/langs/bg_BG/supplier_proposal.lang +++ b/htdocs/langs/bg_BG/supplier_proposal.lang @@ -9,14 +9,14 @@ DraftRequests=Чернови на запитвания SupplierProposalsDraft=Чернови на запитвания за цени LastModifiedRequests=Запитвания за цени: %s последно променени RequestsOpened=Отворени запитвания за цени -SupplierProposalArea=Секция за запитвания за оферти +SupplierProposalArea=Секция за запитвания към доставчици SupplierProposalShort=Запитване към доставчик SupplierProposals=Запитвания към доставчик SupplierProposalsShort=Запитвания към доставчик NewAskPrice=Ново запитване за цена ShowSupplierProposal=Показване на запитване за цена AddSupplierProposal=Създаване на запитване за цена -SupplierProposalRefFourn=Реф. № на доставчик +SupplierProposalRefFourn=Съгласно запитване № SupplierProposalDate=Дата на доставка SupplierProposalRefFournNotice=Преди да затворите като 'Прието', помислете дали сте разбрали референциите на доставчиците. ConfirmValidateAsk=Сигурни ли сте, че искате да валидирате това запитване за цена с № %s? diff --git a/htdocs/langs/bg_BG/suppliers.lang b/htdocs/langs/bg_BG/suppliers.lang index d83eb071c1e..70bb7c8d598 100644 --- a/htdocs/langs/bg_BG/suppliers.lang +++ b/htdocs/langs/bg_BG/suppliers.lang @@ -15,11 +15,11 @@ SomeSubProductHaveNoPrices=Някои субпродукти нямат дефи AddSupplierPrice=Добавяне на покупна цена ChangeSupplierPrice=Промяна на покупна цена SupplierPrices=Доставни цени -ReferenceSupplierIsAlreadyAssociatedWithAProduct=Този реф. № (SKU) е вече свързан с продукт: %s +ReferenceSupplierIsAlreadyAssociatedWithAProduct=Този № (SKU) е вече асоцииран с продукт № %s NoRecordedSuppliers=Няма регистриран доставчик SupplierPayment=Плащане към доставчик SuppliersArea=Секция с доставчици -RefSupplierShort=Реф. № (SKU) +RefSupplierShort=№ (SKU) Availability=Наличност ExportDataset_fournisseur_1=Фактури за доставка и подробности за тях ExportDataset_fournisseur_2=Фактури и плащания за доставка diff --git a/htdocs/langs/bg_BG/ticket.lang b/htdocs/langs/bg_BG/ticket.lang index 9186916faac..5ab22b28041 100644 --- a/htdocs/langs/bg_BG/ticket.lang +++ b/htdocs/langs/bg_BG/ticket.lang @@ -273,7 +273,7 @@ ViewTicket=Преглед на тикет ViewMyTicketList=Преглед на моя списък с тикети ErrorEmailMustExistToCreateTicket=Грешка: имейл адресът не е намерен в нашата база данни TicketNewEmailSubjectAdmin=Създаден е нов тикет - № %s -TicketNewEmailBodyAdmin=Здравейте,\nБеше създаден нов тикет с проследяващ код %s, вижте информацията за него:\n +TicketNewEmailBodyAdmin=

Беше създаден нов тикет с проследяващ код %s, вижте информацията за него:

SeeThisTicketIntomanagementInterface=Вижте тикета в системата за управление и обслужване на запитвания TicketPublicInterfaceForbidden=Достъпът до публичния интерфейс на тикет системата е забранен ErrorEmailOrTrackingInvalid=Неправилна стойност на проследяващ код или имейл адрес diff --git a/htdocs/langs/bg_BG/trips.lang b/htdocs/langs/bg_BG/trips.lang index 33d8424a659..85870dd1df4 100644 --- a/htdocs/langs/bg_BG/trips.lang +++ b/htdocs/langs/bg_BG/trips.lang @@ -91,7 +91,7 @@ DATE_SAVE=Дата на валидиране DATE_CANCEL=Дата на анулиране DATE_PAIEMENT=Дата на плащане BROUILLONNER=Повторно отваряне -ExpenseReportRef=Реф. разходен отчет +ExpenseReportRef=Разходен отчет № ValidateAndSubmit=Валидиране и изпращане за одобрение ValidatedWaitingApproval=Валидиран (очаква одобрение) NOT_AUTHOR=Вие не сте автор на този разходен отчет. Операцията е анулирана. diff --git a/htdocs/langs/bg_BG/users.lang b/htdocs/langs/bg_BG/users.lang index 48a33a31e9e..4a0f67526f3 100644 --- a/htdocs/langs/bg_BG/users.lang +++ b/htdocs/langs/bg_BG/users.lang @@ -12,7 +12,7 @@ PasswordChangedTo=Паролата е променена на: %s SubjectNewPassword=Вашата нова парола за %s GroupRights=Групови права UserRights=Потребителски права -UserGUISetup=Настройка на потребителския интерфейс +UserGUISetup=Потребителски интерфейс DisableUser=Деактивиране DisableAUser=Деактивиране на потребител DeleteUser=Изтриване @@ -69,7 +69,7 @@ InternalUser=Вътрешен потребител ExportDataset_user_1=Потребители и техните реквизити DomainUser=Домейн потребител %s Reactivate=Възстановяване -CreateInternalUserDesc=Тази форма ви позволява да създадете вътрешен потребител във вашата компания / организация. За да създадете външен потребител (клиент, доставчик и т.н.), използвайте бутона 'Създаване на потребител' в картата на контакта за този контрагент. +CreateInternalUserDesc=Тази форма позволява да създадете вътрешен потребител във вашата фирма / организация. За да създадете външен потребител (за клиент, доставчик и т.н.), използвайте бутона 'Създаване на потребител' в картата на контакта за този контрагент. InternalExternalDesc=Вътрешния потребител е потребител, който е част от вашата фирма / организация.
Външният потребител е клиент, доставчик или друг.

И в двата случая разрешенията дефинират права в Dolibarr, също така външния потребител може да има различен мениджър на менюто от вътрешния потребител (Вижте Начало - Настройка - Дисплей) PermissionInheritedFromAGroup=Разрешението е предоставено, тъй като е наследено от една от групите на потребителя. Inherited=Наследено diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang index 7989f355378..ee21120b982 100644 --- a/htdocs/langs/bn_BD/admin.lang +++ b/htdocs/langs/bn_BD/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Invoices Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/bn_BD/bills.lang b/htdocs/langs/bn_BD/bills.lang index 30a8e6d73a4..abef00d2de3 100644 --- a/htdocs/langs/bn_BD/bills.lang +++ b/htdocs/langs/bn_BD/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/bn_BD/categories.lang b/htdocs/langs/bn_BD/categories.lang index 50e07bdbaf5..603dec4d64b 100644 --- a/htdocs/langs/bn_BD/categories.lang +++ b/htdocs/langs/bn_BD/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/bn_BD/companies.lang b/htdocs/langs/bn_BD/companies.lang index edccda88037..3de0eb0c8e3 100644 --- a/htdocs/langs/bn_BD/companies.lang +++ b/htdocs/langs/bn_BD/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/bn_BD/compta.lang b/htdocs/langs/bn_BD/compta.lang index 3f175b8b782..1de030a1905 100644 --- a/htdocs/langs/bn_BD/compta.lang +++ b/htdocs/langs/bn_BD/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/bn_BD/errors.lang b/htdocs/langs/bn_BD/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/bn_BD/errors.lang +++ b/htdocs/langs/bn_BD/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/bn_BD/holiday.lang b/htdocs/langs/bn_BD/holiday.lang index 69b6a698e1a..82de49f9c5f 100644 --- a/htdocs/langs/bn_BD/holiday.lang +++ b/htdocs/langs/bn_BD/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/bn_BD/install.lang b/htdocs/langs/bn_BD/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/bn_BD/install.lang +++ b/htdocs/langs/bn_BD/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/bn_BD/main.lang b/htdocs/langs/bn_BD/main.lang index 52b8117fc93..0be83795d33 100644 --- a/htdocs/langs/bn_BD/main.lang +++ b/htdocs/langs/bn_BD/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/bn_BD/modulebuilder.lang b/htdocs/langs/bn_BD/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/bn_BD/modulebuilder.lang +++ b/htdocs/langs/bn_BD/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/bn_BD/mrp.lang b/htdocs/langs/bn_BD/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/bn_BD/mrp.lang +++ b/htdocs/langs/bn_BD/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/bn_BD/orders.lang b/htdocs/langs/bn_BD/orders.lang index ad895845488..503955cf5f0 100644 --- a/htdocs/langs/bn_BD/orders.lang +++ b/htdocs/langs/bn_BD/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/bn_BD/other.lang b/htdocs/langs/bn_BD/other.lang index 7ee672f089b..46424590f31 100644 --- a/htdocs/langs/bn_BD/other.lang +++ b/htdocs/langs/bn_BD/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/bn_BD/projects.lang b/htdocs/langs/bn_BD/projects.lang index 868a696c20a..e9a559f6140 100644 --- a/htdocs/langs/bn_BD/projects.lang +++ b/htdocs/langs/bn_BD/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/bn_BD/propal.lang b/htdocs/langs/bn_BD/propal.lang index b7a30fee89c..f01a4ce760f 100644 --- a/htdocs/langs/bn_BD/propal.lang +++ b/htdocs/langs/bn_BD/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Opened PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/bn_BD/stocks.lang b/htdocs/langs/bn_BD/stocks.lang index 2e207e63b39..9856649b834 100644 --- a/htdocs/langs/bn_BD/stocks.lang +++ b/htdocs/langs/bn_BD/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang index 05445663a3c..4656684abb7 100644 --- a/htdocs/langs/bs_BA/admin.lang +++ b/htdocs/langs/bs_BA/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Fakture Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Prodavači -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Članovi Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Primjer: +2 (popuniti samo ako imate problema sa ofsetima vremenskih zona) GetBarCode=Preuzeti barkod +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/bs_BA/bills.lang b/htdocs/langs/bs_BA/bills.lang index 4e609d0f09d..c5f4eaed071 100644 --- a/htdocs/langs/bs_BA/bills.lang +++ b/htdocs/langs/bs_BA/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dana PaymentCondition14D=14 dana PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Varijabilni iznos (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Carinski pečat YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Predloga računa Crabe. Predloga kompletnega računa (Podpora PDV opcije, popusti, pogoji plačila, logo, itd...) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=PDF šablon Crevette za račune. Kompletan šablon za situiranje privremenih situacija TerreNumRefModelDesc1=Predlaga številko v formatu %syymm-nnnn za standardne račune in %syymm-nnnn za dobropise kjer je yy leto, mm mesec in nnnn zaporedna broj brez presledkov in večja od 0 diff --git a/htdocs/langs/bs_BA/categories.lang b/htdocs/langs/bs_BA/categories.lang index 4c06fdad3f4..79eef907597 100644 --- a/htdocs/langs/bs_BA/categories.lang +++ b/htdocs/langs/bs_BA/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Ova kategorija ne sadrži nijedan proizvod. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Ova kategorija ne sadrži nijednog kupca. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/bs_BA/companies.lang b/htdocs/langs/bs_BA/companies.lang index 10961adbd80..38ad3fdea51 100644 --- a/htdocs/langs/bs_BA/companies.lang +++ b/htdocs/langs/bs_BA/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Moji kontakti Capital=Kapital CapitalOf=Kapital od %s EditCompany=Uredi kompaniju -ThisUserIsNot=Ovaj korisnik nije mogući klijent, kupac niti prodavač +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Provjeri VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Dodijeljen predstavniku prodaje Organization=Organizacija FiscalYearInformation=Fiscal Year FiscalMonthStart=Početni mjesec fiskalne godine +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=Da bi mogli dodati e-mail obavještenja, prvo morate definirati kontakte s važećom e-poštom za subjekte ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/bs_BA/compta.lang b/htdocs/langs/bs_BA/compta.lang index c29165688c6..247a97b2fb1 100644 --- a/htdocs/langs/bs_BA/compta.lang +++ b/htdocs/langs/bs_BA/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF kupovni LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=PDV prikupljeni -ToPay=Za plaćanje +StatusToPay=Za plaćanje SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Kod računa @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/bs_BA/errors.lang b/htdocs/langs/bs_BA/errors.lang index 61523a5a4de..c8207cf6eb0 100644 --- a/htdocs/langs/bs_BA/errors.lang +++ b/htdocs/langs/bs_BA/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/bs_BA/holiday.lang b/htdocs/langs/bs_BA/holiday.lang index d6d51ac47fc..e1e0210dd3f 100644 --- a/htdocs/langs/bs_BA/holiday.lang +++ b/htdocs/langs/bs_BA/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Izmjena diff --git a/htdocs/langs/bs_BA/install.lang b/htdocs/langs/bs_BA/install.lang index 6f54d4672e5..6e77c40f63e 100644 --- a/htdocs/langs/bs_BA/install.lang +++ b/htdocs/langs/bs_BA/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Vaša maksimalna memorija za PHP sesiju je postavljena na %s. To bi trebalo biti dovoljno. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Direktorij %s ne postoji. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/bs_BA/main.lang b/htdocs/langs/bs_BA/main.lang index eae2d999d4b..5dfd7a30be3 100644 --- a/htdocs/langs/bs_BA/main.lang +++ b/htdocs/langs/bs_BA/main.lang @@ -471,7 +471,7 @@ TotalDuration=Ukupno trajanje Summary=Sažetak DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=Nema otvorenih elemenata za obradu +NoOpenedElementToProcess=No open element to process Available=Dostupno NotYetAvailable=Još uvijek nedostupno NotAvailable=Nije dostupno @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Ugovor ContactDefault_facture=Faktura ContactDefault_fichinter=Intervencija ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Zadatak ContactDefault_propal=Prijedlog @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/bs_BA/modulebuilder.lang b/htdocs/langs/bs_BA/modulebuilder.lang index fd20d5b700d..d659d46b10d 100644 --- a/htdocs/langs/bs_BA/modulebuilder.lang +++ b/htdocs/langs/bs_BA/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/bs_BA/mrp.lang b/htdocs/langs/bs_BA/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/bs_BA/mrp.lang +++ b/htdocs/langs/bs_BA/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/bs_BA/orders.lang b/htdocs/langs/bs_BA/orders.lang index 574ad7c1960..158e1fff021 100644 --- a/htdocs/langs/bs_BA/orders.lang +++ b/htdocs/langs/bs_BA/orders.lang @@ -11,6 +11,7 @@ OrderDate=Datum narudžbe OrderDateShort=Datum narudžbe OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Otkazan StatusOrderDraftShort=Nacrt StatusOrderValidatedShort=Potvrđeno @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Odobreno StatusOrderRefusedShort=Odbijen -StatusOrderBilledShort=Fakturisano StatusOrderToProcessShort=Za obradu StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Obrađeno StatusOrderToBill=Delivered StatusOrderApproved=Odobreno StatusOrderRefused=Odbijen -StatusOrderBilled=Fakturisano StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=email OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Otkazan +StatusSupplierOrderDraftShort=Nacrt +StatusSupplierOrderValidatedShort=Potvrđeno +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Obrađeno +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Odobreno +StatusSupplierOrderRefusedShort=Odbijen +StatusSupplierOrderToProcessShort=Za obradu +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Otkazan +StatusSupplierOrderDraft=Uzorak (Potrebna je potvrda) +StatusSupplierOrderValidated=Potvrđeno +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Obrađeno +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Odobreno +StatusSupplierOrderRefused=Odbijen +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/bs_BA/other.lang b/htdocs/langs/bs_BA/other.lang index c29fd38cc93..b00523f09a4 100644 --- a/htdocs/langs/bs_BA/other.lang +++ b/htdocs/langs/bs_BA/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Titula WEBSITE_DESCRIPTION=Opis WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Linija za uvoz diff --git a/htdocs/langs/bs_BA/projects.lang b/htdocs/langs/bs_BA/projects.lang index f940caa1eb2..8c575494cb2 100644 --- a/htdocs/langs/bs_BA/projects.lang +++ b/htdocs/langs/bs_BA/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Efektivno trajanje ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Vrijeme provedeno OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Nova faktura +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/bs_BA/propal.lang b/htdocs/langs/bs_BA/propal.lang index bf041daa72f..57dc63fd08f 100644 --- a/htdocs/langs/bs_BA/propal.lang +++ b/htdocs/langs/bs_BA/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Uzorak PropalsOpened=Otvori PropalStatusDraft=Uzorak (Potrebna je potvrda) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Fakturisano @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Kontakt za fakturu kupca TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/bs_BA/stocks.lang b/htdocs/langs/bs_BA/stocks.lang index 2ee51135840..328cbb22889 100644 --- a/htdocs/langs/bs_BA/stocks.lang +++ b/htdocs/langs/bs_BA/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Prikaži skladište MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang index cb56071d327..dc359bd7917 100644 --- a/htdocs/langs/ca_ES/accountancy.lang +++ b/htdocs/langs/ca_ES/accountancy.lang @@ -224,6 +224,7 @@ ListAccounts=Llistat dels comptes comptables UnknownAccountForThirdparty=Compte comptable de tercer desconeguda, utilitzarem %s UnknownAccountForThirdpartyBlocking=Compte comptable de tercer desconegut. Error de bloqueig ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Compte de tercers no definit o tercer desconegut. Utilitzarem %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tercer desconegut i subcompte comptable no definit al pagament. Es manté buit el valor del subcompte comptable. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Compte de tercers no definit o tercer desconegut. Error de bloqueig. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Compte de tercers desconegut i compte d'espera no definit. Error de bloqueig PaymentsNotLinkedToProduct=Pagament no vinculat a cap producte / servei @@ -355,7 +356,7 @@ UseMenuToSetBindindManualy=Línies encara no enllaçades, utilitzeu el menú $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' Computedpersistent=Emmagatzemar el camp computat -ComputedpersistentDesc=Els camps addicionals computats s’emmagatzemaran a la base de dades, però, el valor només es tornarà a calcular quan l’objecte d’aquest camp s’ha canviat. Si el camp calculat depèn d'altres objectes o dades globals, aquest valor podria estar equivocat !! +ComputedpersistentDesc=Els camps addicionals computats s’emmagatzemaran a la base de dades, però, el valor només es tornarà a calcular quan l’objecte d’aquest camp s’ha canviat. Si el camp calculat depèn d'altres objectes o dades globals, aquest valor podria estar equivocat !! ExtrafieldParamHelpPassword=Mantenir aquest camp buit significa que el valor s'emmagatzema sense xifrar (el camp només ha d'estar amagat amb una estrella sobre la pantalla).
Establiu aquí el valor 'auto' per utilitzar la regla de xifrat per defecte per guardar la contrasenya a la base de dades (el valor llegit serà només el "hash", no hi haurà cap manera de recuperar el valor original) ExtrafieldParamHelpselect=La llista de valors ha de ser un conjunt de línies amb un par del tipus clau,valor (on la clau no pot ser '0')

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

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

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

per exemple :
1,valor1
2,valor2
3,valor3
... @@ -435,7 +435,7 @@ ExtrafieldParamHelpradio=La llista de valor ha de ser un conjunt de línies del 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 ObjectName: Classpath
Sintaxi: ObjectName:Classpath
Exemples :
Societe:societe/class/societe.class.php
Contact:contact/class/contact.class.php -ExtrafieldParamHelpSeparator=Manteniu-lo buit per un simple separador
Configureu-ho a 1 per a un separador col·lapsador (obert per defecte per a la sessió nova, i es mantindrà l'estat de cada sessió d'usuari)
Configureu-ho a 2 per a un separador col·lapsat (es va desplomar per defecte per a la sessió nova, i es mantindrà l'estat per a cada sessió d'usuari) +ExtrafieldParamHelpSeparator=Manteniu-lo buit per un simple separador
Configureu-ho a 1 per a un separador col·lapsador (obert per defecte per a la sessió nova, i es mantindrà l'estat de cada sessió d'usuari)
Configureu-ho a 2 per a un separador col·lapsat (es va desplomar per defecte per a la sessió nova, i es mantindrà l'estat per a cada sessió d'usuari) LibraryToBuildPDF=Llibreria utilitzada per generar PDF LocalTaxDesc=Alguns països apliquen 2 o 3 impostos en cada línia de factura. Si aquest és el cas, escull el tipus pel segon i el tercer impost i el seu valor. Els tipus possibles són:
1: impostos locals aplicats en productes i serveis sense IVA (l'impost local serà calculat en el total sense impostos)
2: impost local aplicat en productes i serveis amb IVA (l'impost local serà calculat amb el total + l'impost principal)
3: impost local aplicat en productes sense IVA (l'impost local serà calculat en el total sense impost)
4: impost local aplicat en productes amb IVA (l'impost local serà calculat amb el total + l'impost principal)
5: impost local aplicat en serveis sense IVA (l'impost local serà calculat amb el total sense impost)
6: impost local aplicat en serveis amb IVA inclòs (l'impost local serà calculat amb el total + IVA) SMS=SMS @@ -519,7 +519,7 @@ Module25Desc=Gestió de comandes de vendes Module30Name=Factures Module30Desc=Gestió de factures i abonaments a clients. Gestió de factures i abonaments de proveïdors Module40Name=Proveïdors -Module40Desc=Gestió de proveïdors i compres (comandes de compra i facturació) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Registre de depuració Module42Desc=Generació de registres/logs (fitxer, syslog, ...). Aquests registres són per a finalitats tècniques/depuració. Module49Name=Editors @@ -563,7 +563,7 @@ Module210Desc=Integració amb PostNuke Module240Name=Exportacions de dades Module240Desc=Eina d'exportació de dades Dolibarr (amb assistent) Module250Name=Importació de dades -Module250Desc=Eina per importar dades a Dolibarr (amb assistents) +Module250Desc=Eina d'importació de dades Dolibarr (amb assistent) Module310Name=Socis Module310Desc=Gestió de socis d'una entitat Module320Name=Fils RSS @@ -878,9 +878,9 @@ Permission1251=Llançar les importacions en massa a la base de dades (càrrega d Permission1321=Exporta factures de client, atributs i cobraments Permission1322=Reobrir una factura pagada Permission1421=Exporta ordres de vendes i atributs -Permission2401=Llegiu les accions (esdeveniments o tasques) enllaçades amb el seu compte d’usuari (si és propietari de l’esdeveniment) -Permission2402=Crear / modificar accions (esdeveniments o tasques) enllaçades amb el seu compte d'usuari (si és propietari de l'esdeveniment) -Permission2403=Suprimeix les accions (esdeveniments o tasques) enllaçades al seu compte d'usuari (si és propietari de l'esdeveniment) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) +Permission2402=Crear / modificar accions (esdeveniments o tasques) enllaçades amb el seu compte d'usuari (si és propietari de l'esdeveniment) +Permission2403=Suprimeix les accions (esdeveniments o tasques) enllaçades al seu compte d'usuari (si és propietari de l'esdeveniment) Permission2411=Llegir accions (esdeveniments o tasques) d'altres Permission2412=Crear/modificar accions (esdeveniments o tasques) d'altres Permission2413=Eliminar accions (esdeveniments o tasques) d'altres @@ -898,7 +898,7 @@ Permission4003=Suprimeix els empleats Permission4004=Exporta empleats Permission10001=Llegiu el contingut del lloc web Permission10002=Crea / modifica contingut del lloc web (contingut html i javascript) -Permission10003=Creeu / modifiqueu el contingut del lloc web (codi php dinàmic). Perillós, s'ha de reservar per a desenvolupadors restringits. +Permission10003=Creeu / modifiqueu el contingut del lloc web (codi php dinàmic). Perillós, s'ha de reservar per a desenvolupadors restringits. Permission10005=Suprimeix el contingut del lloc web Permission20001=Consulta els dies de lliure disposició (els propis i els dels teus subordinats) Permission20002=Crea/modifica els teus dies de lliure disposició (els propis i els dels teus subordinats) @@ -920,7 +920,7 @@ Permission50412=Escriure / editar les operacions en el llibre major Permission50414=Suprimeix les operacions en el llibre major Permission50415=Elimineu totes les operacions per any i diari en llibre major Permission50418=Operacions d’exportació del llibre major -Permission50420=Informes d'informe i d'exportació (facturació, saldo, revistes, llibre major) +Permission50420=Informes d'informe i d'exportació (facturació, saldo, revistes, llibre major) Permission50430=Definiu els períodes fiscals. Validar transaccions i tancar períodes fiscals. Permission50440=Gestionar el gràfic de comptes, configurar la comptabilitat Permission51001=Llegiu actius @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No s'ha registrat cap esdeveniment de seguretat. Això és NoEventFoundWithCriteria=No s'han trobat esdeveniments de seguretat per a aquests criteris de cerca. SeeLocalSendMailSetup=Veure la configuració local de sendmail BackupDesc=Una còpia de seguretat completa de d'una instal·lació de Dolibarr requereix dos passos. -BackupDesc2=Feu una còpia de seguretat del contingut del directori "documents" ( %s ) que conté tots els fitxers carregats i generats. Això també inclourà tots els fitxers d'escombraries generats al pas 1. +BackupDesc2=Feu una còpia de seguretat del contingut del directori "documents" ( %s ) que conté tots els fitxers carregats i generats. Això també inclourà tots els fitxers d'escombraries generats al pas 1. Aquesta operació pot tardar uns minuts BackupDesc3=Feu una còpia de seguretat de l'estructura i continguts de la vostra base de dades ( %s ) en un arxiu de bolcat. Per això, podeu utilitzar el següent assistent. BackupDescX=La carpeta arxivada haurà de guardar-se en un lloc segur BackupDescY=L'arxiu de bolcat generat haurà de guardar-se en un lloc segur. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restaura l'estructura i les dades de la base de dades des d'un fitx RestoreMySQL=Importació MySQL ForcedToByAModule= Aquesta regla està forçada a %s per un dels mòduls activats PreviousDumpFiles=Fitxers de còpia de seguretat existents +PreviousArchiveFiles=Fitxers d’arxiu existents WeekStartOnDay=Primer dia de la setmana RunningUpdateProcessMayBeRequired=Sembla necessari realitzar el procés d'actualizació (la versió del programa %s difereix de la versió de la base de dades %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Ha d'executar la comanda des d'un shell després d'haver iniciat sessió amb el compte %s. @@ -1236,18 +1237,19 @@ YouUseBestDriver=Utilitzeu el controlador %s, que és el millor controlador disp YouDoNotUseBestDriver=S'utilitza el controlador %s, però es recomana utilitzar el controlador %s. NbOfObjectIsLowerThanNoPb=Només teniu %s %s a la base de dades. Això no requereix cap optimització particular. SearchOptim=Cerca optimització -YouHaveXObjectUseSearchOptim=Teniu %s %s a la base de dades. Hauríeu d’afegir la constant %s a 1 a Home-Setup-Other. Limiteu la cerca a l'inici de cadenes, cosa que permet que la base de dades utilitzeu índexs i haureu d'obtenir una resposta immediata. +YouHaveXObjectUseSearchOptim=Teniu %s %s a la base de dades. Hauríeu d’afegir la constant %s a 1 a Home-Setup-Other. Limiteu la cerca a l'inici de cadenes, cosa que permet que la base de dades utilitzeu índexs i haureu d'obtenir una resposta immediata. YouHaveXObjectAndSearchOptimOn=Teniu %s %s a la base de dades i %s constant es configura com a 1 a Home-Setup-Other. BrowserIsOK=Esteu utilitzant el navegador web %s. Aquest navegador està bé per a la seguretat i el rendiment. BrowserIsKO=Esteu utilitzant el navegador web %s. Es considera que aquest navegador és una mala elecció per a la seguretat, el rendiment i la fiabilitat. Recomanem utilitzar Firefox, Chrome, Opera o Safari. PHPModuleLoaded=Es carrega el component PHP %s -PreloadOPCode=S'utilitza un codi OPC precarregat +PreloadOPCode=S'utilitza un codi OPC precarregat AddRefInList=Mostrar client / proveïdor ref. llista d'informació (llista de selecció o combobox) i la majoria d'hipervincle.
Els tercers apareixeran amb un format de nom de "CC12345 - SC45678 - The Big Company corp". en lloc de "The Big Company corp". AddAdressInList=Mostra la llista d'informació de la direcció de client / proveïdor (llista de selecció o combobox)
Els tercers apareixeran amb un format de nom de "The Big Company corp. - 21 jump street 123456 Big town - USA" en lloc de "The Big Company corp". AskForPreferredShippingMethod=Demaneu un mètode d'enviament preferit per a tercers. FieldEdition=Edició del camp %s FillThisOnlyIfRequired=Exemple: +2 (Completi només si es registre una desviació del temps en l'exportació) GetBarCode=Obté el codi de barres +NumberingModules=Models de numeració ##### Module password generation PasswordGenerationStandard=Retorna una contrasenya generada per l'algoritme intern Dolibarr: 8 caràcters, números i caràcters en minúscules barrejades. PasswordGenerationNone=No suggereixis una contrasenya generada. La contrasenya s'ha d'escriure manualment. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Comproveu el mòdul de numeració de rebuts MultiCompanySetup=Configuració del mòdul Multi-empresa ##### Suppliers ##### SuppliersSetup=Configuració del mòdul de Proveïdor -SuppliersCommandModel=Plantilla completa de l'ordre de compra (logotip ...) -SuppliersInvoiceModel=Plantilla completa de la factura del proveïdor (logotip ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Models de numeració de factures de proveïdor IfSetToYesDontForgetPermission=Si establiu un valor vàlid, no us oblideu d'establir els permisos necessaris als grups o persones habilitades per la segona aprovació ##### GeoIPMaxmind ##### @@ -1764,7 +1767,8 @@ ListOfFixedNotifications=Llista de notificacions fixes automàtiques GoOntoUserCardToAddMore=Ves a la pestanya "Notificacions" d'un usuari per afegir o eliminar notificacions per usuaris. GoOntoContactCardToAddMore=Vagi a la pestanya "Notificacions" d'un contacte de tercers per afegir o eliminar notificacions per contactes/direccions Threshold=Valor mínim/llindar -BackupDumpWizard=Assistent per crear el fitxer de còpia de seguretat +BackupDumpWizard=Assistent per crear el fitxer d'exportació de base de dades +BackupZipWizard=Assistent per crear el directori d’arxiu de documents SomethingMakeInstallFromWebNotPossible=No és possible la instal·lació de mòduls externs des de la interfície web per la següent raó: SomethingMakeInstallFromWebNotPossible2=Per aquest motiu, el procés d'actualització descrit aquí és un procés manual que només un usuari privilegiat pot realitzar. InstallModuleFromWebHasBeenDisabledByFile=La instal·lació de mòduls externs des de l'aplicació es troba desactivada per l'administrador. Ha de requerir que elimini l'arxiu %s per habilitar aquesta funció @@ -1953,15 +1957,17 @@ SmallerThan=Menor que LargerThan=Major que IfTrackingIDFoundEventWillBeLinked=Tingueu en compte que si es troba un identificador de seguiment al correu electrònic entrant, l’esdeveniment s’enllaçarà automàticament als objectes relacionats. WithGMailYouCanCreateADedicatedPassword=Amb un compte de GMail, si heu activat la validació de dos passos, es recomana crear una segona contrasenya dedicada a l’aplicació en comptes d’utilitzar la contrasenya del vostre compte des de https://myaccount.google.com/. +EmailCollectorTargetDir=Pot ser un comportament desitjat traslladar el correu electrònic a una altra etiqueta/directori quan s'ha processat correctament. Només cal establir un valor per utilitzar aquesta funció. Tingueu en compte que també heu d'utilitzar un compte d'inici de sessió de lectura/escriptura. +EmailCollectorLoadThirdPartyHelp=Podeu utilitzar aquesta acció per utilitzar el contingut de correu electrònic per cercar i carregar una tercera part existent a la base de dades. La tercera part trobada (o creada) s'utilitzarà per a les accions que ho necessitin. Al camp del paràmetre podeu fer servir, per exemple, 'EXTRACT:BODY:Name:\\s([^\\s]*)' si voleu extreure el nom de la tercera part d'una cadena "Name: nom a trobar" que es troba a la cos. EndPointFor=Punt final per %s: %s DeleteEmailCollector=Suprimeix el recollidor de correu electrònic ConfirmDeleteEmailCollector=Esteu segur que voleu suprimir aquest recollidor de correu electrònic? RecipientEmailsWillBeReplacedWithThisValue=Els correus electrònics destinataris sempre se substituiran per aquest valor AtLeastOneDefaultBankAccountMandatory=Cal definir com a mínim un compte bancari per defecte -RESTRICT_API_ON_IP=Permet les API disponibles només a alguna IP de l'amfitrió (no s'admet el caràcter comodí, utilitzeu espai entre valors). Buit significa que tots els amfitrions poden utilitzar les API disponibles. -RESTRICT_ON_IP=Permet l'accés només a alguna IP de l'amfitrió (no es permet comodí, utilitzeu espai entre valors). Buit significa que hi poden accedir tots els amfitrions. +RESTRICT_API_ON_IP=Permet les API disponibles només a alguna IP de l'amfitrió (no s'admet el caràcter comodí, utilitzeu espai entre valors). Buit significa que tots els amfitrions poden utilitzar les API disponibles. +RESTRICT_ON_IP=Permet l'accés només a alguna IP de l'amfitrió (no es permet comodí, utilitzeu espai entre valors). Buit significa que hi poden accedir tots els amfitrions. BaseOnSabeDavVersion=Basat en la versió de la biblioteca SabreDAV NotAPublicIp=No és una IP pública -MakeAnonymousPing=Creeu un ping "+1" anònim al servidor de bases Dolibarr (fet una vegada només després de la instal·lació) per permetre que la fundació compti el nombre d'instal·lació de Dolibarr. +MakeAnonymousPing=Creeu un ping "+1" anònim al servidor de bases Dolibarr (fet una vegada només després de la instal·lació) per permetre que la fundació compti el nombre d'instal·lació de Dolibarr. FeatureNotAvailableWithReceptionModule=Funció no disponible quan el mòdul Recepció està habilitat EmailTemplate=Plantilla per correu electrònic diff --git a/htdocs/langs/ca_ES/agenda.lang b/htdocs/langs/ca_ES/agenda.lang index 7d3dd645cf7..6992c14c68f 100644 --- a/htdocs/langs/ca_ES/agenda.lang +++ b/htdocs/langs/ca_ES/agenda.lang @@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=Subscripció %s per a membre %s, modificada MemberSubscriptionDeletedInDolibarr=Subscripció %s per a membre %s, eliminada ShipmentValidatedInDolibarr=Expedició %s validada ShipmentClassifyClosedInDolibarr=Expedició %s classificada com a facturada -ShipmentUnClassifyCloseddInDolibarr=Expedició %s classificada com a reoberta +ShipmentUnClassifyCloseddInDolibarr=Enviament %s classificat com a re-obert ShipmentBackToDraftInDolibarr=Enviament %s retornat a l'estat d'esborrany ShipmentDeletedInDolibarr=Expedició %s eliminada OrderCreatedInDolibarr=Comanda %s creada @@ -87,11 +87,11 @@ InvoiceDeleted=Factura esborrada PRODUCT_CREATEInDolibarr=Producte %s creat PRODUCT_MODIFYInDolibarr=Producte %s modificat PRODUCT_DELETEInDolibarr=Producte %s eliminat -HOLIDAY_CREATEInDolibarr=S'ha creat la sol·licitud de permís %s -HOLIDAY_MODIFYInDolibarr=S'ha modificat la sol·licitud de permís %s +HOLIDAY_CREATEInDolibarr=S'ha creat la sol·licitud de permís %s +HOLIDAY_MODIFYInDolibarr=S'ha modificat la sol·licitud de permís %s HOLIDAY_APPROVEInDolibarr=Sol·licitud de dies lliures %s aprovada HOLIDAY_VALIDATEDInDolibarr=La sol·licitud d’excedència %s validada -HOLIDAY_DELETEInDolibarr=S'ha suprimit la sol·licitud de permís %s +HOLIDAY_DELETEInDolibarr=S'ha suprimit la sol·licitud de permís %s 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 diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang index d440516f6b1..eaaaa44499d 100644 --- a/htdocs/langs/ca_ES/banks.lang +++ b/htdocs/langs/ca_ES/banks.lang @@ -154,7 +154,7 @@ RejectCheck=Xec retornat ConfirmRejectCheck=Estàs segur que vols marcar aquesta comprovació com a rebutjada? RejectCheckDate=Data de devolució del xec CheckRejected=Xec retornat -CheckRejectedAndInvoicesReopened=Xec retornat i factures reobertes +CheckRejectedAndInvoicesReopened=Xecs retornats i factures re-obertes BankAccountModelModule=Plantilles de documents per comptes bancaris DocumentModelSepaMandate=Plantilla per a mandat SEPA. Vàlid només per a països europeus de la CEE. DocumentModelBan=Plantilla per imprimir una pàgina amb informació BAN diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang index 4a1465b655a..ecac3721f4c 100644 --- a/htdocs/langs/ca_ES/bills.lang +++ b/htdocs/langs/ca_ES/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dies PaymentCondition14D=14 dies PaymentConditionShort14DENDMONTH=14 dies final de mes PaymentCondition14DENDMONTH=En els 14 dies següents a final de mes -FixAmount=Import fixe +FixAmount=Import fixe: 1 línia amb l'etiqueta '%s' VarAmount=Import variable (%% total) VarAmountOneLine=Quantitat variable (%% tot.) - 1 línia amb l'etiqueta '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Timbre fiscal YouMustCreateInvoiceFromThird=Aquesta opció només està disponible al moment de crear una factura des de la llengüeta "Client" de tercers YouMustCreateInvoiceFromSupplierThird=Aquesta opció només està disponible quan es crea la factura des de la pestanya "proveïdor" d'un tercer YouMustCreateStandardInvoiceFirstDesc=Primer has de crear una factura estàndard i convertir-la en "plantilla" per crear una nova plantilla de factura -PDFCrabeDescription=Model de factura complet (model recomanat per defecte) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Plantilla PDF de factures Sponge. Una plantilla de factura completa PDFCrevetteDescription=Plantilla Crevette per factures PDF. Una plantilla de factura completa per factures de situació. TerreNumRefModelDesc1=Retorna el nombre sota el format %syymm-nnnn per a les factures i %syymm-nnnn per als abonaments on yy és l'any, mm. el mes i nnnn un comptador seqüencial sense ruptura i sense permanència a 0 diff --git a/htdocs/langs/ca_ES/bookmarks.lang b/htdocs/langs/ca_ES/bookmarks.lang index 2d2f6243223..8e406ad77d6 100644 --- a/htdocs/langs/ca_ES/bookmarks.lang +++ b/htdocs/langs/ca_ES/bookmarks.lang @@ -6,15 +6,16 @@ ListOfBookmarks=Llista de marcadors EditBookmarks=Llista/edita els marcadors NewBookmark=Nou marcador ShowBookmark=Mostra marcador -OpenANewWindow=Obre una nova finestra -ReplaceWindow=Reemplaça la finestra actual -BookmarkTargetNewWindowShort=Nova finestra -BookmarkTargetReplaceWindowShort=Finestra actual -BookmarkTitle=Títol del marcador +OpenANewWindow=Obriu una pestanya nova +ReplaceWindow=Reemplaça la pestanya actual +BookmarkTargetNewWindowShort=Nova pestanya +BookmarkTargetReplaceWindowShort=Pestanya actual +BookmarkTitle=Nom de marcatge UrlOrLink=URL BehaviourOnClick=Comportament al fer clic a la URL CreateBookmark=Crea marcador -SetHereATitleForLink=Indica un títol pel marcador -UseAnExternalHttpLinkOrRelativeDolibarrLink=Indicar una URL http externa o una URL Dolibarr relativa -ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Selecciona si les pàgines enllaçades s'han d'obrir en una nova finestra o no +SetHereATitleForLink=Estableix un nom per al marcador +UseAnExternalHttpLinkOrRelativeDolibarrLink=Utilitzeu un enllaç extern / absolut (https://URL) o un enllaç intern / relatiu (/DOLIBARR_ROOT/htdocs/...) +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Trieu si la pàgina enllaçada s'ha d'obrir a la pestanya actual o a una pestanya nova BookmarksManagement=Gestió de marcadors +BookmarksMenuShortCut=Ctrl + shift + m diff --git a/htdocs/langs/ca_ES/boxes.lang b/htdocs/langs/ca_ES/boxes.lang index 71a536c25e3..2f377c3a0b5 100644 --- a/htdocs/langs/ca_ES/boxes.lang +++ b/htdocs/langs/ca_ES/boxes.lang @@ -19,7 +19,7 @@ BoxLastContacts=Últims contactes/adreces BoxLastMembers=Últims socis BoxFicheInter=Últimes intervencions BoxCurrentAccounts=Balanç de comptes oberts -BoxTitleMemberNextBirthdays=Aniversaris d'aquest mes (membres) +BoxTitleMemberNextBirthdays=Aniversaris d'aquest mes (membres) BoxTitleLastRssInfos=Últimes %s notícies de %s BoxTitleLastProducts=Productes / Serveis: últims %s modificats BoxTitleProductsAlertStock=Productes: alerta d'estoc @@ -92,7 +92,7 @@ BoxAdded=S'ha afegit el panell a la teva taula de control BoxTitleUserBirthdaysOfMonth=Aniversaris d'aquest mes (usuaris) BoxLastManualEntries=Últimes entrades manuals en comptabilitat BoxTitleLastManualEntries=Les darreres entrades manuals %s -NoRecordedManualEntries=No hi ha registres d'entrades manuals en comptabilitat +NoRecordedManualEntries=No hi ha registres d'entrades manuals en comptabilitat BoxSuspenseAccount=Operació comptable de comptes amb compte de suspens BoxTitleSuspenseAccount=Nombre de línies no assignades NumberOfLinesInSuspenseAccount=Nombre de línies en compte de suspens diff --git a/htdocs/langs/ca_ES/categories.lang b/htdocs/langs/ca_ES/categories.lang index 4acae5c6157..0b45fe4ac24 100644 --- a/htdocs/langs/ca_ES/categories.lang +++ b/htdocs/langs/ca_ES/categories.lang @@ -90,4 +90,5 @@ ShowCategory=Mostra etiqueta ByDefaultInList=Per defecte en el llistat ChooseCategory=Tria la categoria StocksCategoriesArea=Zona de categories de magatzems +ActionCommCategoriesArea=Àrea d'etiquetes d'esdeveniments UseOrOperatorForCategories=Us o operador per categories diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang index 379d06223a6..2cd312297d8 100644 --- a/htdocs/langs/ca_ES/companies.lang +++ b/htdocs/langs/ca_ES/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=CUI +ProfId2RO=Núm. Enmatriculare +ProfId3RO=CAEN +ProfId4RO=- +ProfId5RO=EUID +ProfId6RO=- ProfId1RU=CIF/NIF ProfId2RU=Núm. seguretat social ProfId3RU=CNAE @@ -339,7 +345,7 @@ MyContacts=Els meus contactes Capital=Capital CapitalOf=Capital de %s EditCompany=Modificar empresa -ThisUserIsNot=Aquest usuari no és un client potencial, ni un client ni un proveïdor +ThisUserIsNot=Aquest usuari no és client potencial, client o proveïdor VATIntraCheck=Verificar VATIntraCheckDesc=L'enllaç %s permet consultar el NIF intracomunitari al servei de control europeu. Es requereix accés a internet per a que el servei funcioni. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assignat a un agent comercial Organization=Organisme FiscalYearInformation=Informació de l'any fiscal FiscalMonthStart=Mes d'inici d'exercici +SocialNetworksInformation=Xarxes socials +SocialNetworksFacebookURL=URL de Facebook +SocialNetworksTwitterURL=URL de Twitter +SocialNetworksLinkedinURL=URL de Linkedin +SocialNetworksInstagramURL=URL d’Instagram +SocialNetworksYoutubeURL=URL de Youtube +SocialNetworksGithubURL=URL de Github YouMustAssignUserMailFirst=Has de crear un correu electrònic per aquest usuari abans d'afegir notificacions de correu electrònic per ell. YouMustCreateContactFirst=Per poder afegir notificacions de correu electrònic, en primer lloc s'ha de definir contactes amb correu electrònic vàlid pel tercer ListSuppliersShort=Llistat de proveïdors diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang index 7aa5cced7cd..c74186ba10c 100644 --- a/htdocs/langs/ca_ES/compta.lang +++ b/htdocs/langs/ca_ES/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Per de l'impost sobre vendes TurnoverbyVatrate=Facturació facturada pel tipus d'impost sobre la venda TurnoverCollectedbyVatrate=Facturació recaptada pel tipus d'impost sobre la venda PurchasebyVatrate=Compra per l'impost sobre vendes +LabelToShow=Etiqueta curta diff --git a/htdocs/langs/ca_ES/cron.lang b/htdocs/langs/ca_ES/cron.lang index f5bd7a1a199..f4acfe40121 100644 --- a/htdocs/langs/ca_ES/cron.lang +++ b/htdocs/langs/ca_ES/cron.lang @@ -76,8 +76,9 @@ CronType_method=Mètode per cridar una classe PHP CronType_command=Comando Shell CronCannotLoadClass=Impossible carregar el fitxer de la classe %s (per utilitzar la classe %s) CronCannotLoadObject=El "class file" %s s'ha carregat, però l'objecte %s no s'ha trobat dins d'ell -UseMenuModuleToolsToAddCronJobs=Ves a menú "Inici - Utilitats de sistema - Tasques programades" per veure i editar les tasques programades. +UseMenuModuleToolsToAddCronJobs=Vés al menú "
Inici - Eines d'administració: treballs programats" per veure i editar les tasques programades. JobDisabled=Tasca desactivada MakeLocalDatabaseDumpShort=Còpia de seguretat de la base de dades local MakeLocalDatabaseDump=Crear un bolcat de la base de dades local. Els paràmetres són: compressió ('gz' o 'bz' o 'none'), tipus de còpia de seguretat ('mysql' o 'pgsql'), 1, 'auto' o nom de fitxer per a compilar, nombre de fitxers de còpia de seguretat per conservar WarningCronDelayed=Attention, for performance purpose, whatever is next date of execution of enabled jobs, your jobs may be delayed to a maximum of %s hours, before being run. +DATAPOLICYJob=Netejador de dades i anonimitzador diff --git a/htdocs/langs/ca_ES/ecm.lang b/htdocs/langs/ca_ES/ecm.lang index 5bf344575a3..424d1150489 100644 --- a/htdocs/langs/ca_ES/ecm.lang +++ b/htdocs/langs/ca_ES/ecm.lang @@ -34,8 +34,8 @@ ECMDocsByProjects=Documents enllaçats a projectes ECMDocsByUsers=Documents referents a usuaris ECMDocsByInterventions=Documents relacionats amb les intervencions ECMDocsByExpenseReports=Documents relacionats als informes de despeses -ECMDocsByHolidays=Documents linked to holidays -ECMDocsBySupplierProposals=Documents linked to supplier proposals +ECMDocsByHolidays=Documents enllaçats a les vacances +ECMDocsBySupplierProposals=Documents enllaçats a pressupostos de proveïdor ECMNoDirectoryYet=No s'ha creat carpeta ShowECMSection=Mostrar carpeta DeleteSection=Eliminació carpeta diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang index 8983c670c4f..ace08f63f5f 100644 --- a/htdocs/langs/ca_ES/errors.lang +++ b/htdocs/langs/ca_ES/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=El compte d'usuari de %s no s'ha trobat. ErrorLoginHasNoEmail=Aquest usuari no té e-mail. Impossible continuar. ErrorBadValueForCode=Valor incorrecte per codi de seguretat. Torna a intentar-ho amb un nou valor... ErrorBothFieldCantBeNegative=Els camps %s i %s no poden ser negatius -ErrorFieldCantBeNegativeOnInvoice=El camp %s no pot ser negatiu en aquest tipus de factura. Si voleu afegir una línia de descompte, primer cal crear el descompte amb l'enllaç %s a la pantalla i aplicar-lo a la factura. També podeu demanar-li al vostre administrador que configureu l'opció FACTURE_ENABLE_NEGATIVE_LINES a 1 per permetre el comportament anterior. +ErrorFieldCantBeNegativeOnInvoice=El camp %s no pot ser negatiu en aquest tipus de factura. Si necessiteu afegir un descompte per línia, només cal crear del descompte (des del camp '%s' a la fitxa de tercers) i aplicar-lo a la factura. També podeu preguntar al vostre administrador per establir l'opció FACTURE_ENABLE_NEGATIVE_LINES a 1 per activar el comportament antic. +ErrorLinesCantBeNegativeOnDeposits=Les línies no poden ser negatives en un dipòsit. Si ho feu, podreu tenir problemes quan necessiteu consumir el dipòsit a la factura final ErrorQtyForCustomerInvoiceCantBeNegative=La quantitat a les línies de factures a client no poden ser negatives ErrorWebServerUserHasNotPermission=El compte d'execució del servidor web %s no disposa dels permisos per això ErrorNoActivatedBarcode=No hi ha activat cap tipus de codi de barres @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Per desactivar els objectes, han de ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Per ser activats, els objectes han de tenir l'estat "Esborrany" o "Desactivat" ErrorNoFieldWithAttributeShowoncombobox=Cap camp té la propietat "showoncombobox" en la definició de l'objecte "%s". No es pot mostrar el llistat desplegable. ErrorFieldRequiredForProduct=El camp "%s" és obligatori per al producte %s +ProblemIsInSetupOfTerminal=El problema està en la configuració del terminal %s. +ErrorAddAtLeastOneLineFirst=Afegeix almenys una primera línia # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El paràmetre PHP upload_max_filesize (%s) és superior al paràmetre PHP post_max_size (%s). No es tracta d’una configuració consistent. WarningPasswordSetWithNoAccount=S'ha indicat una contrasenya per aquest soci. En canvi, no s'ha creat cap compte d'usuari, de manera que aquesta contrasenya s'ha desat però no pot ser utilitzada per entrar a Dolibarr. Es pot utilitzar per un mòdul/interfície extern, però si no cal definir cap usuari i contrasenya per un soci, pots deshabilitar la opció "Gestiona l'entrada per tots els socis" des de la configuració del mòdul Socis. Si necessites gestionar una entrada sense contrasenya, pots mantenir aquest camp buit i permetre aquest avís. Nota: El correu electrònic es pot utilitzar per entrar si el soci està enllaçat a un usuarí diff --git a/htdocs/langs/ca_ES/exports.lang b/htdocs/langs/ca_ES/exports.lang index 893eaefcd4b..fe1eb77fe50 100644 --- a/htdocs/langs/ca_ES/exports.lang +++ b/htdocs/langs/ca_ES/exports.lang @@ -1,39 +1,39 @@ # Dolibarr language file - Source file is en_US - exports -ExportsArea=Àrea exportació -ImportArea=Àrea importació +ExportsArea=Exportacions +ImportArea=Importació NewExport=Nova exportació NewImport=Nova importació ExportableDatas=Conjunt de dades exportables ImportableDatas=Conjunt de dades importables SelectExportDataSet=Trieu un conjunt predefinit de dades que voleu exportar ... SelectImportDataSet=Seleccioneu un lot de dades predefinides que desitgi importar ... -SelectExportFields=Escolliu els camps que han d'exportar, o elija un perfil d'exportació predefinit -SelectImportFields=Trieu els camps de l'arxiu d'origen que voleu importar i el seu camp de destinació a la base de dades movent cap amunt i cap avall amb l'àncora %s, o seleccionar un perfil d'importació per omissió: +SelectExportFields=Trieu els camps que voleu exportar o seleccioneu un perfil d'exportació predefinit +SelectImportFields=Trieu els camps del fitxer d'origen que voleu importar i el camp objectiu a la base de dades movent-los amunt i avall amb l'àncora %s o seleccioneu un perfil d'importació predefinit: NotImportedFields=Camps de l'arxiu origen no importats -SaveExportModel=Desar aquest perfil d'exportació si voleu reutilitzar posteriorment ... -SaveImportModel=Deseu aquest perfil d'importació si el voleu reutilitzar de nou posteriorment ... +SaveExportModel=Deseu les vostres seleccions com a perfil d'exportació / plantilla (per a la seva reutilització). +SaveImportModel=Deseu aquest perfil d'importació (per a la seva reutilització) ... ExportModelName=Nom del perfil d'exportació -ExportModelSaved=Perfil d'exportació guardat amb el nom de %s . +ExportModelSaved=Perfil d'exportació desat com %s . ExportableFields=Camps exportables ExportedFields=Camps a exportar ImportModelName=Nom del perfil d'importació -ImportModelSaved=Perfil d'importació desat sota el nom %s. +ImportModelSaved=S'ha desat el perfil d'importació com %s . DatasetToExport=Conjunt de dades a exportar DatasetToImport=Lot de dades a importar ChooseFieldsOrdersAndTitle=Trieu l'ordre dels camps ... FieldsTitle=Títol camps FieldTitle=Títol camp -NowClickToGenerateToBuildExportFile=Ara, seleccioneu el format d'exportació de la llista desplegable i feu clic a "Generar" per generar el fitxer exportació... -AvailableFormats=Formats dispo. +NowClickToGenerateToBuildExportFile=Ara, seleccioneu el format del fitxer al quadre combinat i feu clic a "Generar" per generar el fitxer d'exportació ... +AvailableFormats=Formats disponibles LibraryShort=Llibreria Step=Pas FormatedImport=Assistent d'importació -FormatedImportDesc1=Aquesta àrea permet realitzar importacions personalitzades de dades mitjançant un ajudant que evita tenir coneixements tècnics de Dolibarr. -FormatedImportDesc2=El primer pas consisteix a escollir el tipus de dada que ha d'importar, després l'arxiu ia continuació triar els camps que voleu importar. +FormatedImportDesc1=Aquest mòdul us permet actualitzar les dades existents o afegir nous objectes a la base de dades d'un fitxer sense coneixements tècnics, utilitzant un assistent. +FormatedImportDesc2=El primer pas és triar el tipus de dades que voleu importar, a continuació, el format del fitxer font, a continuació, els camps que voleu importar. FormatedExport=Assistent d'exportació -FormatedExportDesc1=Aquesta àrea permet realitzar exportacions personalitzades de les dades mitjançant un ajudant que evita tenir coneixements tècnics de Dolibarr. -FormatedExportDesc2=El primer pas consisteix a escollir un dels conjunts de dades predefinits, a continuació triar els camps que voleu exportar a l'arxiu i en què ordre. -FormatedExportDesc3=Una vegada seleccionats les dades, és possible triar el format de l'arxiu d'exportació generat. +FormatedExportDesc1=Aquestes eines permeten l'exportació de dades personalitzades mitjançant un assistent, per ajudar-vos en el procés sense necessitat de coneixements tècnics. +FormatedExportDesc2=El primer pas és triar un conjunt de dades predefinit, després els camps que voleu exportar i en quin ordre. +FormatedExportDesc3=Quan es seleccionen les dades per exportar, podeu triar el format del fitxer de sortida. Sheet=Fulla NoImportableData=Sense taules de dades importables (cap mòdul amb les definicions dels perfils d'importació està actiu) FileSuccessfullyBuilt=Fitxer generat @@ -44,16 +44,16 @@ LineDescription=Descripció de línia LineUnitPrice=Preu unitari de la línia LineVATRate=Tipus d'IVA de la línia LineQty=Quantitat de la línia -LineTotalHT=Import sense IVA de la línia +LineTotalHT=Import excl. impost per línia LineTotalTTC=Import total de la línia LineTotalVAT=Import IVA de la línia TypeOfLineServiceOrProduct=Tipus de línia (0=producte, 1=servei) FileWithDataToImport=Arxiu que conté les dades a importar FileToImport=Arxiu origen a importar -FileMustHaveOneOfFollowingFormat=El fitxer d'importació ha de tenir un dels següents formats -DownloadEmptyExample=Descarregar fitxer d'exemple buit -ChooseFormatOfFileToImport=Trieu el format d'arxiu que voleu importar fent en el picto %s per seleccionar... -ChooseFileToImport=Trieu el fitxer d'importació i feu clic al picto %s per seleccionar com a fitxer origen d'importació... +FileMustHaveOneOfFollowingFormat=El fitxer a importar ha de tenir un dels següents formats +DownloadEmptyExample=Baixeu un fitxer de plantilla amb informació de contingut de camp (* són camps obligatoris) +ChooseFormatOfFileToImport=Trieu el format del fitxer que voleu utilitzar com a format de fitxer d'importació fent clic a la icona %s per seleccionar-lo ... +ChooseFileToImport=Pengeu un fitxer i feu clic a la icona %s per seleccionar el fitxer com a fitxer d'importació d'origen ... SourceFileFormat=Format de l'arxiu origen FieldsInSourceFile=Camps en el fitxer origen FieldsInTargetDatabase=Camps destinació a la base de dades Dolibarr (*=obligatori) @@ -68,55 +68,55 @@ FieldsTarget=Camps de destí FieldTarget=Camp destinació FieldSource=Camp origen NbOfSourceLines=Nombre de línies de l'arxiu font -NowClickToTestTheImport=Comproveu els paràmetres d'importació establerts. Si està d'acord, feu clic al botó "%s" per executar una simulació d'importació (cap dada serà modificat, iinicialmente només serà una simulació)... -RunSimulateImportFile=Executar la simulació d'importació +NowClickToTestTheImport=Comproveu que el format del fitxer (delimitadors de camp i de cadena) del vostre fitxer coincideixi amb les opcions mostrades i que hagueu omès la línia de capçalera o es marcaran com a errors en la simulació següent.
Feu clic al botó " %s " per executar una comprovació de l'estructura / continguts del fitxer i simular el procés d'importació.
No es modificarà cap dada a la vostra base de dades . +RunSimulateImportFile=Executeu la simulació d'importació FieldNeedSource=Aquest camp requereix les dades de l'arxiu d'origen SomeMandatoryFieldHaveNoSource=Alguns camps obligatoris no tenen camp font a l'arxiu d'origen InformationOnSourceFile=Informació de l'arxiu origen InformationOnTargetTables=Informació sobre els camps de destinació SelectAtLeastOneField=Bascular com a mínim un camp origen a la columna de camps a exportar SelectFormat=Seleccioneu aquest format de fitxer d'importació -RunImportFile=Llançar la importació -NowClickToRunTheImport=Comproveu els resultats de la simulació. Si tot està bé, inicieu la importació definitiva. -DataLoadedWithId=Totes les dades es carregaran amb el següent ID d'importació: %s -ErrorMissingMandatoryValue=Dada obligatoria no indicada en el fitxer font, camp número %s. -TooMuchErrors=Encara hi ha %s línies amb error, però la seva visualització ha estat limitada. -TooMuchWarnings=Encara hi ha %s línies amb warnings, però la seva visualització ha estat limitada. +RunImportFile=Importa dades +NowClickToRunTheImport=Comproveu els resultats de la simulació d'importació. Corregiu els errors i torneu a provar.
Quan la simulació no informa d'errors, pot procedir a importar les dades a la base de dades. +DataLoadedWithId=Les dades importades tindran un camp addicional a cada taula de base de dades amb aquest identificador d'importació: %s , per permetre que es pugui cercar en el cas d'investigar un problema relacionat amb aquesta importació. +ErrorMissingMandatoryValue=Les dades obligatòries estan buides al fitxer de codi font %s . +TooMuchErrors=Encara hi ha 0xaek83365837f %s
altres línies d'origen amb errors, però la producció ha estat limitada. +TooMuchWarnings=Encara hi ha %s altres línies d'origen amb advertències, però la producció ha estat limitada. EmptyLine=Línia en blanc -CorrectErrorBeforeRunningImport=Ha de corregir tots els errors abans d'iniciar la importació definitiva. +CorrectErrorBeforeRunningImport=Tu ha de corregir tots els errors abans de executant la importació definitiva. FileWasImported=El fitxer s'ha importat amb el número d'importació %s. -YouCanUseImportIdToFindRecord=Pots buscar tots els registres importats a la teva base de dades filtrant pel camp import_key='%s'. +YouCanUseImportIdToFindRecord=Podeu trobar tots els registres importats a la vostra base de dades filtrant-vos al camp import_key = '%s' . NbOfLinesOK=Nombre de línies sense errors ni warnings: %s. NbOfLinesImported=Nombre de línies correctament importades: %s. DataComeFromNoWhere=El valor a inserir no correspon a cap camp de l'arxiu origen. DataComeFromFileFieldNb=El valor a inserir es correspon al camp nombre <%s de l'arxiu origen. -DataComeFromIdFoundFromRef=El valor donat per el camp %s de l'arxiu origen serà utilitzat per trobar el ID de l'objecte pare a fer servir (l'objecte %s amb la referència de l'arxiu origen ha d'existir a Dolibarr). -DataComeFromIdFoundFromCodeId=El codi del camp número %s de l'arxiu d'origen s'utilitzarà per trobar l'id de l'objecte pare a utilitzar (el codi de l'arxiu d'origen ha d'existir en el diccionari %s). Tingueu en compte que si coneix l'id, pot usar-lo en lloc del codi a l'arxiu d'origen. La importació funcionarà en els 2 casos. +DataComeFromIdFoundFromRef=El valor que prové del número de camp %s del fitxer d'origen s'utilitzarà per trobar l'id del objecte primari que s'utilitzarà (de manera que l'objecte %s que té la referència del fitxer d'origen ha d'existir a la base de dades). +DataComeFromIdFoundFromCodeId=El codi que prové del número de camp %s del fitxer d'origen s'utilitzarà per trobar l'id del seu objecte primari a utilitzar (pel que el codi del fitxer d'origen ha d'existir al diccionari %s ). Tingueu en compte que si coneixeu l'identificador, també podeu utilitzar-lo al fitxer font en lloc del codi. La importació ha de funcionar en ambdós casos. DataIsInsertedInto=Les dades de l'arxiu d'origen s'inseriran en el següent camp: -DataIDSourceIsInsertedInto=L'ID de l'objecte pare trobat a partir de la dada origen, s'inserirà en el següent camp: +DataIDSourceIsInsertedInto=L'identificador de l'objecte primari s'ha trobat utilitzant les dades del fitxer d'origen, s'inserirà en el camp següent: DataCodeIDSourceIsInsertedInto=L'id de la línia pare trobada a partir del codi, s'ha d'inserir en el següent camp: SourceRequired=Dades d'origen obligatòries SourceExample=Exemple de dades d'origen possibles ExampleAnyRefFoundIntoElement=Totes les referències trobades per als elements %s ExampleAnyCodeOrIdFoundIntoDictionary=Tots els codis (o id) trobats en el diccionari %s -CSVFormatDesc=Arxiu amb format Valors separats per coma (.csv).
És un fitxer amb format de text en què els camps són separats pel caràcter [ %s ]. Si el separador es troba en el contingut d'un camp, el camp ha d'estar tancat per el caràcter [ %s ]. El caràcter d'escapament per a incloure un caràcter d'entorn en una dada és [ %s ]. -Excel95FormatDesc=Arxiu amb format Excel (.xls)
Aquest és el format natiu d'Excel 95 (BIFF5). -Excel2007FormatDesc=Arxiu amb format Excel (.xlsx)
Aquest és el format natiu d'Excel 2007 (SpreadsheetML). +CSVFormatDesc=  Comanda de valor separat format de fitxer (.csv).
Aquest és un format de fitxer de text on els camps estan separats per un separador [%s]. Si el separador es troba dins d'un contingut de camp, el camp és arrodonit per caràcter rodó [%s]. El caràcter d'escapament per escapar del caràcter rodó és [%s]. +Excel95FormatDesc=  Format d'arxiu d'Excel (.xls)
Aquest és el format natiu d'Excel 95 (BIFF5). +Excel2007FormatDesc=  Format d'arxiu d'Excel (.xlsx)
Aquest és el format natiu d'Excel 2007 (SpreadsheetML). TsvFormatDesc=Arxiu amb format Valors separats per tabulador (. Tsv)
Aquest és un format d'arxiu de text en què els camps són separats per un tabulador [tab]. ExportFieldAutomaticallyAdded=El camp %s va ser automàticament afegit. T'evitarà tenir línies similars que hauries de tractar com a registres duplicats (amb aquest camp afegit, totes les línies tindran el seu propi identificador que els diferenciarà) -CsvOptions=Opcions de l'arxiu CSV -Separator=Separador -Enclosure=Delimitador de camps +CsvOptions=Opcions del format CSV +Separator=Separador de camp +Enclosure=Delimitador de cadenes SpecialCode=Codi especial ExportStringFilter=%% Permet la substitució d'un o mes caràcters en el text -ExportDateFilter=AAAA, AAAAMM, AAAAMMDD: filtres per any/mes/dia
AAAA+AAAA, AAAAMM+AAAAMM, AAAAMMDD+AAAAMMDD: filtres sobre una gamma d'anys/mes/dia
> AAAA, > AAAAMM, > AAAAMMDD: filtres en tots els següents anys/mesos/dia
< AAAA, < AAAAMM, < AAAAMMDD: filtres en tots els anys/mes/dia anteriors +ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filtres per un any / mes / dia
YYYY + YYYY, YYYYMM + YYYYMM, YYYYMMDD + YYYYMMDD: filtres durant un interval d'anys / mesos / dies
> AAAA,> YYYYMM,> YYYYMMDD: filtres en tots següents anys / mesos / dies
NNNNN+NNNNN filtra sobre un rang de valors
< NNNN filtra per valors menors
> NNNNN filtra per valors majors ImportFromLine=Importa començant des del número de línia EndAtLineNb=Final en el número de línia -ImportFromToLine=Importa números de línia (desde - fins a) -SetThisValueTo2ToExcludeFirstLine=Per exemple, defineix aquest valor a 3 per excloure les 2 primeres línies -KeepEmptyToGoToEndOfFile=Deixa aquest camp buit per anar al final del fitxer -SelectPrimaryColumnsForUpdateAttempt=Seleccioneu la columna(s) que s'utilitzarà com a clau principal d'intent d'actualització +ImportFromToLine=Interval límit (de - a). Per exemple per ometre les línies de les capçaleres. +SetThisValueTo2ToExcludeFirstLine=Per exemple, estableixi aquest valor a 3 per excloure les 2 primeres línies.
Si no s'ometen les línies de capçalera, això provocarà diversos errors en la simulació d'importació. +KeepEmptyToGoToEndOfFile=Mantingueu aquest camp buit per processar totes les línies al final del fitxer. +SelectPrimaryColumnsForUpdateAttempt=Seleccioneu les columnes que s'utilitzaran com a clau principal per a una importació UPDATE UpdateNotYetSupportedForThisImport=L'actualització no és compatible amb aquest tipus d'importació (només afegir) NoUpdateAttempt=No s'ha realitzat cap intent d'actualització, només afegir ImportDataset_user_1=Usuaris (empleats o no) i propietats @@ -127,7 +127,7 @@ FilteredFields=Camps filtrats FilteredFieldsValues=Valors de filtres FormatControlRule=Regla de control de format ## imports updates -KeysToUseForUpdates=Clau a utilitzar per actualitzar dades +KeysToUseForUpdates=Clau (columna) a utilitzar per actualització dades existents NbInsert=Número de línies afegides: %s NbUpdate=Número de línies actualizades: %s MultipleRecordFoundWithTheseFilters=S'han trobat múltiples registres amb aquests filtres: %s diff --git a/htdocs/langs/ca_ES/help.lang b/htdocs/langs/ca_ES/help.lang index ecc5e1dd719..d0ffcfc9b44 100644 --- a/htdocs/langs/ca_ES/help.lang +++ b/htdocs/langs/ca_ES/help.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - help CommunitySupport=Assistència Forums i Wiki EMailSupport=Assistència E-Mail -RemoteControlSupport=Assistència en temps real a distància +RemoteControlSupport=Suport en línia en temps real / remot OtherSupport=Altres tipus d'assistència ToSeeListOfAvailableRessources=Per contactar/veure els recursos disponibles: -HelpCenter=Centre d'assistència +HelpCenter=Centre d'ajuda DolibarrHelpCenter=Centre d'Ajuda i Suport de Dolibarr -ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. +ToGoBackToDolibarr=En cas contrari, fes clic aquí per continuar utilitzant Dolibarr . TypeOfSupport=Tipus de suport TypeSupportCommunauty=Comunitari (gratuït) TypeSupportCommercial=Comercial @@ -15,9 +15,9 @@ NeedHelpCenter=Necessites ajuda o suport? Efficiency=Eficàcia TypeHelpOnly=Només ajuda TypeHelpDev=Ajuda+Desenvolupament -TypeHelpDevForm=Help+Development+Training -BackToHelpCenter=Otherwise, go back to Help center home page. -LinkToGoldMember=You can call one of the trainers preselected by Dolibarr for your language (%s) by clicking their Widget (status and maximum price are automatically updated): +TypeHelpDevForm=Ajuda+Desenvolupament+Formació +BackToHelpCenter=En cas contrari, torna a la pàgina d'inici del Centre d'ajuda . +LinkToGoldMember=Pots trucar a un dels formadors preseleccionats per Dolibarr pel teu idioma (%s) fent clic al seu Panell (l'estat i el preu màxim s'actualitzen automàticament): PossibleLanguages=Idiomes disponibles -SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation +SubscribeToFoundation=Ajuda al projecte Dolibarr, adhereix-te a l'associació SeeOfficalSupport=Per suport oficial de Dolibar amb el teu llenguatge:
%s diff --git a/htdocs/langs/ca_ES/holiday.lang b/htdocs/langs/ca_ES/holiday.lang index a35adff35c0..b70d5ca093b 100644 --- a/htdocs/langs/ca_ES/holiday.lang +++ b/htdocs/langs/ca_ES/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Tipus d'identificador de baixa TypeOfLeaveCode=Tipus de codi de baixa TypeOfLeaveLabel=Tipus d'etiqueta de baixa NbUseDaysCP=Nombre de dies lliures consumits +NbUseDaysCPHelp=El càlcul té en compte els dies festius i les vacances definides al diccionari. NbUseDaysCPShort=Dies consumits NbUseDaysCPShortInMonth=Dies consumits al mes +DayIsANonWorkingDay=%s és un dia no laborable DateStartInMonth=Data d'inici al mes DateEndInMonth=Data de finalització al mes EditCP=Modificar diff --git a/htdocs/langs/ca_ES/hrm.lang b/htdocs/langs/ca_ES/hrm.lang index cd1880be303..7cea24dc147 100644 --- a/htdocs/langs/ca_ES/hrm.lang +++ b/htdocs/langs/ca_ES/hrm.lang @@ -9,6 +9,7 @@ ConfirmDeleteEstablishment=Vols eliminar aquest establiment? OpenEtablishment=Obre l'establiment CloseEtablishment=Tanca l'establiment # Dictionary +DictionaryPublicHolidays=HRM - Festius DictionaryDepartment=HRM - Llistat de departament DictionaryFunction=HRM - Llistat de funcions # Module diff --git a/htdocs/langs/ca_ES/install.lang b/htdocs/langs/ca_ES/install.lang index 9105eaeafe3..fd1b9aebc52 100644 --- a/htdocs/langs/ca_ES/install.lang +++ b/htdocs/langs/ca_ES/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Aquest PHP suporta Curl. PHPSupportCalendar=Aquest PHP admet extensions de calendaris. PHPSupportUTF8=Aquest PHP és compatible amb les funcions UTF8. PHPSupportIntl=Aquest PHP admet funcions Intl. +PHPSupport=Aquest PHP admet les funcions %s. PHPMemoryOK=La seva memòria màxima de sessió PHP està definida a %s. Això hauria de ser suficient. PHPMemoryTooLow=La seva memòria màxima de sessió PHP està definida a %s bytes. Això és molt poc. Es recomana modificar el paràmetre memory_limit del seu arxiu php.ini a almenys %s octets. Recheck=Faci clic aquí per realitzar un test més exhaustiu @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=La teva instal·lació PHP no soporta Curl. ErrorPHPDoesNotSupportCalendar=La vostra instal·lació de PHP no admet extensions de calendari php. ErrorPHPDoesNotSupportUTF8=Aquest PHP no suporta les funcions UTF8. Resolgui el problema abans d'instal lar Dolibarr ja que no funcionarà correctamete. ErrorPHPDoesNotSupportIntl=La vostra instal·lació de PHP no admet funcions Intl. +ErrorPHPDoesNotSupport=La teva instal·lació PHP no admet funcions %s. ErrorDirDoesNotExists=La carpeta %s no existeix o no és accessible. ErrorGoBackAndCorrectParameters=Torneu enrere i verifiqueu / corregiu els paràmetres. ErrorWrongValueForParameter=Ha indicat potser un valor incorrecte per al paràmetre '%s'. diff --git a/htdocs/langs/ca_ES/languages.lang b/htdocs/langs/ca_ES/languages.lang index 04a27348afa..9dbfdd60b9e 100644 --- a/htdocs/langs/ca_ES/languages.lang +++ b/htdocs/langs/ca_ES/languages.lang @@ -35,7 +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_UY=Espanyol (Uruguai) Language_es_VE=Espanyol (Veneçuela) Language_et_EE=Estonià Language_eu_ES=Basc @@ -86,3 +86,4 @@ Language_uz_UZ=Uzbek Language_vi_VN=Vietnamita Language_zh_CN=Xinès Language_zh_TW=Xinès (Tradicional) +Language_bh_MY=Malai diff --git a/htdocs/langs/ca_ES/loan.lang b/htdocs/langs/ca_ES/loan.lang index 5f80bd494a3..4d5288593f2 100644 --- a/htdocs/langs/ca_ES/loan.lang +++ b/htdocs/langs/ca_ES/loan.lang @@ -22,7 +22,7 @@ ListLoanAssociatedProject=Llistat de prèstecs associats al projecte AddLoan=Crea un préstec FinancialCommitment=Compromís financer InterestAmount=Interessos -CapitalRemain=Capital remain +CapitalRemain=Capital restant # Admin ConfigLoan=Configuració del mòdul de préstecs LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Compte comptable del capital per defecte diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang index 017b0499880..38ba490c759 100644 --- a/htdocs/langs/ca_ES/main.lang +++ b/htdocs/langs/ca_ES/main.lang @@ -471,7 +471,7 @@ TotalDuration=Duració total Summary=Resum DolibarrStateBoard=Estadístiques de base de dades DolibarrWorkBoard=Elements oberts -NoOpenedElementToProcess=Sense elements oberts per processar +NoOpenedElementToProcess=No hi han elements oberts per processar Available=Disponible NotYetAvailable=Encara no disponible NotAvailable=No disponible @@ -996,8 +996,8 @@ ToClose=Per tancar ToProcess=A processar ToApprove=Per aprovar GlobalOpenedElemView=Vista global -NoArticlesFoundForTheKeyword=No s'ha trobat cap article per a la paraula clau " %s " -NoArticlesFoundForTheCategory=No s'ha trobat cap article per a la categoria +NoArticlesFoundForTheKeyword=No s'ha trobat cap article per a la paraula clau " %s " +NoArticlesFoundForTheCategory=No s'ha trobat cap article per a la categoria ToAcceptRefuse=Per acceptar | refusar ContactDefault_agenda=Esdeveniment ContactDefault_commande=Comanda @@ -1005,11 +1005,14 @@ ContactDefault_contrat=Contracte ContactDefault_facture=Factura ContactDefault_fichinter=Intervenció ContactDefault_invoice_supplier=Factura de proveïdor -ContactDefault_order_supplier=Comanda de proveïdor +ContactDefault_order_supplier=Comanda de Compra ContactDefault_project=Projecte ContactDefault_project_task=Tasca ContactDefault_propal=Pressupost ContactDefault_supplier_proposal=Proposta de proveïdor ContactDefault_ticketsup=Tiquet -ContactAddedAutomatically=El contacte s'ha afegit des de les funcions de tercers de contacte +ContactAddedAutomatically=El contacte s'ha afegit des de les funcions de tercers de contacte More=Més +ShowDetails=Mostrar detalls +CustomReports=Informes personalitzats +SelectYourGraphOptionsFirst=Seleccioneu les opcions gràfiques per crear un gràfic diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang index 85056730d18..2a2129653dd 100644 --- a/htdocs/langs/ca_ES/modulebuilder.lang +++ b/htdocs/langs/ca_ES/modulebuilder.lang @@ -67,7 +67,7 @@ ChangeLog=Fitxer ChangeLog TestClassFile=Fitxer per a la classe de proves Unit amb PHP SqlFile=Fitxer Sql PageForLib=Fitxer per a la biblioteca PHP comuna -PageForObjLib=Fitxer per a la biblioteca PHP dedicada a l'objecte +PageForObjLib=Fitxer per a la biblioteca PHP dedicada a l'objecte SqlFileExtraFields=Fitxer SQL per a atributs complementaris SqlFileKey=Fitxer Sql per a claus SqlFileKeyExtraFields=Fitxer Sql per a claus d'atributs complementaris @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Llista d'entrades de diccionaris ListOfPermissionsDefined=Llista de permisos definits SeeExamples=Mira exemples aquí EnabledDesc=Condició per tenir activat aquest camp (Exemples: 1 ó $conf->global->MYMODULE_MYOPTION) -VisibleDesc=És visible el camp? (Exemples: 0=Mai visible, 1=Visible a la llista i als formularis de crear/actualitzar/veure, 2=Visible només a la llista, 3=Visible només als formularis de creació/actualització/vista (no a la llista), 4=visible a la llista i només als formularis d’actualització i visualització (no el de creació). Utilitzar un valor negatiu significa que el camp no es mostra per defecte a la llista, però es pot seleccionar per a la seva visualització. Pot ser una expressió, per exemple:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ user->rights->holiday->define_holiday ? 1:0) +VisibleDesc=És visible el camp? (Exemples: 0=Mai visible, 1=Visible en llistat i en formularis de crear/modificar/visualitzar, 2=Visible només en llistat, 3=Visible només en formularis de crear/modificar/visualitzar (no en llistat), 4=Visible en llistat i només en formularis de modificar/visualitzar (no al crear), 5=Visible en llistat i només en formularis de visualitzar (no al crear ni al modificar). Utilitzar el valor negatiu significa que el camp no es mostra per defecte al llistat, però es pot seleccionar per a la seva visualització). Pot ser una expressió, per exemple:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Es pot acumular el valor del camp per obtenir un total en la llista? (Exemples: 1 o 0) SearchAllDesc=El camp utilitzat per realitzar una cerca des de l'eina de cerca ràpida? (Exemples: 1 o 0) SpecDefDesc=Introduïu aquí tota la documentació que voleu proporcionar amb el vostre mòdul que encara no està definit per altres pestanyes. Podeu utilitzar .md o millor, la sintaxi enriquida .asciidoc. @@ -135,3 +135,5 @@ CSSClass=Classe CSS NotEditable=No editable ForeignKey=Clau forània TypeOfFieldsHelp=Tipus de camps:
varchar(99), double (24,8), real, text, html, datetime, timestamp, integer, integer:ClassName: relativepath/to/classfile.class.php[:1[:filter]] ('1' significa que afegim un botó + després del desplegable per crear el registre, 'filtre' pot ser 'status=1 AND fk_user=__USER_ID AND entity IN (__SHARED_ENTITIES__)' per exemple) +AsciiToHtmlConverter=Convertidor Ascii a HTML +AsciiToPdfConverter=Convertidor Ascii a PDF diff --git a/htdocs/langs/ca_ES/mrp.lang b/htdocs/langs/ca_ES/mrp.lang index df0a310bff3..df27877b176 100644 --- a/htdocs/langs/ca_ES/mrp.lang +++ b/htdocs/langs/ca_ES/mrp.lang @@ -54,12 +54,15 @@ ToConsume=Consumir ToProduce=Poduïr QtyAlreadyConsumed=Qnt. ja consumida QtyAlreadyProduced=Qnt. ja produïda +ConsumeOrProduce=Consumir o Produir ConsumeAndProduceAll=Consumir i produir tot Manufactured=Fabricat TheProductXIsAlreadyTheProductToProduce=El producte a afegir ja és el producte a produir. ForAQuantityOf1=Per a una quantitat a produir de 1 ConfirmValidateMo=Voleu validar aquesta Ordre de Fabricació? ConfirmProductionDesc=Fent clic a '%s' validareu el consum i/o la producció per a les quantitats establertes. També s’actualitzarà l'estoc i es registrarà els moviments d'estoc. -ProductionForRefAndDate=Producció %s - %s +ProductionForRef=Producció de %s AutoCloseMO=Tancar automàticament l’Ordre de Fabricació si s’arriba a les quantitats establertes a consumir i produir NoStockChangeOnServices=Sense canvi d’estoc en serveis +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/ca_ES/oauth.lang b/htdocs/langs/ca_ES/oauth.lang index d6ea5ea9a71..bae313832d6 100644 --- a/htdocs/langs/ca_ES/oauth.lang +++ b/htdocs/langs/ca_ES/oauth.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - oauth -ConfigOAuth=Configuració Oauth -OAuthServices=Serveis de OAuth +ConfigOAuth=Configuració de OAuth +OAuthServices=Serveis OAuth ManualTokenGeneration=Generació manual de tokens TokenManager=Gestor de tokens IsTokenGenerated=S'ha generat el token? @@ -11,8 +11,8 @@ ToCheckDeleteTokenOnProvider=Fes clic aqui per comprovar/eliminar l'autoritzaci TokenDeleted=Token eliminat RequestAccess=Clica aquí per demanar/renovar l'accés i rebre un nou token per desar DeleteAccess=Faci clic aquí per eliminar token -UseTheFollowingUrlAsRedirectURI=Utilitza la següent URL com a URI de redirecció quan es crea la teva credencial en el teu proveïdor OAuth: -ListOfSupportedOauthProviders=Entra les credencials donades pel teu proveïdor OAuth2. Només es poden veure proveïdors que suporten OAuth2. Aquesta configuració es pot utilitzar per altres mòduls que necessiten autenticació OAuth2. +UseTheFollowingUrlAsRedirectURI=Utilitzeu l'URL següent com a URI de redirecció quan creeu les vostres credencials amb el vostre proveïdor de OAuth: +ListOfSupportedOauthProviders=Introduïu les credencials proporcionades pel vostre proveïdor OAuth2. Només es mostren aquí els proveïdors compatibles OAuth2. Aquests serveis poden ser utilitzats per altres mòduls que necessiten autenticació OAuth2. OAuthSetupForLogin=Pàgina per generar un token OAuth SeePreviousTab=Veure la pestanya anterior OAuthIDSecret=OAuth ID i Secret @@ -20,11 +20,11 @@ TOKEN_REFRESH=Refresc present de token TOKEN_EXPIRED=Token expirat TOKEN_EXPIRE_AT=El token expira el TOKEN_DELETE=Elimina el token desat -OAUTH_GOOGLE_NAME=Servei OAuth de Google -OAUTH_GOOGLE_ID=Id OAuth de Google -OAUTH_GOOGLE_SECRET=Secret OAuth de Google -OAUTH_GOOGLE_DESC=Ves a aquesta pàgina, i després a "Credentials" per crear les credencials OAuth -OAUTH_GITHUB_NAME=Servei OAuth de GitHub -OAUTH_GITHUB_ID=Id OAuth de GitHub -OAUTH_GITHUB_SECRET=Secret OAuth de GitHub -OAUTH_GITHUB_DESC=Ves aaquesta pàgina, i després a "Registra una nova aplicació" per crear les credencials OAuth +OAUTH_GOOGLE_NAME=Servei d'OAuth Google +OAUTH_GOOGLE_ID=Identificador de Google OAuth +OAUTH_GOOGLE_SECRET=OAuth Google Secret +OAUTH_GOOGLE_DESC=Aneu a aquesta pàgina després "Credencials" per crear credencials OAuth +OAUTH_GITHUB_NAME=Servei OAuth GitHub +OAUTH_GITHUB_ID=OAuth GitHub Id +OAUTH_GITHUB_SECRET=OAuth GitHub Secret +OAUTH_GITHUB_DESC=Aneu a a aquesta pàgina i després "Registra una nova aplicació" per crear credencials d'OAuth. diff --git a/htdocs/langs/ca_ES/orders.lang b/htdocs/langs/ca_ES/orders.lang index 1b36b806470..c3b584e9e6b 100644 --- a/htdocs/langs/ca_ES/orders.lang +++ b/htdocs/langs/ca_ES/orders.lang @@ -141,10 +141,10 @@ OrderByEMail=Correu electrònic OrderByWWW=En línia OrderByPhone=Telèfon # Documents models -PDFEinsteinDescription=Model de comanda complet (logo...) -PDFEratostheneDescription=Model de comanda complet (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Model de comanda simple -PDFProformaDescription=Una factura proforma completa (logo...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Facturar comandes NoOrdersToInvoice=Sense comandes facturables CloseProcessedOrdersAutomatically=Classificar automàticament com "Processades" les comandes seleccionades. diff --git a/htdocs/langs/ca_ES/other.lang b/htdocs/langs/ca_ES/other.lang index 09f01c05d36..d443b1a70ee 100644 --- a/htdocs/langs/ca_ES/other.lang +++ b/htdocs/langs/ca_ES/other.lang @@ -24,7 +24,7 @@ MessageOK=Missatge a la pàgina de devolució d'un pagament validat MessageKO=Missatge a la pàgina de devolució d'un pagament cancel·lat ContentOfDirectoryIsNotEmpty=El contingut d'aquest directori no és buit. DeleteAlsoContentRecursively=Marqueu per eliminar tot el contingut recursivament - +PoweredBy=Impulsat per 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 @@ -104,7 +104,8 @@ DemoFundation=Gestió de socis d'una entitat DemoFundation2=Gestió de socis i tresoreria d'una entitat DemoCompanyServiceOnly=Empresa o autònom només amb venda de serveis DemoCompanyShopWithCashDesk=Gestió d'una botiga amb caixa -DemoCompanyProductAndStocks=Empresa de venda de productes amb una botiga +DemoCompanyProductAndStocks=Compra venda de productes amb el Punt de Venda +DemoCompanyManufacturing=Productes de fabricació de l'empresa DemoCompanyAll=Empresa amb activitats múltiples (tots els mòduls principals) CreatedBy=Creat per %s ModifiedBy=Modificat per %s diff --git a/htdocs/langs/ca_ES/printing.lang b/htdocs/langs/ca_ES/printing.lang index 6bf2c00c5c6..253d8bd0374 100644 --- a/htdocs/langs/ca_ES/printing.lang +++ b/htdocs/langs/ca_ES/printing.lang @@ -2,7 +2,7 @@ Module64000Name=Impressió automàtica Module64000Desc=Habilita el sistema de impressió automàtica PrintingSetup=Configuració del sistema de impressió automàtic -PrintingDesc=Aquest mòdul afegeix un boto per enviar documents directament a una impresoa (sense obrir el document a la aplicació) amb varis mòduls +PrintingDesc=Aquest mòdul afegeix un botó d'impressió a diversos mòduls per permetre que els documents s'imprimeixin directament a una impressora sense necessitat d'obrir el document en una altra aplicació. MenuDirectPrinting=Treballs de impressió automàtica DirectPrint=Impressió automàtica PrintingDriverDesc=Configuració variables pel driver d'impressió @@ -19,7 +19,7 @@ UserConf=Configuració per usuari PRINTGCP_INFO=Configuració de l'API Google OAuth PRINTGCP_AUTHLINK=Autenticació PRINTGCP_TOKEN_ACCESS=Google Cloud Print OAuth Token -PrintGCPDesc=Aquest driver li permet enviar documents directament a una impressora amb Google Cloud Print +PrintGCPDesc=Aquest controlador permet enviar documents directament a una impressora mitjançant Google Cloud Print. GCP_Name=Nom GCP_displayName=Nom a mostrar GCP_Id=ID d'impressora @@ -27,7 +27,7 @@ GCP_OwnerName=Nom del propietari GCP_State=Estat de l'impressora GCP_connectionStatus=Estat On-line GCP_Type=Tipus d'impressora -PrintIPPDesc=Aquest mòdul afegeix un boto per enviar documents directament a una impressora. Es necessari un SSOO Linux amb CUPS instal·lat. +PrintIPPDesc=Aquest controlador permet l'enviament de documents directament a una impressora. Requereix un sistema Linux amb CUPS instal·lat. PRINTIPP_HOST=Servidor d'impressió PRINTIPP_PORT=Port PRINTIPP_USER=Usuari @@ -46,7 +46,7 @@ IPP_Device=Dispositiu IPP_Media=Comunicació impressora IPP_Supported=Tipus de comunicació DirectPrintingJobsDesc=Aquesta pàgina llista els treballs de impressió torbats per a les impressores disponibles. -GoogleAuthNotConfigured=No s'ha configurat Google OAuth. Habilita el mòdul OAuth i indica un Google ID/Secret. +GoogleAuthNotConfigured=Google OAuth no s'ha configurat. Activa el mòdul OAuth i estableix una identificació de Google / Secret. GoogleAuthConfigured=Les credencials OAuth de Google es troben en la configuració del mòdul OAuth. PrintingDriverDescprintgcp=Variables de configuració del driver d'impressió Google Cloud Print. PrintingDriverDescprintipp=Variables de configuració per imprimir amb el controlador Cups. diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang index e4eb293e434..fc997c9f173 100644 --- a/htdocs/langs/ca_ES/projects.lang +++ b/htdocs/langs/ca_ES/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Àrea dels meus projectes DurationEffective=Durada efectiva ProgressDeclared=Progressió declarada TaskProgressSummary=Progrés de la tasca -CurentlyOpenedTasks=Tasques obertes de forma corrent +CurentlyOpenedTasks=Tasques obertes actualment TheReportedProgressIsLessThanTheCalculatedProgressionByX=El progrés declarat és menys %s que la progressió calculada TheReportedProgressIsMoreThanTheCalculatedProgressionByX=El progrés declarat és més %s que la progressió calculada ProgressCalculated=Progressió calculada @@ -249,9 +249,13 @@ TimeSpentForInvoice=Temps dedicat OneLinePerUser=Una línia per usuari ServiceToUseOnLines=Servei d'ús a les línies InvoiceGeneratedFromTimeSpent=La factura %s s'ha generat a partir del temps dedicat al projecte -ProjectBillTimeDescription=Comproveu si heu introduït el full de temps en les tasques del projecte I teniu previst generar factures des del full de temps per facturar al client del projecte (no comproveu si voleu crear la factura que no es basa en els fulls de temps introduïts). +ProjectBillTimeDescription=Comproveu si heu introduït el full de temps en les tasques del projecte I teniu previst generar factures des del full de temps per facturar al client del projecte (no comproveu si voleu crear la factura que no es basa en els fulls de temps introduïts). Nota: Per generarla factura, aneu a la pestanya "Temps introduït" del projecte i seleccioneu les línies que cal incloure. ProjectFollowOpportunity=Segueix l’oportunitat ProjectFollowTasks=Segueix les tasques UsageOpportunity=Ús: Oportunitat UsageTasks=Ús: Tasques UsageBillTimeShort=Ús: temps de facturació +InvoiceToUse=Esborrany de factura a utilitzar +NewInvoice=Nova factura +OneLinePerTask=Una línia per tasca +OneLinePerPeriod=Una línia per període diff --git a/htdocs/langs/ca_ES/propal.lang b/htdocs/langs/ca_ES/propal.lang index 7f813f5e445..5180ab3019d 100644 --- a/htdocs/langs/ca_ES/propal.lang +++ b/htdocs/langs/ca_ES/propal.lang @@ -76,8 +76,8 @@ TypeContact_propal_external_BILLING=Contacte client de facturació pressupost TypeContact_propal_external_CUSTOMER=Contacte client seguiment pressupost TypeContact_propal_external_SHIPPING=Contacte del client pel lliurament # Document models -DocModelAzurDescription=Model de pressupost complet (logo...) -DocModelCyanDescription=Model de pressupost complet (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Model per defecte DefaultModelPropalToBill=Model per defecte en tancar un pressupost (a facturar) DefaultModelPropalClosed=Model per defecte en tancar un pressupost (no facturat) diff --git a/htdocs/langs/ca_ES/sendings.lang b/htdocs/langs/ca_ES/sendings.lang index 619cbd7e443..8c1db79f157 100644 --- a/htdocs/langs/ca_ES/sendings.lang +++ b/htdocs/langs/ca_ES/sendings.lang @@ -47,7 +47,7 @@ DateDeliveryPlanned=Data prevista d'entrega RefDeliveryReceipt=Referència del rebut de lliurament StatusReceipt=Estat del rebut de lliurament DateReceived=Data real de recepció -ClassifyReception=Classifica la recepció +ClassifyReception=Marca rebut SendShippingByEMail=Envia expedició per e-mail SendShippingRef=Enviament de l'expedició %s ActionsOnShipping=Events sobre l'expedició diff --git a/htdocs/langs/ca_ES/sms.lang b/htdocs/langs/ca_ES/sms.lang index 8d35e5f2ad7..7362e5a94c9 100644 --- a/htdocs/langs/ca_ES/sms.lang +++ b/htdocs/langs/ca_ES/sms.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - sms Sms=SMS -SmsSetup=Configuració dels SMS -SmsDesc=Aquesta pantalla li permet definir les opcions globals de l'ús de les funcions SMS +SmsSetup=Configuració de SMS +SmsDesc=Aquesta pàgina us permet definir opcions globals sobre les funcions SMS SmsCard=Fitxa SMS -AllSms=Totes les campanyes SMS +AllSms=Totes les campanyes de SMS SmsTargets=Destinataris SmsRecipients=Destinataris SmsRecipient=Destinatari @@ -13,20 +13,20 @@ SmsTo=Destinatari(s) SmsTopic=Assumpte del SMS SmsText=Missatge SmsMessage=Missatge del SMS -ShowSms=Mostrar SMS -ListOfSms=Llistat de campanyes SMS -NewSms=Nova campanya SMS -EditSms=Editar SMS +ShowSms=Mostra SMS +ListOfSms=Llista de campanyes de SMS +NewSms=Nova campanya de SMS +EditSms=Edita SMS ResetSms=Nou enviament -DeleteSms=Eliminar campanya SMS -DeleteASms=Eliminar una campanya SMS -PreviewSms=Previsualitzar SMS -PrepareSms=Preparar SMS -CreateSms=Crear SMS +DeleteSms=Suprimeix la campanya de SMS +DeleteASms=Suprimeix una campanya de SMS +PreviewSms=Previuw SMS +PrepareSms=Prepara SMS +CreateSms=Crea SMS SmsResult=Resultat de l'enviament de SMS -TestSms=Provar SMS -ValidSms=Validar SMS -ApproveSms=Aprovar SMS +TestSms=Proveu SMS +ValidSms=Valida SMS +ApproveSms=Aprova el SMS SmsStatusDraft=Esborrany SmsStatusValidated=Validat SmsStatusApproved=Aprovat @@ -35,16 +35,16 @@ SmsStatusSentPartialy=Enviat parcialment SmsStatusSentCompletely=Enviat completament SmsStatusError=Error SmsStatusNotSent=No enviat -SmsSuccessfulySent=SMS enviat correctament (des de %s fins a %s) +SmsSuccessfulySent=SMS enviat correctament (de %s a %s) ErrorSmsRecipientIsEmpty=El número del destinatari està buit WarningNoSmsAdded=Sense nous números de telèfon a afegir a la llista de destinataris. -ConfirmValidSms=Confirmes la validació d'aquesta campanya? -NbOfUniqueSms=Nº de telèfons únics -NbOfSms=Nº de telèfon +ConfirmValidSms=Confirma la validació d'aquesta campanya? +NbOfUniqueSms=Nombre de números de telèfon únics +NbOfSms=Nombre de números de telèfon ThisIsATestMessage=Aquest és un missatge de prova SendSms=Envia SMS -SmsInfoCharRemain=Nº restant de caràcters -SmsInfoNumero= (format internacional ex: +33899701761) +SmsInfoCharRemain=Nombre de caràcters restants +SmsInfoNumero= (format internacional, és a dir: +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. diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang index c17333fd5ba..5595ca0a89e 100644 --- a/htdocs/langs/ca_ES/stocks.lang +++ b/htdocs/langs/ca_ES/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Moviments o codi d'inventari IsInPackage=Contingut en producte compost WarehouseAllowNegativeTransfer=L'estoc pot ser negatiu qtyToTranferIsNotEnough=No tens estoc suficient en el magatzem d'origen i la configuració no permet estocs negatius +qtyToTranferLotIsNotEnough=No tens estoc suficient, per aquest número de lot, del magatzem d'origen i la teva configuració no permet estocs negatius (Qtat. pel producte '%s' amb lot '%s' és %s al magatzem '%s'). ShowWarehouse=Mostrar magatzem MovementCorrectStock=Ajustament d'estoc del producte %s MovementTransferStock=Transferència d'estoc de producte %s a un altre magatzem @@ -192,6 +193,7 @@ TheoricalQty=Qtat. teòrica TheoricalValue=Qtat. teòrica LastPA=Últim BP CurrentPA=Actual BP +RecordedQty=Recorded Qty RealQty=Qtat. real RealValue=Valor real RegulatedQty=Qtat. regulada diff --git a/htdocs/langs/ca_ES/supplier_proposal.lang b/htdocs/langs/ca_ES/supplier_proposal.lang index dd2039bfaf9..b7f9c5a4ba4 100644 --- a/htdocs/langs/ca_ES/supplier_proposal.lang +++ b/htdocs/langs/ca_ES/supplier_proposal.lang @@ -32,7 +32,7 @@ SupplierProposalStatusValidatedShort=Validat SupplierProposalStatusClosedShort=Tancat SupplierProposalStatusSignedShort=Acceptat SupplierProposalStatusNotSignedShort=Rebutjat -CopyAskFrom=Crea una petició de preu copiant una petició existent +CopyAskFrom=Crea una sol·licitud de preu copiant una sol·licitud existent CreateEmptyAsk=Crea una petició buida ConfirmCloneAsk=Estàs segur que vols clonar el preu de sol·licitud %s? ConfirmReOpenAsk=Estàs segur que vols tornar enrere i obrir el preu de sol·licitud %s? diff --git a/htdocs/langs/ca_ES/ticket.lang b/htdocs/langs/ca_ES/ticket.lang index 30be1d8a625..66d7eb4baf9 100644 --- a/htdocs/langs/ca_ES/ticket.lang +++ b/htdocs/langs/ca_ES/ticket.lang @@ -229,8 +229,8 @@ TicketConfirmChangeStatus=Confirmar el canvi d'estatus : %s ? TicketLogStatusChanged=Estatus canviat : %s a %s TicketNotNotifyTiersAtCreate=No es notifica a l'empresa a crear Unread=No llegit -TicketNotCreatedFromPublicInterface=No disponible El tiquet no s'ha creat des de la interfície pública. -PublicInterfaceNotEnabled=La interfície pública no s'ha activat +TicketNotCreatedFromPublicInterface=No disponible El tiquet no s'ha creat des de la interfície pública. +PublicInterfaceNotEnabled=La interfície pública no s'ha activat ErrorTicketRefRequired=El nom de referència del tiquet és obligatori # @@ -241,7 +241,7 @@ NoLogForThisTicket=Encara no hi ha 'log' per aquest tiquet TicketLogAssignedTo=Tiquet %s assignat a %s TicketLogPropertyChanged=Tiquet %s modificat: classificació de %s a %s TicketLogClosedBy=Tiquet %s tancat per %s -TicketLogReopen=S'ha obert el tiquet %s +TicketLogReopen=El tiquet %s s'ha re-obert # # Public pages diff --git a/htdocs/langs/ca_ES/users.lang b/htdocs/langs/ca_ES/users.lang index 2a0dfa47722..c71ee023a2d 100644 --- a/htdocs/langs/ca_ES/users.lang +++ b/htdocs/langs/ca_ES/users.lang @@ -110,6 +110,6 @@ UserLogged=Usuari connectat DateEmployment=Data d'inici de l'ocupació DateEmploymentEnd=Data de finalització de l'ocupació CantDisableYourself=No podeu desactivar el vostre propi registre d'usuari -ForceUserExpenseValidator=Validador de l'informe de despeses obligatori +ForceUserExpenseValidator=Validador de l'informe de despeses obligatori ForceUserHolidayValidator=Forçar validador de sol·licitud d'abandonament ValidatorIsSupervisorByDefault=Per defecte, el validador és el supervisor de l’usuari. Deixar buit per mantenir aquest comportament. diff --git a/htdocs/langs/ca_ES/website.lang b/htdocs/langs/ca_ES/website.lang index 4cf726bae51..b0fc3228407 100644 --- a/htdocs/langs/ca_ES/website.lang +++ b/htdocs/langs/ca_ES/website.lang @@ -44,7 +44,7 @@ RealURL=URL real ViewWebsiteInProduction=Mostra la pàgina web utilitzant les URLs d'inici SetHereVirtualHost= Ús amb Apache / NGinx / ...
Si podeu crear, en el vostre servidor web (Apache, Nginx, ...), un host virtual dedicat amb PHP habilitat i un directori Root a
%s
i, a continuació, estableixi el nom de l'amfitrió virtual que heu creat a les propietats del lloc web, de manera que la previsualització es pot fer també usant aquest accés dedicat al servidor web en lloc del Dolibarr intern servidor. YouCanAlsoTestWithPHPS= Utilitzeu-lo amb el servidor incrustat de PHP
Al desenvolupar l'entorn, és possible que preferiu provar el lloc amb el servidor web incrustat de PHP (requereix PHP 5.5) executant
php -S 0.0. 0.0: 8080 -t %s -YouCanAlsoDeployToAnotherWHP=Executeu el vostre lloc web amb un altre proveïdor de hosting de Dolibarr
Si no teniu disponible un servidor web com Apache o NGinx a Internet, podeu exportar i importar el vostre lloc web a una altra instància de Dolibarr proporcionada per un altre proveïdor d'allotjament de Dolibarr que ofereixi una integració completa amb el mòdul del lloc web. Podeu trobar una llista d'alguns proveïdors d'allotjament Dolibarr a https://saas.dolibarr.org +YouCanAlsoDeployToAnotherWHP=Executeu el vostre lloc web amb un altre proveïdor de hosting de Dolibarr
Si no teniu disponible un servidor web com Apache o NGinx a Internet, podeu exportar i importar el vostre lloc web a una altra instància de Dolibarr proporcionada per un altre proveïdor d'allotjament de Dolibarr que ofereixi una integració completa amb el mòdul del lloc web. Podeu trobar una llista d'alguns proveïdors d'allotjament Dolibarr a https://saas.dolibarr.org CheckVirtualHostPerms=Comproveu també que l'amfitrió virtual té permisos %s en fitxers a %s ReadPerm=Llegit WritePerm=Escriu @@ -110,8 +110,8 @@ DeleteAlsoMedias=Voleu suprimir també tots els fitxers de mitjans específics d MyWebsitePages=Les meves pàgines web SearchReplaceInto=Cercar | Substituïu-lo a ReplaceString=Cadena nova -CSSContentTooltipHelp=Introduïu aquí contingut CSS. Per evitar qualsevol conflicte amb el CSS de l’aplicació, assegureu-vos que preposeu tota declaració amb la classe .bodywebsite. Per exemple:

#mycssselector, input.myclass: hover {...}
ha de ser
.bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

Nota: Si teniu un fitxer gran sense aquest prefix, podeu fer servir 'lessc' per convertir-lo per afegir el prefix .bodywebs site arreu. -LinkAndScriptsHereAreNotLoadedInEditor=Avís: aquest contingut només es produeix quan s'accedeix al lloc des d'un servidor. No s'utilitza en mode Edit, de manera que si necessiteu carregar fitxers Javascript també en mode d'edició, només heu d'afegir la vostra etiqueta 'script src = ...' a la pàgina. +CSSContentTooltipHelp=Introduïu aquí contingut CSS. Per evitar qualsevol conflicte amb el CSS de l’aplicació, assegureu-vos que preposeu tota declaració amb la classe .bodywebsite. Per exemple:

#mycssselector, input.myclass: hover {...}
ha de ser
.bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

Nota: Si teniu un fitxer gran sense aquest prefix, podeu fer servir 'lessc' per convertir-lo per afegir el prefix .bodywebs site arreu. +LinkAndScriptsHereAreNotLoadedInEditor=Avís: aquest contingut només es produeix quan s'accedeix al lloc des d'un servidor. No s'utilitza en mode Edit, de manera que si necessiteu carregar fitxers Javascript també en mode d'edició, només heu d'afegir la vostra etiqueta 'script src = ...' a la pàgina. Dynamiccontent=Exemple d’una pàgina amb contingut dinàmic ImportSite=Importa la plantilla del lloc web EditInLineOnOff=El mode "Edita en línia" és %s diff --git a/htdocs/langs/ca_ES/workflow.lang b/htdocs/langs/ca_ES/workflow.lang index e6162b51e6c..e8b2b8956e1 100644 --- a/htdocs/langs/ca_ES/workflow.lang +++ b/htdocs/langs/ca_ES/workflow.lang @@ -13,7 +13,7 @@ descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classifica els pressupostos vinculat 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=Classifica les comandes vinculades com a enviades quan l'expedició es validi (i si la quantitat enviada per totes les expedicions és igual que la comanda a actualitzar) -# Autoclassify supplier order +# Autoclassify purchase order descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classifica el pressupost de proveïdor vinculat com facturat quan la factura de proveïdor és validada (i si l'import de la factura és igual a l'import total del pressupost vinculat) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classifica la comanda de proveïdor vinculada com facturada quan la factura de proveïdor és validada (i si l'import de la factura és igual a l'import total de la comanda vinculada) AutomaticCreation=Creació automàtica diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang index 48250ac8bd9..589039595b6 100644 --- a/htdocs/langs/cs_CZ/admin.lang +++ b/htdocs/langs/cs_CZ/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Řízení prodeje objednávek Module30Name=Faktury Module30Desc=Řízení faktur a dobropisů pro zákazníky. Řízení faktur a dobropisů pro dodavatele Module40Name=Dodavatelé -Module40Desc=Dodavatelé a správa nákupů (nákupní objednávky a fakturační) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Zařízení pro protokolování (soubor, syslog, ...). Takové protokoly jsou určeny pro technické účely / ladění. Module49Name=Redakce @@ -561,9 +561,9 @@ Module200Desc=Synchronizace adresářů LDAP Module210Name=PostNuke Module210Desc=PostNuke integrace Module240Name=Exporty dat -Module240Desc=Nástroj pro export dat Dolibarr (s asistenty) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Import dat -Module250Desc=Nástroj pro import dat do Dolibarr (s asistenty) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Členové Module310Desc=Nadace členové vedení Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Spustit Hmotné dovozy externích dat do databáze (načítání Permission1321=Export zákazníků faktury, atributy a platby Permission1322=Znovu otevřít placené účet Permission1421=Exportní zakázky a atributy prodeje -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Přečtěte akce (události nebo úkoly) a další @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Nebyla zaznamenána žádná událost zabezpečení. To je NoEventFoundWithCriteria=Pro tato kritéria vyhledávání nebyla nalezena žádná bezpečnostní událost. SeeLocalSendMailSetup=Viz místní nastavení služby sendmail BackupDesc=A kompletní zálohování instalace Dolibarr vyžaduje dva kroky. -BackupDesc2=Zálohujte obsah adresáře "dokumenty" ( %s ) obsahující všechny nahrané a generované soubory. Zahrnuje také všechny soubory výpisu vygenerované v kroku 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Zálohujte strukturu a obsah své databáze ( %s ) do souboru výpisu. K tomu můžete použít následující pomocníka. BackupDescX=Archivovaný adresář by měl být uložen na bezpečném místě. BackupDescY=Generovaný soubor výpisu by měl být uložen na bezpečném místě. @@ -1167,6 +1167,7 @@ RestoreDesc3=Obnovte databázovou strukturu a data ze souboru zálohování do d RestoreMySQL=MySQL import ForcedToByAModule= Toto pravidlo je nuceno na %s aktivovaným modulem PreviousDumpFiles=Existující záložní soubory +PreviousArchiveFiles=Existing archive files WeekStartOnDay=První den v týdnu RunningUpdateProcessMayBeRequired=Spuštění procesu upgradu se zdá být požadováno (verze programu %s se liší od verze databáze %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Tento příkaz musíte spustit z příkazového řádku po přihlášení do shellu s uživatelem %s nebo musíte přidat add-W na konci příkazového řádku pro zadání %s hesla. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Požádejte o preferovanou způsob přepravy pro s FieldEdition=Editace položky %s FillThisOnlyIfRequired=Příklad: +2 (vyplňte pouze v případě, že se vyskytly problémy s posunem časových pásem) GetBarCode=Získat čárový kód +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Vrátit heslo vygenerované podle interního algoritmu Dolibarr: 8 znaků obsahujících sdílené čísla a znaky malými písmeny. PasswordGenerationNone=Nevybírejte generované heslo. Heslo musí být zadáno ručně. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Zkontrolujte číslovací modul příjmů MultiCompanySetup=Nastavení více firemních modulů ##### Suppliers ##### SuppliersSetup=Nastavení modulu dodavatele -SuppliersCommandModel=Kompletní šablona objednávky (logo ...) -SuppliersInvoiceModel=Kompletní šablona faktury dodavatele (logo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Číslovací modely faktur dodavatelů IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Přejděte na kartu "Oznámení" uživatele, chcete-li přidat nebo odstranit oznámení pro uživatele -GoOntoContactCardToAddMore=Přejděte na kartu "Oznámení" subjektu, chcete-li přidat nebo odstranit oznámení kontaktů / adres +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Práh -BackupDumpWizard=Průvodce vytvořením záložního souboru +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Instalace externího modulu není možné z webového rozhraní z tohoto důvodu: SomethingMakeInstallFromWebNotPossible2=Z tohoto důvodu je zde popsaný proces upgradu ruční proces, který může provádět pouze privilegovaný uživatel. InstallModuleFromWebHasBeenDisabledByFile=Instalace externího modulu z aplikace byla deaktivována správcem. Musíte požádat jej, aby odstranil soubor %s , aby tuto funkci povolil. @@ -1953,6 +1957,8 @@ SmallerThan=Menší než LargerThan=Větší než IfTrackingIDFoundEventWillBeLinked=Všimněte si, že je-li ID ID nalezeno v příchozím e-mailu, bude událost automaticky propojena s příslušnými objekty. WithGMailYouCanCreateADedicatedPassword=Pokud je účet služby GMail povolen, je-li povoleno ověření dvou kroků, je doporučeno vytvořit vyhrazené druhé heslo pro aplikaci namísto použití hesla hesla z účtu https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/cs_CZ/bills.lang b/htdocs/langs/cs_CZ/bills.lang index ce01283150a..c6dc35dcc28 100644 --- a/htdocs/langs/cs_CZ/bills.lang +++ b/htdocs/langs/cs_CZ/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dní PaymentCondition14D=14 dní PaymentConditionShort14DENDMONTH=14 dní konci měsíce PaymentCondition14DENDMONTH=Do 14 dnů po skončení měsíce, -FixAmount=Pevná částka +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variabilní částka (%% celk.) VarAmountOneLine=Proměnná částka (%% tot.) - 1 řádek se štítkem '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Kolek YouMustCreateInvoiceFromThird=Tato možnost je k dispozici pouze při vytváření faktury z karty "Zákazník" subjektu YouMustCreateInvoiceFromSupplierThird=Tato možnost je k dispozici pouze při vytváření faktury z karty "Prodejce" subjektu YouMustCreateStandardInvoiceFirstDesc=Musíte nejprve vytvořit standardní fakturu a převést ji do „šablony“ pro vytvoření nové šablony faktury -PDFCrabeDescription= PDF šablona faktur Crabe. Kompletní šablona faktury (doporučená šablona) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Faktura Šablona PDF Sponge. Kompletní šablona faktury PDFCrevetteDescription=Faktura PDF šablony Crevette. Kompletní fakturu šablona pro situace faktur TerreNumRefModelDesc1=Vrátí číslo ve formátu %s yymm-nnnn pro standardní faktury a %s yymm-nnnn pro dobropisy, kde yy je rok, mm je měsíc a nnnn je sekvence bez přerušení a bez návratu k 0 diff --git a/htdocs/langs/cs_CZ/categories.lang b/htdocs/langs/cs_CZ/categories.lang index c0bd0d2b271..f9e3d1a5ca1 100644 --- a/htdocs/langs/cs_CZ/categories.lang +++ b/htdocs/langs/cs_CZ/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Tagy/kategorie kontakty AccountsCategoriesShort=Tagy/kategorie účtů ProjectsCategoriesShort=Tagy/kategorie projektů UsersCategoriesShort=Uživatelské značky/kategorie +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Tato kategorie neobsahuje žádný produkt. ThisCategoryHasNoSupplier=Tato kategorie neobsahuje dodavatele. ThisCategoryHasNoCustomer=Tato kategorie neobsahuje žádné zákazníky. @@ -83,8 +84,11 @@ DeleteFromCat=Odebrat z tagů/kategorií ExtraFieldsCategories=Doplňkové atributy CategoriesSetup=Nastavení tagů/kategorií CategorieRecursiv=Odkaz na nadřazený tag/kategorii automaticky -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. +CategorieRecursivHelp=Pokud je volba zapnuta, při přidání produktu do podkategorie bude produkt také přidán do nadřazené kategorie. AddProductServiceIntoCategory=Přidejte následující produkt/službu ShowCategory=Zobrazit tag/kategorii ByDefaultInList=Ve výchozím nastavení je v seznamu ChooseCategory=Vyberte kategorii +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/cs_CZ/companies.lang b/htdocs/langs/cs_CZ/companies.lang index 61558a6324a..4cc4191e3e9 100644 --- a/htdocs/langs/cs_CZ/companies.lang +++ b/htdocs/langs/cs_CZ/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Moje kontakty Capital=Hlavní město CapitalOf=Hlavní město %s EditCompany=Upravit společnost -ThisUserIsNot=Tento uživatel není cíl, zákazník ani dodavatel +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Kontrola VATIntraCheckDesc=Kód DPH ID musí obsahovat předčíslí země. Odkaz %s používá službu European VAT Checker (VIES), která vyžaduje přístup na internet z Dolibarr serveru. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Přidělen obchodnímu zástupci Organization=Organizace FiscalYearInformation=Fiskální rok FiscalMonthStart=Počáteční měsíc fiskálního roku +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Abyste mohli přidat e-mailové upozornění, musíte vytvořit e-mail pro tohoto uživatele. YouMustCreateContactFirst=Chcete-li přidat e-mailová upozornění, musíte nejprve definovat kontakty s platnými e-maily pro subjekt ListSuppliersShort=Seznam dodavatelů diff --git a/htdocs/langs/cs_CZ/compta.lang b/htdocs/langs/cs_CZ/compta.lang index 9b6cbf21340..c7e1a7ea7e8 100644 --- a/htdocs/langs/cs_CZ/compta.lang +++ b/htdocs/langs/cs_CZ/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Sazbou daně z prodeje TurnoverbyVatrate=Obrat je fakturován sazbou daně z prodeje TurnoverCollectedbyVatrate=Obrat shromážděný podle sazby daně z prodeje PurchasebyVatrate=Nákup podle sazby daně z prodeje +LabelToShow=Krátký štítek diff --git a/htdocs/langs/cs_CZ/errors.lang b/htdocs/langs/cs_CZ/errors.lang index e4a3285be17..8e218eb2af3 100644 --- a/htdocs/langs/cs_CZ/errors.lang +++ b/htdocs/langs/cs_CZ/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Uživatel s přihlášením %s nebyl nalezen. ErrorLoginHasNoEmail=Tento uživatel nemá žádnou e-mailovou adresu. Proces přerušen. ErrorBadValueForCode=Špatná hodnota pro bezpečnostní kód. Zkuste znovu s novou hodnotou ... ErrorBothFieldCantBeNegative=Pole %s a %s nemohou být záporná -ErrorFieldCantBeNegativeOnInvoice=Pole %s nemůže být pro tento typ faktury záporné. Chcete-li přidat slevový řádek, vytvořte slevu nejprve odkazem %s na obrazovce a použijte ji na fakturu. Můžete také požádat svého administrátora, aby nastavil možnost FACTURE_ENABLE_NEGATIVE_LINES na 1, aby umožnil staré chování. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Množství řádku do zákaznických faktur nemůže být záporné ErrorWebServerUserHasNotPermission=Uživatelský účet %s , který byl použit k provádění webového serveru, nemá k tomu povolení ErrorNoActivatedBarcode=Žádný typ čárového kódu není aktivován @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=Pro tohoto člena bylo nastaveno heslo. Nebyl však vytvořen žádný uživatelský účet. Toto heslo je uloženo, ale nemůže být použito pro přihlášení k Dolibarr. Může být použito externím modulem / rozhraním, ale pokud nemáte pro člena definováno žádné přihlašovací jméno ani heslo, můžete vypnout možnost "Správa přihlášení pro každého člena" z nastavení modulu člena. Pokud potřebujete spravovat přihlašovací údaje, ale nepotřebujete žádné heslo, můžete toto pole ponechat prázdné, abyste se tomuto varování vyhnuli. Poznámka: E-mail může být také použit jako přihlašovací jméno, pokud je člen připojen k uživateli. diff --git a/htdocs/langs/cs_CZ/holiday.lang b/htdocs/langs/cs_CZ/holiday.lang index b30310ee8d3..3d3fb998948 100644 --- a/htdocs/langs/cs_CZ/holiday.lang +++ b/htdocs/langs/cs_CZ/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Typ ID dovolené TypeOfLeaveCode=Typ kódu dovolené TypeOfLeaveLabel=Typ štítku na dovolenou NbUseDaysCP=Počet dní vyčerpané dovolené +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Počet spotřebovaných dnů NbUseDaysCPShortInMonth=Dny spotřebované v měsíci +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Datum zahájení v měsíci DateEndInMonth=Datum ukončení v měsíci EditCP=Upravit diff --git a/htdocs/langs/cs_CZ/install.lang b/htdocs/langs/cs_CZ/install.lang index d584f94e175..4c962d19fd6 100644 --- a/htdocs/langs/cs_CZ/install.lang +++ b/htdocs/langs/cs_CZ/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Tato konfigurace PHP podporuje Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=Tato PHP instalace podporuje UTF8 funkce. PHPSupportIntl=Tato instalace PHP podporuje funkce Intl. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Maximální velikost relace je nastavena na %s. To by mělo stačit. PHPMemoryTooLow=Maximální velikost relace je nastavena na %s bajtů. To bohužel nestačí. Zvyšte svůj parametr memory_limit ve Vašem php.ini na minimální velikost %s bajtů. Recheck=Klikněte zde pro více vypovídající test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Vaše instalace PHP nepodporuje Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Tato PHP instalace nepodporuje UTF8 funkce. Tato funkce je nutná, pro správnou funkčnost Dolibarr. Zkontrolujte Vaše PHP nastavení. ErrorPHPDoesNotSupportIntl=Instalace PHP nepodporuje funkce Intl. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Adresář %s neexistuje. ErrorGoBackAndCorrectParameters=Vraťte se zpět a zkontrolujte / opravte špatné parametry. ErrorWrongValueForParameter=Možná jste zadali nesprávnou hodnotu pro parametr '%s'. diff --git a/htdocs/langs/cs_CZ/main.lang b/htdocs/langs/cs_CZ/main.lang index e12d03eb1df..0a55ff9a793 100644 --- a/htdocs/langs/cs_CZ/main.lang +++ b/htdocs/langs/cs_CZ/main.lang @@ -471,7 +471,7 @@ TotalDuration=Celková doba trvání Summary=Shrnutí DolibarrStateBoard=Statistika databází DolibarrWorkBoard=Otevřete položky -NoOpenedElementToProcess=Žádný otevřený prvek pro zpracování +NoOpenedElementToProcess=No open element to process Available=Dostupný NotYetAvailable=Zatím není k dispozici NotAvailable=Není k dispozici @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Smlouva ContactDefault_facture=Faktura ContactDefault_fichinter=Intervence ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Úkol ContactDefault_propal=Nabídka @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Lístek ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/cs_CZ/modulebuilder.lang b/htdocs/langs/cs_CZ/modulebuilder.lang index 4df20739a29..0e1faa70a05 100644 --- a/htdocs/langs/cs_CZ/modulebuilder.lang +++ b/htdocs/langs/cs_CZ/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=Seznam definovaných oprávnění SeeExamples=Viz příklady zde EnabledDesc=Podmínka, aby bylo toto pole aktivní (příklady: 1 nebo $ 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Může být hodnota pole kumulativní, aby se dostala do seznamu celkem? (Příklady: 1 nebo 0) SearchAllDesc=Používá se pole pro vyhledávání pomocí nástroje rychlého vyhledávání? (Příklady: 1 nebo 0) SpecDefDesc=Zadejte zde veškerou dokumentaci, kterou chcete poskytnout s modulem, která ještě nebyla definována jinými kartami. Můžete použít .md nebo lepší, bohatou syntaxi .asciidoc. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/cs_CZ/mrp.lang b/htdocs/langs/cs_CZ/mrp.lang index f18857c75a7..8b59a0842a7 100644 --- a/htdocs/langs/cs_CZ/mrp.lang +++ b/htdocs/langs/cs_CZ/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/cs_CZ/orders.lang b/htdocs/langs/cs_CZ/orders.lang index 0a73f5a4265..a6756294446 100644 --- a/htdocs/langs/cs_CZ/orders.lang +++ b/htdocs/langs/cs_CZ/orders.lang @@ -11,6 +11,7 @@ OrderDate=Datum objednávky OrderDateShort=Datum objednávky OrderToProcess=Objednávka ve zpracování NewOrder=Nová objednávka +NewOrderSupplier=New Purchase Order ToOrder=Udělat objednávku MakeOrder=Udělat objednávku SupplierOrder=Nákupní objednávka @@ -25,6 +26,8 @@ OrdersToBill=Byly doručeny objednávky OrdersInProcess=Prodejní objednávky v procesu OrdersToProcess=Objednávky prodeje zpracovávat SuppliersOrdersToProcess=Nákupní příkazy pro zpracování +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Zrušený StatusOrderDraftShort=Návrh StatusOrderValidatedShort=Ověřené @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Dodáno StatusOrderToBillShort=Dodává se StatusOrderApprovedShort=Schváleno StatusOrderRefusedShort=Odmítnuto -StatusOrderBilledShort=Účtováno StatusOrderToProcessShort=Ve zpracování StatusOrderReceivedPartiallyShort=Částečně obdržené StatusOrderReceivedAllShort=Získané produkty @@ -50,7 +52,6 @@ StatusOrderProcessed=Zpracované StatusOrderToBill=Dodává se StatusOrderApproved=Schválený StatusOrderRefused=Odmítnutý -StatusOrderBilled=Účtováno StatusOrderReceivedPartially=Částečně uložen StatusOrderReceivedAll=Všechny produkty byly přijaty ShippingExist=Zásilka existuje @@ -68,8 +69,9 @@ ValidateOrder=Potvrzení objednávky UnvalidateOrder=Nepotvrdit objednávku DeleteOrder=Smazat objednávku CancelOrder=Zrušení objednávky -OrderReopened= Objednat %s znovu otevřen +OrderReopened= Order %s re-open AddOrder=Vytvořit objednávku +AddPurchaseOrder=Create purchase order AddToDraftOrders=Přidat k návrhu objednávky ShowOrder=Zobrazit objednávku OrdersOpened=Objednávky ve zpracování @@ -139,10 +141,10 @@ OrderByEMail=E-mail OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Kompletní model objednávky (logo. ..) -PDFEratostheneDescription=Kompletní model objednávky (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Jednoduchý model objednávky -PDFProformaDescription=Kompletní proforma faktura (logo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Fakturace objednávek NoOrdersToInvoice=Žádné fakturované objednávky CloseProcessedOrdersAutomatically=Klasifikovat jako "Probíhající" všechny vybrané objednávky. @@ -152,7 +154,35 @@ OrderCreated=Vaše objednávky byly vytvořeny OrderFail=Došlo k chybě během vytváření objednávky CreateOrders=Vytvoření objednávky ToBillSeveralOrderSelectCustomer=Chcete-li vytvořit fakturu z několika řádů, klikněte nejprve na zákazníka, pak zvolte "%s". -OptionToSetOrderBilledNotEnabled=Možnost (z modulu Workflow) pro automatické nastavení příkazu "Účtováno", je-li faktura potvrzena, je vypnuto, takže musíte nastavit stav objednávky na hodnotu "Účtováno" ručně. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=Pokud je ověření faktury "Ne", objednávka zůstane na stav "Nesplacená", dokud nebude faktura potvrzena. -CloseReceivedSupplierOrdersAutomatically=V blízkosti, aby se „%s“ automaticky, pokud jsou přijaty všechny výrobky. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Nastavení režimu dopravy +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Zrušený +StatusSupplierOrderDraftShort=Návrh +StatusSupplierOrderValidatedShort=Ověřeno +StatusSupplierOrderSentShort=V procesu +StatusSupplierOrderSent=Přeprava v procesu +StatusSupplierOrderOnProcessShort=Objednáno +StatusSupplierOrderProcessedShort=Zpracováno +StatusSupplierOrderDelivered=Dodáno +StatusSupplierOrderDeliveredShort=Dodáno +StatusSupplierOrderToBillShort=Dodáno +StatusSupplierOrderApprovedShort=Schváleno +StatusSupplierOrderRefusedShort=Odmítnuto +StatusSupplierOrderToProcessShort=Ve zpracování +StatusSupplierOrderReceivedPartiallyShort=Částečně obdržené +StatusSupplierOrderReceivedAllShort=Získané produkty +StatusSupplierOrderCanceled=Zrušený +StatusSupplierOrderDraft=Koncept (musí být ověřen) +StatusSupplierOrderValidated=Ověřeno +StatusSupplierOrderOnProcess=Objednáno - přednostní příjem +StatusSupplierOrderOnProcessWithValidation=Objednané - Přednostní příjem nebo validace +StatusSupplierOrderProcessed=Zpracováno +StatusSupplierOrderToBill=Dodáno +StatusSupplierOrderApproved=Schváleno +StatusSupplierOrderRefused=Odmítnuto +StatusSupplierOrderReceivedPartially=Částečně obdržené +StatusSupplierOrderReceivedAll=Všechny produkty byly přijaty diff --git a/htdocs/langs/cs_CZ/other.lang b/htdocs/langs/cs_CZ/other.lang index 66b520a3898..f4fc0a47cc2 100644 --- a/htdocs/langs/cs_CZ/other.lang +++ b/htdocs/langs/cs_CZ/other.lang @@ -24,7 +24,7 @@ MessageOK=Zpráva na vrácené stránce o ověřené platbě MessageKO=Návratová stránka se zprávou o zrušení platby ContentOfDirectoryIsNotEmpty=Obsah tohoto adresáře není prázdný. DeleteAlsoContentRecursively=Zkontrolujte, zda chcete celý obsah odstranit rekurzivně - +PoweredBy=Powered by YearOfInvoice=Rok fakturace PreviousYearOfInvoice=Předchozí rok data fakturace NextYearOfInvoice=Následující rok fakturace @@ -104,7 +104,8 @@ DemoFundation=Spravovat nadaci, nebo neziskovou organizaci a její členy DemoFundation2=Správa členů a bankovních účtů nadace nebo neziskové organizace DemoCompanyServiceOnly=Správa pouze prodejní činnosti malé firmy nebo nadace DemoCompanyShopWithCashDesk=Správa obchodu s pokladnou, e-shopu nebo obchodní činnost -DemoCompanyProductAndStocks=Správa malého nebo středního podniku, který prodává své výrobky +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Správa malé nebo střední firmy s více činnostmi (všechny hlavní moduly) CreatedBy=Vytvořil %s ModifiedBy=Změnil %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL stránky WEBSITE_TITLE=Titul WEBSITE_DESCRIPTION=Popis WEBSITE_IMAGE=obraz -WEBSITE_IMAGEDesc=Relativní cesta obrazového média. Můžete si to nechat prázdné, protože se jen zřídka používá (může být použito dynamickým obsahem pro zobrazení náhledu seznamu blogů). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Klíčová slova LinesToImport=Řádky, které chcete importovat diff --git a/htdocs/langs/cs_CZ/projects.lang b/htdocs/langs/cs_CZ/projects.lang index 0d2a1685f71..cf4cfb9abcf 100644 --- a/htdocs/langs/cs_CZ/projects.lang +++ b/htdocs/langs/cs_CZ/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Moje projekty Oblast DurationEffective=Efektivní doba trvání ProgressDeclared=Hlášený progres TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Vypočítaný progres @@ -249,9 +249,13 @@ TimeSpentForInvoice=Strávený čas OneLinePerUser=Jeden řádek na uživatele ServiceToUseOnLines=Služba pro použití na tratích InvoiceGeneratedFromTimeSpent=Faktura %s byla vygenerována z času stráveného na projektu -ProjectBillTimeDescription=Zkontrolujte, zda zadáváte časový rozvrh úkolů projektu A plánujete generovat fakturu (y) z časového rozvrhu pro účtování zákazníkovi projektu (nekontrolujte, zda plánujete vytvořit fakturu, která není založena na zadaných výkazech). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Nová faktura +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/cs_CZ/propal.lang b/htdocs/langs/cs_CZ/propal.lang index 8f7bb5dacd7..13c7456a1dd 100644 --- a/htdocs/langs/cs_CZ/propal.lang +++ b/htdocs/langs/cs_CZ/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Zobrazit nabídku PropalsDraft=Návrhy PropalsOpened=Otevřeno PropalStatusDraft=Návrh (musí být ověřen) -PropalStatusValidated=Potvrzeno (návrh je otevřen) +PropalStatusValidated=Ověřeno (návrh je otevřen) PropalStatusSigned=Podpis (potřeba fakturace) PropalStatusNotSigned=Nejste přihlášen (uzavřený) PropalStatusBilled=Účtováno @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Fakturační kontakt zákazníka TypeContact_propal_external_CUSTOMER=Kontakt se zákazníkem pro následující vypracované nabídky TypeContact_propal_external_SHIPPING=Zákaznický kontakt pro doručení # Document models -DocModelAzurDescription=Kompletní šablona nabídky (logo. ..) -DocModelCyanDescription=Kompletní šablona nabídky (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Tvorba z výchozí šablony DefaultModelPropalToBill=Výchozí šablona při uzavírání obchodní nabídky (bude se fakturovat) DefaultModelPropalClosed=Výchozí šablona při uzavírání obchodní nabídky (nevyfakturované) ProposalCustomerSignature=Písemný souhlas, razítko firmy, datum a podpis ProposalsStatisticsSuppliers=Statistika návrhů dodavatelů +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/cs_CZ/stocks.lang b/htdocs/langs/cs_CZ/stocks.lang index fa6923b08e8..efac338d41e 100644 --- a/htdocs/langs/cs_CZ/stocks.lang +++ b/htdocs/langs/cs_CZ/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Kód pohybu nebo zásob IsInPackage=Obsažené v zásilce WarehouseAllowNegativeTransfer=Sklad může být negativní qtyToTranferIsNotEnough=Nemáte dostatek zásob ze zdrojového skladu a vaše nastavení neumožňuje záporné zásoby. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Ukázat skladiště MovementCorrectStock=Sklad obsahuje korekci pro produkt %s MovementTransferStock=Přenos skladových produktů %s do jiného skladiště @@ -192,6 +193,7 @@ TheoricalQty=Teoretické množství TheoricalValue=Teoretické množství LastPA=Poslední BP CurrentPA=Aktuální BP +RecordedQty=Recorded Qty RealQty=Skutečné množství RealValue=Skutečná hodnota RegulatedQty=Regulovaný počet diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang index 7303b8197fd..1fec9cb16de 100644 --- a/htdocs/langs/da_DK/admin.lang +++ b/htdocs/langs/da_DK/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Salgsordrehåndtering Module30Name=Fakturaer Module30Desc=Forvaltning af fakturaer og kreditnoter til kunder. Forvaltning af fakturaer og kreditnotaer for leverandører Module40Name=Leverandører -Module40Desc=Leverandører og købsstyring (købsordrer og fakturering) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logning faciliteter (fil, syslog, ...). Disse logs er for teknisk/debug formål. Module49Name=Tekstredigeringsværktøjer @@ -561,9 +561,9 @@ Module200Desc=LDAP-katalogsynkronisering Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data eksport -Module240Desc=Værktøj til at eksportere Dolibarr data (med assistenter) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data import -Module250Desc=Værktøj til at importere data til Dolibarr (med assistenter) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Medlemmer Module310Desc=Instituttets medlemmer forvaltning Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Kør massen import af eksterne data i databasen (data belastning) Permission1321=Eksporter kunde fakturaer, attributter og betalinger Permission1322=Genåb en betalt regning Permission1421=Eksporter salgsordrer og attributter -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Læs aktioner (begivenheder eller opgaver) andres @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Ingen sikkerhedshændelse er blevet logget. Dette er norma NoEventFoundWithCriteria=Der er ikke fundet nogen sikkerhedshændelse for disse søgekriterier. SeeLocalSendMailSetup=Se din lokale sendmail opsætning BackupDesc=En komplet backup af en Dolibarr installation kræver to trin. -BackupDesc2=Sikkerhedskopier indholdet af "dokumenter" -mappen ( %s ), der indeholder alle uploadede og genererede filer. Dette vil også omfatte alle de dumpfiler, der genereres i Trin 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Sikkerhedskopier strukturen og indholdet af din database ( %s ) i en dumpfil. Til dette kan du bruge følgende assistent. BackupDescX=Den arkiverede mappe skal opbevares på et sikkert sted. BackupDescY=De genererede dump fil bør opbevares på et sikkert sted. @@ -1167,6 +1167,7 @@ RestoreDesc3=Gendan database struktur og data fra en backup dump fil i databasen RestoreMySQL=MySQL import ForcedToByAModule= Denne regel er tvunget til at %s ved en aktiveret modul PreviousDumpFiles=Eksisterende backup filer +PreviousArchiveFiles=Existing archive files WeekStartOnDay=Første dag i ugen RunningUpdateProcessMayBeRequired=At køre opgraderingsprocessen ser ud til at være påkrævet (Programversion %s adskiller sig fra Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Du skal køre denne kommando fra kommandolinjen efter login til en shell med brugerens %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Anmod om en foretrukket forsendelsesmetode for tre FieldEdition=Område udgave %s FillThisOnlyIfRequired=Eksempel: +2 (kun udfyld hvis problemer med tidszoneforskydning opstår) GetBarCode=Få stregkode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Returnere en adgangskode, der genereres i henhold til interne Dolibarr algoritme: 8 tegn indeholder delt tal og tegn med små bogstaver. PasswordGenerationNone=Foreslå ikke en genereret adgangskode. Adgangskoden skal indtastes manuelt. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Kontroller kvitteringsnummermodul MultiCompanySetup=Opsætning af multi-selskabsmodul ##### Suppliers ##### SuppliersSetup=Opsætning af sælgermodul -SuppliersCommandModel=Komplet skabelon for indkøbsordre (logo ...) -SuppliersInvoiceModel=Fuldstændig skabelon af leverandørfaktura (logo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Leverandør fakturaer nummerering modeller IfSetToYesDontForgetPermission=Hvis det er indstillet til en ikke-nullværdi, skal du ikke glemme at give tilladelser til grupper eller brugere, der har tilladelse til den anden godkendelse ##### GeoIPMaxmind ##### @@ -1762,16 +1765,17 @@ ListOfNotificationsPerUser=Liste over automatiske underretninger pr. Bruger * ListOfNotificationsPerUserOrContact=Liste over mulige automatiske underretninger (ved forretningsbegivenhed) tilgængelig per bruger * eller pr. Kontakt ** ListOfFixedNotifications=Liste over automatiske faste meddelelser GoOntoUserCardToAddMore=Gå til fanen "Notifikationer" for en bruger for at tilføje eller fjerne underretninger for brugere -GoOntoContactCardToAddMore=Gå på fanen "Notifikationer" fra en tredjepart for at tilføje eller fjerne meddelelser for kontakter / adresser +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Grænseværdi -BackupDumpWizard=Guiden til at opbygge backupfilen +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation af eksternt modul er ikke muligt fra webgrænsefladen af ​​følgende årsag: SomethingMakeInstallFromWebNotPossible2=Af denne grund er proces til opgradering beskrevet her en manuel proces, som kun en privilegeret bruger kan udføre. InstallModuleFromWebHasBeenDisabledByFile=Installation af eksternt modul fra applikation er blevet deaktiveret af din administrator. Du skal bede ham om at fjerne filen %s for at tillade denne funktion. ConfFileMustContainCustom=Installation eller opbygning af et eksternt modul fra applikationen skal gemme modulfilerne i mappen %s . Hvis du vil have denne mappe behandlet af Dolibarr, skal du konfigurere din conf / conf.php for at tilføje de to direktelinjer:
$ dolibarr_main_url_root_alt = '/ custom';
$ dolibarr_main_document_root_alt = '%s /custom'; HighlightLinesOnMouseHover=Fremhæv tabel linjer, når musen flytter passerer over -HighlightLinesColor=Fremhæv farve på linjen, når musen passerer (brug 'ffffff' til intet højdepunkt) -HighlightLinesChecked=Fremhæv farve på linjen, når den er markeret (brug 'ffffff' til ikke at fremhæve) +HighlightLinesColor=Fremhæv farve på linjen, når musen passerer (brug 'ffffff' til intet højdepunkt) +HighlightLinesChecked=Fremhæv farve på linjen, når den er markeret (brug 'ffffff' til ikke at fremhæve) TextTitleColor=Tekstfarve på sidetitel LinkColor=Farve af links PressF5AfterChangingThis=Tryk på CTRL + F5 på tastaturet eller ryd din browserens cache efter at have ændret denne værdi for at få den effektiv @@ -1953,15 +1957,17 @@ SmallerThan=Mindre end LargerThan=Større end IfTrackingIDFoundEventWillBeLinked=Bemærk, at hvis der findes et sporings-ID i indgående e-mail, vil begivenheden automatisk blive knyttet til de relaterede objekter. WithGMailYouCanCreateADedicatedPassword=Hvis du aktiverer valideringen af 2 trin med en GMail konto, anbefales det at oprette en dedikeret anden adgangskode til applikationen i stedet for at bruge dit eget kontos kodeord fra https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=Slutpunkt for %s: %s DeleteEmailCollector=Slet e-mail-indsamler ConfirmDeleteEmailCollector=Er du sikker på, at du vil slette denne e-mail-indsamler? RecipientEmailsWillBeReplacedWithThisValue=Modtager-e-mails erstattes altid med denne værdi AtLeastOneDefaultBankAccountMandatory=Der skal defineres mindst 1 standardbankkonto -RESTRICT_API_ON_IP=Tillad kun tilgængelige API'er til nogle værts-IP (jokertegn er ikke tilladt, brug mellemrum mellem værdier). Tom betyder, at alle værter kan bruge de tilgængelige API'er. +RESTRICT_API_ON_IP=Tillad kun tilgængelige API'er til nogle værts-IP (jokertegn er ikke tilladt, brug mellemrum mellem værdier). Tom betyder, at alle værter kan bruge de tilgængelige API'er. RESTRICT_ON_IP=Tillad kun adgang til nogle værts-IP (jokertegn er ikke tilladt, brug mellemrum mellem værdier). Tom betyder, at alle værter kan få adgang. BaseOnSabeDavVersion=Baseret på biblioteket SabreDAV version NotAPublicIp=Ikke en offentlig IP -MakeAnonymousPing=Lav en anonym Ping '+1' til Dolibarr foundation-serveren (udføres kun 1 gang efter installationen) for at lade fundamentet tælle antallet af Dolibarr-installation. +MakeAnonymousPing=Lav en anonym Ping '+1' til Dolibarr foundation-serveren (udføres kun 1 gang efter installationen) for at lade fundamentet tælle antallet af Dolibarr-installation. FeatureNotAvailableWithReceptionModule=Funktion ikke tilgængelig, når modulmodtagelse er aktiveret EmailTemplate=Template for email diff --git a/htdocs/langs/da_DK/bills.lang b/htdocs/langs/da_DK/bills.lang index 3c4fbd92d4c..24f41155f41 100644 --- a/htdocs/langs/da_DK/bills.lang +++ b/htdocs/langs/da_DK/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dage PaymentCondition14D=14 dage PaymentConditionShort14DENDMONTH=14 dage i slutningen af ​​måneden PaymentCondition14DENDMONTH=Inden for 14 dage efter slutningen af ​​måneden -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variabel mængde (%% tot.) VarAmountOneLine=Variabel mængde (%% tot.) - 1 linje med etiket '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Indtægtsstempel YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=Du skal først oprette en standardfaktura og konvertere den til "skabelon" for at oprette en ny skabelonfaktura -PDFCrabeDescription=Faktura model Crabe. En fuldstændig faktura model (Support moms option, rabatter, betalinger betingelser, logo, etc. ..) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Faktura PDF skabelon opsætning. En komplet faktura skabelon PDFCrevetteDescription=Faktura PDF skabelon Crevette. En komplet faktura skabelon for kontoudtog TerreNumRefModelDesc1=Retur nummer med format %syymm-nnnn for standard faktura og %syymm-nnnn for kreditnoter hvor du er år, mm er måned og nnnn er en sekvens uden pause og ingen tilbagevenden til 0 diff --git a/htdocs/langs/da_DK/categories.lang b/htdocs/langs/da_DK/categories.lang index 30b0bd1b255..99a59c9c7ef 100644 --- a/htdocs/langs/da_DK/categories.lang +++ b/htdocs/langs/da_DK/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Konti tags/kategorier ProjectsCategoriesShort=Projekter tags/kategorier UsersCategoriesShort=Brugere tags / kategorier +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Denne kategori indeholder ingen vare. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Denne kategori indeholder ingen kunde. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Tilføj følgende produkt/tjeneste ShowCategory=Vis tag/kategori ByDefaultInList=Som standard i liste ChooseCategory=Vælg kategori +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/da_DK/companies.lang b/htdocs/langs/da_DK/companies.lang index 316a3b9f65c..ce8b8830ca0 100644 --- a/htdocs/langs/da_DK/companies.lang +++ b/htdocs/langs/da_DK/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Mine kontakter Capital=Egenkapital CapitalOf=Egenkapital på %s EditCompany=Rediger virksomhed -ThisUserIsNot=Denne bruger er ikke en mulig kunde, kunde eller leverandør +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Kontrollere VATIntraCheckDesc=Moms nummer skal indeholde landets præfiks. Linket %s bruger den europæiske momscheckertjeneste (VIES), det kræver internetadgang fra serveren. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Tildelt til en salgsrepræsentant Organization=Organisationen FiscalYearInformation=Skatteår FiscalMonthStart=Første måned i regnskabsåret +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Du skal oprette en email til denne bruger, før du kan tilføje en e-mail-besked. YouMustCreateContactFirst=For at kunne tilføje e-mail-meddelelser skal du først definere kontakter med gyldige e-mails til tredjepart ListSuppliersShort=Liste over leverandører diff --git a/htdocs/langs/da_DK/compta.lang b/htdocs/langs/da_DK/compta.lang index 8b9fd83d40f..ce9ae06ce02 100644 --- a/htdocs/langs/da_DK/compta.lang +++ b/htdocs/langs/da_DK/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF køb LT2CustomerIN=SGST salg LT2SupplierIN=SGST køb VATCollected=Modtaget moms -ToPay=At betale +StatusToPay=At betale SpecialExpensesArea=Særlige betalinger SocialContribution=Skat/afgift SocialContributions=Skatter/afgifter @@ -112,7 +112,7 @@ ShowVatPayment=Vis momsbetaling TotalToPay=At betale i alt BalanceVisibilityDependsOnSortAndFilters=Balancen er kun synlig i denne liste, hvis tabellen sorteres stigende på %s og filtreret til 1 bankkonto CustomerAccountancyCode=Regnskabskode for kunde -SupplierAccountancyCode=leverandør regnskabskode +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. konto. kode SupplierAccountancyCodeShort=Sup. konto. kode AccountNumber=Kontonummer @@ -139,9 +139,9 @@ ConfirmDeleteSocialContribution=Er du sikker på, at du vil slette denne betalin ExportDataset_tax_1=Betalinger af skatter/afgifter CalcModeVATDebt=Indstilling %sMoms på forpligtelseskonto%s . CalcModeVATEngagement=Mode %sVAT på indkomst-udgifter%s . -CalcModeDebt=Analyse af kendte registrerede fakturaer, selvom de endnu ikke er bogført i hovedbog. -CalcModeEngagement=Analyse af kendte registrerede betalinger, selvom de endnu ikke er indregnet i Ledger. -CalcModeBookkeeping=Analyse af data journaliseret i Bogførings tabelen. +CalcModeDebt=Analyse af kendte registrerede fakturaer, selvom de endnu ikke er bogført i hovedbogen. +CalcModeEngagement=Analyse af kendte registrerede betalinger, selvom de endnu ikke er indregnet i hovedbogen. +CalcModeBookkeeping=Analyse af data journaliseret i bogførings tabelen. CalcModeLT1= Mode %sRE på kundefakturaer - leverandører invoices%s CalcModeLT1Debt=Mode %sRE på kundefakturaer%s CalcModeLT1Rec= Mode %sRE på leverandører invoices%s @@ -153,18 +153,18 @@ AnnualSummaryInputOutputMode=Balance mellem indtægter og udgifter, årligt samm AnnualByCompanies=Indkomst- og udgiftsbalance, pr. Foruddefinerede regnskabet AnnualByCompaniesDueDebtMode=Indkomst- og udgiftsbalance, detaljer ved foruddefinerede grupper, tilstand %sClaims-Debts%s sagde Forpligtelsesregnskab . AnnualByCompaniesInputOutputMode=Indkomst- og udgiftsbalance, detaljer ved foruddefinerede grupper, tilstand %sIncomes-Expenses%s sagde kontantregnskab . -SeeReportInInputOutputMode=Se %sanalyse af payments%s for en beregning af faktiske betalinger foretaget, selvom de endnu ikke er opført i Ledger. -SeeReportInDueDebtMode=Se %sanalyse af faktices%s for en beregning baseret på kendte registrerede fakturaer, selvom de endnu ikke er opført i Ledger. -SeeReportInBookkeepingMode=Se %sBookeeping report%s til en beregning på Bogholderbogsliste +SeeReportInInputOutputMode=Se %sanalyse af betaling%s for en beregning af faktiske betalinger foretaget, selvom de endnu ikke er opført i hovedbogen. +SeeReportInDueDebtMode=Se %sanalyse af faktura%s for en beregning baseret på kendte registrerede fakturaer, selvom de endnu ikke er opført i hovedbogen. +SeeReportInBookkeepingMode=Se %skassekladde report%s til en beregning på kasssekladdens tabelen RulesAmountWithTaxIncluded=- De viste beløb er med alle inkl. moms RulesResultDue=- Det inkluderer udestående fakturaer, udgifter, moms, donationer, uanset om de er betalt eller ej. Inkluderer også betalte lønninger.
- Det er baseret på bekræftesesdatoen for fakturaer og moms og på forfaldsdagen for udgifter. For lønninger, der er defineret med Lønmodul, anvendes datoen for betaling. RulesResultInOut=- Den omfatter de reelle betalinger foretaget på fakturaer, udgifter, moms og løn.
- Det er baseret på betalingsdatoer for fakturaer, udgifter, moms og løn. Donationsdatoen for donation. RulesCADue=- Det inkluderer kundens fakturaer, uanset om de er betalt eller ej.
- Det er baseret på valideringsdatoen for disse fakturaer.
RulesCAIn=- Den omfatter alle effektive betalinger af fakturaer modtaget fra kunder.
- Det er baseret på betalingsdatoen for disse fakturaer
RulesCATotalSaleJournal=Den omfatter alle kreditlinjer fra salgslisten. -RulesAmountOnInOutBookkeepingRecord=Det indeholder post i din Ledger med regnskabsregnskaber, der har gruppen "EXPENSE" eller "INCOME" -RulesResultBookkeepingPredefined=Det indeholder post i din Ledger med regnskabsregnskaber, der har gruppen "EXPENSE" eller "INCOME" -RulesResultBookkeepingPersonalized=Det viser rekord i din Ledger med regnskabsregnskaber grupperet af personlige grupper +RulesAmountOnInOutBookkeepingRecord=Det indeholder post i din hovedbog med kontor, der har gruppen "EXPENSE" eller "INCOME" +RulesResultBookkeepingPredefined=Det indeholder poster i din hovedbog med regnskabs kontoer, der har gruppen "EXPENSE" eller "INCOME" +RulesResultBookkeepingPersonalized=Det viser kontoer i din hovedbog med regnskabs kontoer grupperet af personlige grupper SeePageForSetup=Se menuen %s til opsætning DepositsAreNotIncluded=- Betalingsfakturaer er ikke inkluderet DepositsAreIncluded=- Fakturaer med forudbetaling er inkluderet @@ -227,7 +227,7 @@ ACCOUNTING_VAT_SOLD_ACCOUNT=Regnskabskonto som standard for moms på salg (brugt ACCOUNTING_VAT_BUY_ACCOUNT=Startdart regnskabskonto for moms ved køb (Bliver brugt, hvis det ikke er defineret i moms opsætning) ACCOUNTING_VAT_PAY_ACCOUNT=Regnskabskonto som standard for betaling af moms ACCOUNTING_ACCOUNT_CUSTOMER=Regnskabskonto anvendt til kundens tredjepart -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Den dedikerede regnskabskonto, der er defineret på tredjepartskort, anvendes kun til underledere. Denne vil blive brugt til General Ledger og som standardværdi af Subledger regnskab, hvis dedikeret kundekonto konto på tredjepart ikke er defineret. +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Den dedikerede regnskabskonto, der er defineret på tredjepartskort, anvendes kun til underkonto. Denne vil blive brugt til bogføring og som standardværdi af underkontos regnskab, hvis dedikeret kundekonto på tredjepart ikke er defineret. ACCOUNTING_ACCOUNT_SUPPLIER=Regnskabskonto anvendt til leverandør tredjepart ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Den dedikerede regnskabskonto, der er defineret på tredjepartskort, vil kun blive anvendt til kassekladden. Denne vil blive brugt til regnskabet og som standardværdi i bogholderi regnskabet, hvis dedikeret leverandør regnskabskonto på tredjepart ikke er defineret. ConfirmCloneTax=Bekræft klonen af ​​en social / skattemæssig afgift @@ -254,3 +254,4 @@ ByVatRate=Med Moms sats TurnoverbyVatrate=Omsætning faktureret ved salgskurs TurnoverCollectedbyVatrate=Omsætning opkrævet ved salgskurs PurchasebyVatrate=Køb ved salgskurs +LabelToShow=Short label diff --git a/htdocs/langs/da_DK/errors.lang b/htdocs/langs/da_DK/errors.lang index a5d048d589b..47ae6bafae1 100644 --- a/htdocs/langs/da_DK/errors.lang +++ b/htdocs/langs/da_DK/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Bruger med login %s kunne ikke findes. ErrorLoginHasNoEmail=Denne bruger har ingen e-mail-adresse. Processen afbrydes. ErrorBadValueForCode=Bad værdi former for kode. Prøv igen med en ny værdi ... ErrorBothFieldCantBeNegative=Fields %s og %s kan ikke være både negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Brugerkonto %s anvendes til at udføre web-server har ikke tilladelse til at ErrorNoActivatedBarcode=Ingen stregkode aktiveret typen @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/da_DK/holiday.lang b/htdocs/langs/da_DK/holiday.lang index efd753081e8..033835e2257 100644 --- a/htdocs/langs/da_DK/holiday.lang +++ b/htdocs/langs/da_DK/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type orlov ID TypeOfLeaveCode=Type orlovskode TypeOfLeaveLabel=Orlovsetikettype NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Dage forbrugt NbUseDaysCPShortInMonth=Dage indtages i måneden +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Startdato i måned DateEndInMonth=Slutdato i måned EditCP=Redigér diff --git a/htdocs/langs/da_DK/install.lang b/htdocs/langs/da_DK/install.lang index 42fc9453112..b5013118656 100644 --- a/htdocs/langs/da_DK/install.lang +++ b/htdocs/langs/da_DK/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Dette PHP understøtter Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=Dette PHP understøtter UTF8 funktioner. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Din PHP max session hukommelse er sat til %s. Dette skulle være nok. PHPMemoryTooLow=Din PHP max-sessionshukommelse er indstillet til %s bytes. Dette er for lavt. Skift din php.ini for at indstille parameteren memory_limit til mindst %s bytes. Recheck=Klik her for en mere detaljeret test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Din PHP-installation understøtter ikke UTF8-funktioner. Dolibarr kan ikke fungere korrekt. Løs dette inden du installerer Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s ikke eksisterer. ErrorGoBackAndCorrectParameters=Gå tilbage og kontroller / korrigér parametrene. ErrorWrongValueForParameter=Du kan have indtastet en forkert værdi for parameter ' %s'. diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang index dbf971dc71a..a77bd5a38f1 100644 --- a/htdocs/langs/da_DK/main.lang +++ b/htdocs/langs/da_DK/main.lang @@ -471,7 +471,7 @@ TotalDuration=Varighed i alt Summary=Resumé DolibarrStateBoard=Database Statistik DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=Intet åbnet element til behandling +NoOpenedElementToProcess=No open element to process Available=Tilgængelig NotYetAvailable=Ikke tilgængelig endnu  NotAvailable=Ikke til rådighed @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Kontrakt ContactDefault_facture=Faktura ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Opgave ContactDefault_propal=Tilbud @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Opgave ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/da_DK/modulebuilder.lang b/htdocs/langs/da_DK/modulebuilder.lang index 218910b6136..affe06aecc2 100644 --- a/htdocs/langs/da_DK/modulebuilder.lang +++ b/htdocs/langs/da_DK/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=Liste over definerede tilladelser SeeExamples=Se eksempler her EnabledDesc=Tilstand at have dette felt aktivt (Eksempler: 1 eller $ 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Kan værdien af ​​feltet akkumuleres for at få en samlet liste? (Eksempler: 1 eller 0) SearchAllDesc=Er feltet brugt til at foretage en søgning fra hurtigsøgningsværktøjet? (Eksempler: 1 eller 0) SpecDefDesc=Indtast her alt dokumentation, du vil levere med dit modul, som ikke allerede er defineret af andre faner. Du kan bruge .md eller bedre den rige .asciidoc-syntaks. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/da_DK/mrp.lang b/htdocs/langs/da_DK/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/da_DK/mrp.lang +++ b/htdocs/langs/da_DK/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/da_DK/orders.lang b/htdocs/langs/da_DK/orders.lang index c3b53cfc459..f06f0d0ca92 100644 --- a/htdocs/langs/da_DK/orders.lang +++ b/htdocs/langs/da_DK/orders.lang @@ -11,6 +11,7 @@ OrderDate=Ordredato OrderDateShort=Bestil dato OrderToProcess=Ordre at behandle NewOrder=Ny ordre +NewOrderSupplier=New Purchase Order ToOrder=Lav ordre MakeOrder=Lav ordre SupplierOrder=Indkøbsordre @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Indkøbsordrer til behandling +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Annulleret StatusOrderDraftShort=Udkast StatusOrderValidatedShort=Godkendt @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Leveret StatusOrderToBillShort=Leveret StatusOrderApprovedShort=Godkendt StatusOrderRefusedShort=Afvist -StatusOrderBilledShort=Billed StatusOrderToProcessShort=At behandle StatusOrderReceivedPartiallyShort=Delvist modtaget StatusOrderReceivedAllShort=Varer modtaget @@ -50,7 +52,6 @@ StatusOrderProcessed=Behandlet StatusOrderToBill=Leveret StatusOrderApproved=Godkendt StatusOrderRefused=Afvist -StatusOrderBilled=Billed StatusOrderReceivedPartially=Delvist modtaget StatusOrderReceivedAll=Alle varer modtaget ShippingExist=En forsendelse findes @@ -68,8 +69,9 @@ ValidateOrder=Bekræft orden UnvalidateOrder=Unvalidate rækkefølge DeleteOrder=Slet orden CancelOrder=Annuller ordre -OrderReopened= Bestil %s Genåbnet +OrderReopened= Order %s re-open AddOrder=Opret ordre +AddPurchaseOrder=Create purchase order AddToDraftOrders=Tilføj til udkast til ordre ShowOrder=Vis for OrdersOpened=Bestiller at behandle @@ -139,10 +141,10 @@ OrderByEMail=EMail OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=En fuldstændig orden model (logo. ..) -PDFEratostheneDescription=En fuldstændig orden model (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=En simpel orden model -PDFProformaDescription=En komplet proformafaktura (logo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill ordrer NoOrdersToInvoice=Ingen ordrer faktureres CloseProcessedOrdersAutomatically=Klassificer "Behandlet" alle valgte ordrer. @@ -152,7 +154,35 @@ OrderCreated=Dine ordrer er blevet oprettet OrderFail=Der opstod en fejl under ordren oprettelse CreateOrders=Opret ordrer ToBillSeveralOrderSelectCustomer=For at oprette en faktura for flere ordrer, klik først på kunden, og vælg derefter "%s". -OptionToSetOrderBilledNotEnabled=Mulighed (fra modul Workflow) til at indstille ordre til 'Faktureret' automatisk, når fakturaen er bekræftet, er slukket, så du skal indstille status for 'Faktureret' manuelt. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=Hvis faktura bekræftelse er 'Nej', forbliver ordren til status 'Unbilled' indtil fakturaen er bekræftet. -CloseReceivedSupplierOrdersAutomatically=Luk ordre til "%s" automatisk, hvis alle produkter er modtaget. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Indstil shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Aflyst +StatusSupplierOrderDraftShort=Udkast til +StatusSupplierOrderValidatedShort=bekræftet +StatusSupplierOrderSentShort=Under behandling +StatusSupplierOrderSent=Forsendelse i gang +StatusSupplierOrderOnProcessShort=Bestilt +StatusSupplierOrderProcessedShort=Behandlet +StatusSupplierOrderDelivered=Leveret +StatusSupplierOrderDeliveredShort=Leveret +StatusSupplierOrderToBillShort=Leveret +StatusSupplierOrderApprovedShort=Godkendt +StatusSupplierOrderRefusedShort=Afvist +StatusSupplierOrderToProcessShort=At behandle +StatusSupplierOrderReceivedPartiallyShort=Delvist modtaget +StatusSupplierOrderReceivedAllShort=Varer modtaget +StatusSupplierOrderCanceled=Aflyst +StatusSupplierOrderDraft=Udkast (skal bekræftes) +StatusSupplierOrderValidated=bekræftet +StatusSupplierOrderOnProcess=Bestilt - afventer modtagelse +StatusSupplierOrderOnProcessWithValidation=Bestilt - Standby modtagelse eller bekræftelse +StatusSupplierOrderProcessed=Behandlet +StatusSupplierOrderToBill=Leveret +StatusSupplierOrderApproved=Godkendt +StatusSupplierOrderRefused=Afvist +StatusSupplierOrderReceivedPartially=Delvist modtaget +StatusSupplierOrderReceivedAll=Alle varer modtaget diff --git a/htdocs/langs/da_DK/other.lang b/htdocs/langs/da_DK/other.lang index fe27c22fb79..68d66a1976e 100644 --- a/htdocs/langs/da_DK/other.lang +++ b/htdocs/langs/da_DK/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Indholdet af denne mappe er ikke tomt. DeleteAlsoContentRecursively=Check for at slette alt indhold rekursivt - +PoweredBy=Powered by YearOfInvoice=År for faktura dato PreviousYearOfInvoice=Tidligere års faktura dato NextYearOfInvoice=Følgende års faktura dato @@ -104,7 +104,8 @@ DemoFundation=Administrer medlemmer af en fond DemoFundation2=Administrer medlemmer og bankkonto i en fond DemoCompanyServiceOnly=Kun firma eller freelance-salgstjeneste DemoCompanyShopWithCashDesk=Administrer en butik med et kontant desk -DemoCompanyProductAndStocks=Firma, der sælger varer med en butik +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Virksomhed med flere aktiviteter (alle hovedmoduler) CreatedBy=Oprettet af %s ModifiedBy=Modificeret af %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL til side WEBSITE_TITLE=Titel WEBSITE_DESCRIPTION=Beskrivelse WEBSITE_IMAGE=Billede -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=nøgleord LinesToImport=Linjer at importere diff --git a/htdocs/langs/da_DK/projects.lang b/htdocs/langs/da_DK/projects.lang index ba6f3ff7d75..0eab5ebc182 100644 --- a/htdocs/langs/da_DK/projects.lang +++ b/htdocs/langs/da_DK/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Mine projekter Område DurationEffective=Effektiv varighed ProgressDeclared=Erklæret fremskridt TaskProgressSummary=Opgave fremskridt -CurentlyOpenedTasks=Aktuelle åbnede opgaver +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Den erklærede fremgang er mindre %s end den beregnede progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Beregnede fremskridt @@ -249,9 +249,13 @@ TimeSpentForInvoice=Tid brugt OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Ny faktura +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/da_DK/propal.lang b/htdocs/langs/da_DK/propal.lang index c63ffaef5f8..12a2ffc71b6 100644 --- a/htdocs/langs/da_DK/propal.lang +++ b/htdocs/langs/da_DK/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Vis tilbud PropalsDraft=Drafts PropalsOpened=Åbent PropalStatusDraft=Udkast (skal godkendes) -PropalStatusValidated=Godkendte (tilbud er åbnet) +PropalStatusValidated=Valideret (forslag er åbnet) PropalStatusSigned=Underskrevet (til faktura) PropalStatusNotSigned=Ikke underskrevet (lukket) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Kundefaktura kontakt TypeContact_propal_external_CUSTOMER=Kundekontakt for opfølgning af tilbud TypeContact_propal_external_SHIPPING=Kundekontakt for levering # Document models -DocModelAzurDescription=En komplet tilbudskabelon (logo. ..) -DocModelCyanDescription=En komplet tilbudskabelon (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Oprettelse af skabelon DefaultModelPropalToBill=Skabelon, der skal benyttes, når et tilbud lukkes (med fakturering) DefaultModelPropalClosed=Skabelon, der skal benyttes, når et tilbud lukkes (uden fakturering) ProposalCustomerSignature=Skriftlig accept, firmastempel, dato og underskrift ProposalsStatisticsSuppliers=Forhandler forslagsstatistik +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/da_DK/stocks.lang b/htdocs/langs/da_DK/stocks.lang index c5d0759aeef..94e8de73806 100644 --- a/htdocs/langs/da_DK/stocks.lang +++ b/htdocs/langs/da_DK/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Bevægelse eller lager kode IsInPackage=Indeholdt i pakken WarehouseAllowNegativeTransfer=Lager kan være negativ qtyToTranferIsNotEnough=Du har ikke nok lager fra dit kildelager, og din opsætning tillader ikke negative lagre. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Vis lager MovementCorrectStock=Lagerkorrektion for produkt %s MovementTransferStock=Lageroverførsel af produkt %s til et andet lager @@ -192,6 +193,7 @@ TheoricalQty=Teoretisk antal TheoricalValue=Teoretisk antal LastPA=Sidste BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Antal RealValue=Reel værdi RegulatedQty=Reguleret antal diff --git a/htdocs/langs/de_AT/bills.lang b/htdocs/langs/de_AT/bills.lang index c3381d856d7..1bcce6a96fe 100644 --- a/htdocs/langs/de_AT/bills.lang +++ b/htdocs/langs/de_AT/bills.lang @@ -21,7 +21,6 @@ ValidateInvoice=Validate Rechnung DisabledBecausePayments=Nicht möglich, da gibt es einige Zahlungen CantRemovePaymentWithOneInvoicePaid=Kann die Zahlung nicht entfernen, da es zumindest auf der Rechnung bezahlt klassifiziert PayedByThisPayment=Bezahlt durch diese Zahlung -PDFCrabeDescription=Rechnung Modell Crabe. Eine vollständige Rechnung Modell (Support Mehrwertsteuer Option, Rabatte, Zahlungen Bedingungen, Logos, etc. ..) TerreNumRefModelDesc1=Zurück NUMERO mit Format %syymm-nnnn für Standardrechnungen und syymm%-nnnn für Gutschriften, wo ist JJ Jahr, MM Monat und nnnn ist eine Folge ohne Pause und keine Rückkehr auf 0 TypeContact_facture_internal_SALESREPFOLL=Repräsentative Follow-up Debitorenrechnung TypeContact_facture_external_BILLING=Debitorenrechnung Kontakt diff --git a/htdocs/langs/de_AT/main.lang b/htdocs/langs/de_AT/main.lang index 463f276e0d0..ece7dff5b9f 100644 --- a/htdocs/langs/de_AT/main.lang +++ b/htdocs/langs/de_AT/main.lang @@ -83,4 +83,3 @@ Calendar=Kalender Events=Termine SearchIntoInterventions=Eingriffe AssignedTo=zugewisen an -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/de_AT/orders.lang b/htdocs/langs/de_AT/orders.lang index d7d3004953e..b004e480119 100644 --- a/htdocs/langs/de_AT/orders.lang +++ b/htdocs/langs/de_AT/orders.lang @@ -10,5 +10,6 @@ PaymentOrderRef=Zahlung zu Bestellung %s TypeContact_commande_external_BILLING=Debitorenrechnung Kontakt TypeContact_commande_external_SHIPPING=Customer Versand Kontakt TypeContact_commande_external_CUSTOMER=Bestellungs-Nachverfolgung durch Kundenkontakt -PDFEinsteinDescription=Eine vollständige Bestellvorlage (Logo, ...) -PDFEratostheneDescription=Eine vollständige Bestellvorlage (Logo, ...) +StatusSupplierOrderValidatedShort=Bestätigt +StatusSupplierOrderValidated=Bestätigt +StatusSupplierOrderOnProcess=In Arbeit diff --git a/htdocs/langs/de_AT/propal.lang b/htdocs/langs/de_AT/propal.lang index fcf45bc3e2b..56b3659b888 100644 --- a/htdocs/langs/de_AT/propal.lang +++ b/htdocs/langs/de_AT/propal.lang @@ -12,5 +12,3 @@ AvailabilityTypeAV_NOW=Prompt nach Rechnungserhalt TypeContact_propal_internal_SALESREPFOLL=Angebotsnachverfolgung durch Vertreter TypeContact_propal_external_BILLING=Debitorenrechnung Kontakt TypeContact_propal_external_CUSTOMER=Angebots-Nachverfolgung durch Partnerkontakt -DocModelAzurDescription=Eine vollständige Angebotsvorlage (Logo, ...) -DocModelCyanDescription=Eine vollständige Angebotsvorlage (Logo, ...) diff --git a/htdocs/langs/de_CH/admin.lang b/htdocs/langs/de_CH/admin.lang index 5b0b8bb2811..7c31f4183b3 100644 --- a/htdocs/langs/de_CH/admin.lang +++ b/htdocs/langs/de_CH/admin.lang @@ -9,7 +9,9 @@ FileIntegritySomeFilesWereRemovedOrModified=Datei-Integrität konnte NICHT best MakeIntegrityAnalysisFrom=Mache Integrität Analyse von Anwendungsdateien aus LocalSignature=Eingebettete lokale Signatur (weniger zuverlässig) RemoteSignature=Remote entfernte Unterschrift (mehr zuverlässig) +FilesMissing=Fehlende Dateien FilesUpdated=Dateien ersetzt +FilesModified=Geänderte Dateien FilesAdded=Angehängte Dateien FileCheckDolibarr=Überprüfen Sie die Integrität der Anwendungsdateien AvailableOnlyOnPackagedVersions=Die lokale Datei für die Integritätsprüfung ist nur verfügbar, wenn Dolibarr von einer offiziellen Veröffentlichung installiert worden ist. @@ -276,7 +278,6 @@ Module22Desc=E-Mail-Kampagnenverwaltung Module25Name=Kundenaufträge Module25Desc=Kunden - Auftragsverwaltung Module40Name=Lieferanten -Module40Desc=Lieferantenverwaltung und Einkauf (Bestellungen und Rechnungen) Module49Desc=Bearbeiterverwaltung Module50Desc=Produkteverwaltung Module52Name=Produktbestände @@ -290,8 +291,6 @@ Module85Name=Bankkonten & Bargeld Module100Desc=Hinzufügen eines Links zu einer externen Website als Icon im Hauptmenü. Die Webseite wird in einem Dolibarr-Frame unter dem Haupt-Menü angezeigt. Module105Desc=Mailman oder SPIP Schnittstelle für die Mitgliedsmodul Module200Desc=LDAP Synchronisierung -Module240Desc=Werkzeug zum Datenexport (mit Assistent) -Module250Desc=Tool zum Importieren von Daten in Dolibarr (mit Unterstützung) Module310Desc=Management von Mitglieder einer Stiftung/Vereins Module320Desc=RSS Feed auf Dolibarr - Seiten zeigen Module330Name=Lesezeichen und Verknüpfungen diff --git a/htdocs/langs/de_CH/bills.lang b/htdocs/langs/de_CH/bills.lang index cb0519fec73..81b4bf02f9d 100644 --- a/htdocs/langs/de_CH/bills.lang +++ b/htdocs/langs/de_CH/bills.lang @@ -127,7 +127,6 @@ HelpAbandonOther=Dieser Betrag wurde auf Grund eines Fehlers aufgegeben (falsche PaymentId=Zahlung id PaymentRef=Zahlungsreferenz OrderBilled=Bestellung verrechnet -DonationPaid=Spende bezahlt PaymentNumber=Zahlung Nr. WatermarkOnDraftBill=Wasserzeichen auf Rechnungs-Entwurf (keines, falls leer) ConfirmCloneInvoice=Bist du sicher, dass du die Rechnung %s duplizieren willst? @@ -152,7 +151,6 @@ PaymentConditionRECEP=Bei Erhalt PaymentConditionShort30DENDMONTH=30 Tage ab Ende des Monats PaymentCondition30DENDMONTH=30 Tage ab Monatsende PaymentCondition60DENDMONTH=60 Tage ab Monatsende -FixAmount=Fester Betrag VarAmountOneLine=Variabler Betrag (%% tot.) - 1 Position mit Bezeichnung '%s' PaymentTypePRE=Bankeinzug/Lastschrift PaymentTypeTIP=Dokumenteninkasso diff --git a/htdocs/langs/de_CH/categories.lang b/htdocs/langs/de_CH/categories.lang index 691489c9b61..96122e9576d 100644 --- a/htdocs/langs/de_CH/categories.lang +++ b/htdocs/langs/de_CH/categories.lang @@ -53,7 +53,7 @@ ProspectsCategoriesShort=Leadschlagworte / -kategorien CustomersProspectsCategoriesShort=Kund./Interess. Tags / Kategorien ProductsCategoriesShort=Produktschlagworte / -kategorien MembersCategoriesShort=Mitgliederschlagworte / -kategorien -ContactCategoriesShort=Kontaktkschlagworte / -kategorien +ContactCategoriesShort=Kontaktschlagworte / -kategorien AccountsCategoriesShort=Kontenschlagworte / -kategorien ProjectsCategoriesShort=Projektschlagworte / -kateorien UsersCategoriesShort=Benutzerschlagworte und -kategorien diff --git a/htdocs/langs/de_CH/companies.lang b/htdocs/langs/de_CH/companies.lang index 91120489920..7909b735c4c 100644 --- a/htdocs/langs/de_CH/companies.lang +++ b/htdocs/langs/de_CH/companies.lang @@ -137,7 +137,6 @@ NoContactForAnyContract=Kein Kontakt für Verträge NoContactForAnyInvoice=Dieser Kontakt ist kein Kontakt für jegliche Rechnung NewContactAddress=Neuer Kontakt / Adresse MyContacts=Meine Kontakte -ThisUserIsNot=Dieser Benutzer ist weder ein Lead, Kunde, noch Lieferant VATIntraCheckDesc=Der Link %s frägt die MWST - Nummer im Europäischen Verzeichnis (VIES) ab. Deshalb muss die MWST Nummer das Länderprefix haben. VATIntraCheckableOnEUSite=Innergemeinschaftliche MWST Nummer überprüfen (EU Website) VATIntraManualCheck=MWST - Nummer manuell überprüfen lassen: %s. diff --git a/htdocs/langs/de_CH/main.lang b/htdocs/langs/de_CH/main.lang index 55185b03514..c47ec047346 100644 --- a/htdocs/langs/de_CH/main.lang +++ b/htdocs/langs/de_CH/main.lang @@ -177,7 +177,6 @@ Running=In Bearbeitung Generate=Erstelle DolibarrStateBoard=Datenbankstatistiken DolibarrWorkBoard=Offene Aktionen -NoOpenedElementToProcess=Keine offenen Aktionen Categories=Suchwörter/Kategorien FromLocation=Von OtherInformations=Weitere Informationen @@ -344,4 +343,3 @@ SeePrivateNote=Privatnotiz Einblenden PaymentInformation=Zahlungsinformationen ValidFrom=Gültig von ContactDefault_fichinter=Arbeitseinsatz -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/de_CH/orders.lang b/htdocs/langs/de_CH/orders.lang index 259d17f8c74..3b09c654408 100644 --- a/htdocs/langs/de_CH/orders.lang +++ b/htdocs/langs/de_CH/orders.lang @@ -1,12 +1,55 @@ # Dolibarr language file - Source file is en_US - orders OrdersArea=Kundenauftrags-Übersicht +SuppliersOrdersArea=Lieferantenbestellungen OrderCard=Bestell-Karte +CustomerOrder=Kundenbestellungen CustomersOrders=Kundenaufträge +CustomersOrdersAndOrdersLines=Kundenbestellungen und Details +OrdersDeliveredToBill=Zu verrechnende, gelieferte Kundenbestellungen +OrdersToBill=Ausgelieferte Kundenbestellungen +OrdersInProcess=Kundenbestellungen in Bearbeitung +OrdersToProcess=Zu bearbeitende Kundenbestellungen +SuppliersOrdersToProcess=Zu bearbeitende Lieferantenbestellungen +StatusOrderReceivedAllShort=Erhaltene Produkte CancelOrder=Bestellung verwerfen ShowOrder=Zeige Bestellung NoOrder=Keine Bestellung +LastOrders=%s neueste Kundenbestellungen +LastCustomerOrders=%s neueste Kundenbestellungen +LastSupplierOrders=Neueste %s Lieferantenbestellungen +LastModifiedOrders=Die letzen %s bearbeiteten Bestellungen +AmountOfOrdersByMonthHT=Bestellbetrag pro Monat (exkl. MWST) CloseOrder=Bestellung schliessen +ConfirmCloseOrder=Bist du sicher, dass du diese Bestellung als geliefert markieren willst? Danach kannst du Sie nur noch auf "verrechnet" setzen. +ConfirmDeleteOrder=Bist du sicher, dass du diese Bestellung löschen willst? +ConfirmValidateOrder=Bist du sicher, dass du diese Bestellung unter dem Namen %s freigeben willst? +ConfirmUnvalidateOrder=Bist du sicher, dass du die Bestellung %s in den Entwurfsstatus zurücksetzen willst? +ConfirmCancelOrder=Bist du sicher, dass du diese Bestellung zurückziehen willst? +ConfirmMakeOrder=Bist du sicher, dass du bestätigen willst, diese Bestellung am %s gemacht zu haben? +DraftSuppliersOrders=Lieferantenbestellungsentwürfe +RefCustomerOrder=Kunden - Bestellnummer +RefOrderSupplier=Bestellnummer für den Lieferanten +RefOrderSupplierShort=Lieferanten - Bestellnummer OrderMode=Bestellweise +ConfirmCloneOrder=Bist du sicher, dass du die Bestellung %s duplizieren willst? +SupplierOrderSubmitedInDolibarr=Lieferantenbestellung %s ausgelöst +SupplierOrderClassifiedBilled=Lieferantenbestellung %s verrechnet OtherOrders=Bestellungen Anderer +TypeContact_commande_internal_SALESREPFOLL=Verantwortlicher Nachkalkulation Kundenbestellung +TypeContact_order_supplier_internal_SALESREPFOLL=Verantwortlicher Nachkalkulation Lieferantenbestellung +TypeContact_order_supplier_external_BILLING=Lieferanten - Rechnungskontakt +TypeContact_order_supplier_external_SHIPPING=Lieferanten - Versandkontakt +TypeContact_order_supplier_external_CUSTOMER=Lieferanten - Nachkalkulationskontakt Error_OrderNotChecked=Keine zu verrechnenden Bestellungen ausgewählt OrderByEMail=E-Mail +OrderCreation=Erstellen einer Bestellung +IfValidateInvoiceIsNoOrderStayUnbilled=Wenn Rechnungsvalidierung auf "Nein" steht, bleibt die Bestellung im Status "nicht verrechnet", bis die Rechnung frei gegeben worden ist. +SetShippingMode=Versandart wählen +StatusSupplierOrderCanceledShort=widerrufen +StatusSupplierOrderValidatedShort=Bestätigt +StatusSupplierOrderApprovedShort=Genehmigt +StatusSupplierOrderReceivedAllShort=Erhaltene Produkte +StatusSupplierOrderCanceled=widerrufen +StatusSupplierOrderDraft=Entwürfe (benötigen Bestätigung) +StatusSupplierOrderValidated=Bestätigt +StatusSupplierOrderApproved=Genehmigt diff --git a/htdocs/langs/de_CH/propal.lang b/htdocs/langs/de_CH/propal.lang index a663ec20a9e..179133729cd 100644 --- a/htdocs/langs/de_CH/propal.lang +++ b/htdocs/langs/de_CH/propal.lang @@ -4,6 +4,7 @@ ProposalCard=Angebotskarte NewPropal=Neues Angebot Prospect=Lead LastPropals=%s neueste Angebote +LastModifiedProposals=%s neueste geänderte Offerten ProposalsStatistics=Angebote Statistiken PropalsOpened=Offen PropalStatusSigned=Unterzeichnet (ist zu verrechnen) diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang index d9be60e7c56..a1fcd115eea 100644 --- a/htdocs/langs/de_DE/accountancy.lang +++ b/htdocs/langs/de_DE/accountancy.lang @@ -67,7 +67,7 @@ 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. -AccountancyAreaDescSubscription=STEP %s: Define default accounting accounts for member subscription. For this, use the menu entry %s. +AccountancyAreaDescSubscription=SCHRITT %s: Definieren Sie die Standardabrechnungskonten für Mitgliederabonnements. Verwenden Sie dazu den Menüeintrag %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=SCHRITT %s: Definition der Buchhaltungskonten für jede Bank und Finanzkonten. Kann im Menü %s geändert werden. @@ -98,8 +98,8 @@ MenuExpenseReportAccounts=Spesen-Konten MenuLoanAccounts=Darlehens-Konten MenuProductsAccounts=Produkterlös-Konten MenuClosureAccounts=Abschlusskonten -MenuAccountancyClosure=Closure -MenuAccountancyValidationMovements=Validate movements +MenuAccountancyClosure=Schließung +MenuAccountancyValidationMovements=Bewegungen validieren ProductsBinding=Produktkonten TransferInAccounting=Überweisung im Rechnungswesen RegistrationInAccounting=Registrierung in der Buchhaltung @@ -143,11 +143,11 @@ ACCOUNTING_LIST_SORT_VENTILATION_DONE=Beginnen Sie mit der Sortierung der Seite ACCOUNTING_LENGTH_DESCRIPTION=Länge für die Anzeige der Beschreibung von Produkten und Leistungen in Listen (optimal = 50) ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Länge für die Anzeige der Beschreibung von Produkte und Leistungen in den Listen (Ideal = 50) ACCOUNTING_LENGTH_GACCOUNT=Länge der Kontonummern der Buchhaltung (Wenn dieser Wert auf 6 gesetzt ist, wird Konto '706' als '706000' am Bildschirm angezeigt) -ACCOUNTING_LENGTH_AACCOUNT=Length of the third-party accounting accounts (If you set value to 6 here, the account '401' will appear like '401000' on screen) -ACCOUNTING_MANAGE_ZERO=Allow to manage different number of zeros at the end of an accounting account. Needed by some countries (like Switzerland). If set to off (default), you can set the following two parameters to ask the application to add virtual zeros. +ACCOUNTING_LENGTH_AACCOUNT=Länge der Geschäftspartner-Konten in der Buchhaltung \n(Wenn Sie hier den Wert 6 einstellen, wird das Konto "401" auf dem Bildschirm als "401000" angezeigt.) +ACCOUNTING_MANAGE_ZERO=Verwalten der Null am Ende eines Buchhaltungskontos. \nIn einigen Ländern notwendig (zB. Schweiz). \nStandardmäßig deaktiviert. \nWenn ausgeschaltet, können die folgenden 2 Parameter konfigurieren werden um virtuelle Nullen anzuhängen BANK_DISABLE_DIRECT_INPUT=Deaktivieren der direkte Aufzeichnung von Transaktion auf dem Bankkonto ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Entwurfexport für Journal aktivieren -ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) +ACCOUNTANCY_COMBO_FOR_AUX=Kombinationsliste für Nebenkonto aktivieren \n(kann langsam sein, wenn Sie viele Geschäftspartner haben) ACCOUNTING_SELL_JOURNAL=Verkaufsjournal ACCOUNTING_PURCHASE_JOURNAL=Einkaufsjournal @@ -167,14 +167,14 @@ ACCOUNTING_ACCOUNT_SUSPENSE=Buchhaltungskonto in Wartestellung DONATION_ACCOUNTINGACCOUNT=Buchhaltungskonto für Spenden ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Buchhaltungskonto für Abonnements -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Accounting account by default for the bought products (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Standard-Buchhaltungskonto für gekaufte Produkte \n(wenn nicht anders im Produktblatt definiert) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Standard-Buchhaltungskonto für die verkauften Produkte (wenn nicht anders im Produktblatt definiert) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Accounting account by default for the products sold in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Accounting account by default for the products sold and exported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Standard-Buchhaltungskonto für in die EU verkaufte Produkte \n(wird verwendet, wenn nicht im Produktblatt definiert) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Standard-Buchhaltungskonto für ausserhalb der EU verkaufte Produkte [EXPORT] \n(wird verwendet, wenn nicht im Produktblatt definiert) ACCOUNTING_SERVICE_BUY_ACCOUNT=Standard-Buchhaltungskonto für die gekauften Leistungen (wenn nicht anders im Produktblatt definiert) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Standard-Buchhaltungskonto für die verkauften Leistungen (wenn nicht anders im Produktblatt definiert) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Accounting account by default for the services sold in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Accounting account by default for the services sold and exported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Standard-Buchhaltungskonto für in die EU verkaufte Dienstleistungen \n(wird verwendet, wenn nicht im Produktblatt definiert) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Standard-Buchhaltungskonto für ausserhalb der EU verkaufte Dienstleistungen [EXPORT] \n(wird verwendet, wenn nicht im Produktblatt definiert) Doctype=Dokumententyp Docdate=Datum @@ -197,10 +197,10 @@ ByPersonalizedAccountGroups=Pro persönlichen Gruppierung ByYear=pro Jahr NotMatch=undefiniert DeleteMvt=Zeilen im Hauptbuch löschen -DelMonth=Month to delete +DelMonth=Monat zum Löschen DelYear=Jahr zu entfernen DelJournal=Journal zu entfernen -ConfirmDeleteMvt=This will delete all lines of the Ledger for the year/month and/or from a specific journal (At least one criterion is required). You will have to reuse the feature 'Registration in accounting' to have the deleted record back in the ledger. +ConfirmDeleteMvt=Dadurch werden alle Zeilen des Hauptbuchs für das Jahr / den Monat und / oder aus einem bestimmten Journal gelöscht (mindestens ein Kriterium ist erforderlich). Sie müssen die Funktion "Registrierung in der Buchhaltung" erneut verwenden, um den gelöschten Datensatz wieder im Hauptbuch zu haben. ConfirmDeleteMvtPartial=Die Buchung wird aus dem Hauptbuch gelöscht (Alle Einträge aus dieser Buchung werden gelöscht) FinanceJournal=Finanzjournal ExpenseReportsJournal=Spesenabrechnungsjournal @@ -219,13 +219,14 @@ ListeMvts=Liste der Bewegungen ErrorDebitCredit=Soll und Haben können nicht gleichzeitig eingegeben werden AddCompteFromBK=Buchhaltungskonten zur Gruppe hinzufügen ReportThirdParty=Geschäftspartner-Konto auflisten -DescThirdPartyReport=Consult here the list of third-party customers and vendors and their accounting accounts +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 +UnknownAccountForThirdparty=Unbekanntes Geschäftspartner-Konto. Wir werden %s verwenden. UnknownAccountForThirdpartyBlocking=unbekanntes Geschäftspartner-Konto, fortfahren nicht möglich -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Third-party account not defined or third party unknown. We will use %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Third-party account not defined or third party unknown. Blocking error. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Geschäftspartner-Konto nicht definiert oder Partner unbekannt. \nWir werden %s verwenden. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Geschäftspartner unbekannt und Nebenbuch nicht in der Zahlung definiert. Wir werden den Nebenbuchkontowert leer lassen. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Drittanbieter-Konto nicht definiert oder Drittanbieter unbekannt. Fehler beim Blockieren. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unbekanntes Drittanbieter-Konto und wartendes Konto nicht definiert. Fehler beim Blockieren PaymentsNotLinkedToProduct=Zahlung ist keinem Produkt oder Dienstleistung zugewisen Pcgtype=Kontenklasse @@ -241,18 +242,18 @@ DescVentilDoneCustomer=Kontieren Sie hier die Liste der Kundenrechnungszeilen zu DescVentilTodoCustomer=Kontiere nicht bereits kontierte Rechnungspositionen mit einem Buchhaltung Erlös-Konto ChangeAccount=Ändere das Artikel Buchhaltungskonto für die ausgewählten Zeilen mit dem folgenden Buchhaltungskonto: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Konsultieren Sie hier die Liste der Lieferantenrechnungspositionen, die an ein Produktbuchhaltungskonto gebunden oder noch nicht gebunden sind (nur Datensätze, die noch nicht in der Buchhaltung übertragen wurden, sind sichtbar). DescVentilDoneSupplier=Konsultieren Sie hier die Liste der Kreditorenrechnungszeilen und deren Buchhaltungskonto DescVentilTodoExpenseReport=Binde Spesenabrechnungspositionen die nicht gebunden mit einem Buchhaltungs-Konto DescVentilExpenseReport=Kontieren Sie hier in der Liste Spesenabrechnungszeilen gebunden (oder nicht) zu Ihren Buchhaltungs-Konten -DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". +DescVentilExpenseReportMore=Wenn Sie beim Buchhaltungskonto den Typen Spesenabrechnungpositionen eingestellt haben, wird die Applikation alle Kontierungen zwischen den Spesenabrechnungspositionen und dem Buchhaltungskonto von Ihrem Kontenrahmen verwenden, durch einen einzigen Klick auf die Schaltfläche "%s" . Wenn kein Konto definiert wurde unter Stammdaten / Gebührenarten oder wenn Sie einige Zeilen nicht zu irgendeinem automatischen Konto gebunden haben, müssen Sie die Zuordnung manuell aus dem Menü " %s “ machen. DescVentilDoneExpenseReport=Hier finden Sie die Liste der Aufwendungsposten und ihr Gebühren Buchhaltungskonto -DescClosure=Consult here the number of movements by month who are not validated & fiscal years already open -OverviewOfMovementsNotValidated=Step 1/ Overview of movements not validated. (Necessary to close a fiscal year) -ValidateMovements=Validate movements -DescValidateMovements=Any modification or deletion of writing, lettering and deletes will be prohibited. All entries for an exercise must be validated otherwise closing will not be possible -SelectMonthAndValidate=Select month and validate movements +DescClosure=Informieren Sie sich hier über die Anzahl der Bewegungen pro Monat, die nicht validiert sind und die bereits in den Geschäftsjahren geöffnet sind. +OverviewOfMovementsNotValidated=Schritt 1 / Bewegungsübersicht nicht validiert. \n(Notwendig, um ein Geschäftsjahr abzuschließen.) +ValidateMovements=Bewegungen validieren +DescValidateMovements=Jegliche Änderung oder Löschung des Schreibens, Beschriftens und Löschens ist untersagt. Alle Eingaben für eine Übung müssen validiert werden, da sonst ein Abschluss nicht möglich ist +SelectMonthAndValidate=Monat auswählen und Bewegungen validieren ValidateHistory=automatisch zuordnen AutomaticBindingDone=automatische Zuordnung erledigt diff --git a/htdocs/langs/de_DE/admin.lang b/htdocs/langs/de_DE/admin.lang index 5f7d37cad72..8f332a0bf7b 100644 --- a/htdocs/langs/de_DE/admin.lang +++ b/htdocs/langs/de_DE/admin.lang @@ -18,13 +18,13 @@ GlobalChecksum=globale Prüfsumme MakeIntegrityAnalysisFrom=Quelle der Signaturdatei für die Prüfung auswählen LocalSignature=Eingebettete lokale Signatur-Datei (weniger zuverlässig) RemoteSignature=Signatur-Datei von Dolibarr-Server (zuverlässiger) -FilesMissing=Fehlende Dateien +FilesMissing=fehlende Dateien FilesUpdated=erneuerte Dateien -FilesModified=Geänderte Dateien -FilesAdded=Hinzugefügte Dateien +FilesModified=geänderte Dateien +FilesAdded=hinzugefügte Dateien FileCheckDolibarr=Überprüfen Sie die Integrität von 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ät Datei der Anwendung ​​nicht gefunden +XmlNotFound=XML-Integrität Datei der Anwendung ​​nicht gefunden SessionId=Session-ID SessionSaveHandler=Session Handler SessionSavePath=Pfad für Sitzungsdatenspeicherung @@ -178,8 +178,8 @@ Compression=Komprimierung CommandsToDisableForeignKeysForImport=Befehl, um Fremdschlüssel beim Import zu deaktivieren CommandsToDisableForeignKeysForImportWarning=Zwingend erforderlich, wenn Sie den SQL-Dump später wiederherstellen möchten ExportCompatibility=Kompatibilität der erzeugten Exportdatei -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. +ExportUseMySQLQuickParameter='--quick'-Parameter benutzen +ExportUseMySQLQuickParameterHelp=Der '--quick'-Parameter hilft, den RAM-Verbrauch bei großen Tabellen zu begrenzen. MySqlExportParameters=MySQL-Exportparameter PostgreSqlExportParameters= PostgreSQL Export-Parameter UseTransactionnalMode=Transaktionsmodus verwenden @@ -270,7 +270,7 @@ Emails=E-Mail EMailsSetup=E-Mail Einstellungen EMailsDesc=Auf dieser Seite können Sie Ihre Standardparameter für den e-Mail-Versand überschreiben. In den meisten Fällen ist das PHP-Setup unter Unix/Linux-Betriebssystem korrekt und diese Parameter sind unnötig. EmailSenderProfiles=E-Mail Absenderprofil -EMailsSenderProfileDesc=You can keep this section empty. If you enter some emails here, they will be added to the list of possible senders into the combobox when your write a new email. +EMailsSenderProfileDesc=Sie können diesen Bereich leer lassen. Wenn Sie hier E-Mail-Adressen angeben, werden diese beim Schreiben einer neuen E-Mail in die Liste der möglichen Absender aufgenommen. MAIN_MAIL_SMTP_PORT=SMTP(S)-Port (Standardwert Ihrer php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP(S)-Server (Standardwert Ihrer php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS-Port (nicht in PHP definiert in Unix-Umgebungen) @@ -280,7 +280,7 @@ MAIN_MAIL_ERRORS_TO=Standard-E-Mail-Adresse für Fehlerrückmeldungen (beispiels MAIN_MAIL_AUTOCOPY_TO= Blindkopie (Bcc) aller gesendeten Emails an MAIN_DISABLE_ALL_MAILS=Alle E-Mail-Funktionen deaktivieren (für Test- oder Demonstrationszwecke) MAIN_MAIL_FORCE_SENDTO=Sende alle E-Mails an den folgenden anstatt an die tatsächlichen Empfänger (für Testzwecke) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email +MAIN_MAIL_ENABLED_USER_DEST_SELECT=E-Mail-Adressen von Mitarbeitern (falls definiert) beim Schreiben einer neuen E-Mail in der Liste vordefinierten Empfänger vorschlagen MAIN_MAIL_SENDMODE=e-Mail Sendemethode MAIN_MAIL_SMTPS_ID=SMTP-Benutzer (falls der Server eine Authentifizierung benötigt) MAIN_MAIL_SMTPS_PW=SMTP-Passwort (falls der Server eine Authentifizierung benötigt) @@ -425,17 +425,17 @@ ExtrafieldCheckBox=Kontrollkästchen / Dropdownliste (mehrere Optionen auswählb ExtrafieldCheckBoxFromList=Kontrollkästchen / Dropdownliste aus DB-Tabelle (mehrere Optionen auswählbar) ExtrafieldLink=Verknüpftes Objekt ComputedFormula=Berechnetes Feld -ComputedFormulaDesc=Sie können hier eine Formel eingeben, indem Sie andere Eigenschaften des Objekts oder eine beliebige PHP-Codierung verwenden, um einen dynamisch berechneten Wert zu erhalten. Sie können alle PHP-kompatiblen Formeln verwenden, einschließlich des "?" Bedingungsoperator und folgendes globales Objekt: $ db, $ conf, $ langs, $ mysoc, $ user, $ object .
WARNUNG : Möglicherweise sind nur einige Eigenschaften von $ object verfügbar. Wenn Sie Eigenschaften benötigen, die nicht geladen sind, holen Sie sich das Objekt wie im zweiten Beispiel in Ihre Formel.
Wenn Sie ein berechnetes Feld verwenden, können Sie keinen Wert von der Schnittstelle eingeben. Wenn ein Syntaxfehler vorliegt, gibt die Formel möglicherweise auch nichts zurück.

Beispiel der Formel:
$ object-> id <10? round ($ object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) substr ($ mysoc-> zip, 1, 2)

Beispiel zum erneuten Laden eines Objekts
(($ 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'

Ein weiteres Beispiel für eine Formel zum Erzwingen des Ladens eines Objekts und seines übergeordneten Objekts:
(($ reloadedobj = neue Aufgabe ($ db)) && ($ reloadedobj-> Abrufen ($ object-> id)> 0) && ($ secondloadedobj = neues Projekt ($ db)) && ($ secondloadedobj-> Abrufen ($ reloadedobj-> fk_project)> 0))? $ secondloadedobj-> ref: 'Übergeordnetes Projekt nicht gefunden' +ComputedFormulaDesc=Sie können hier eine Formel eingeben, indem Sie andere Eigenschaften des Objekts oder eine beliebige PHP-Codierung verwenden, um einen dynamisch berechneten Wert zu erhalten. Sie können alle PHP-kompatiblen Formeln verwenden, einschließlich des "?" Bedingungsoperator und folgendes globales Objekt: $ db, $ conf, $ langs, $ mysoc, $ user, $ object .
WARNUNG : Möglicherweise sind nur einige Eigenschaften von $ object verfügbar. Wenn Sie Eigenschaften benötigen, die nicht geladen sind, holen Sie sich das Objekt wie im zweiten Beispiel in Ihre Formel.
Wenn Sie ein berechnetes Feld verwenden, können Sie keinen Wert von der Schnittstelle eingeben. Wenn ein Syntaxfehler vorliegt, gibt die Formel möglicherweise auch nichts zurück.

Beispiel der Formel:
$ object-> id <10? round ($ object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) substr ($ mysoc-> zip, 1, 2)

Beispiel zum erneuten Laden eines Objekts
(($ 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'

Ein weiteres Beispiel für eine Formel zum Erzwingen des Ladens eines Objekts und seines übergeordneten Objekts:
(($ reloadedobj = neue Aufgabe ($ db)) && ($ reloadedobj-> Abrufen ($ object-> id)> 0) && ($ secondloadedobj = neues Projekt ($ db)) && ($ secondloadedobj-> Abrufen ($ reloadedobj-> fk_project)> 0))? $ secondloadedobj-> ref: 'Übergeordnetes Projekt nicht gefunden' Computedpersistent=Speichere berechnetes Feld ComputedpersistentDesc=Berechnete Extrafelder werden in der Datenbank gespeichert, dennoch wird ihr Wert nur dann neu berechnet wenn sich das Objekt zu diesem Feld ändert. Falls das berechnete Feld von anderen Objekten oder globalen Daten abhängt, kann sein Wert falsch sein! ExtrafieldParamHelpPassword=Wenn Sie dieses Feld leer lassen, wird dieser Wert unverschlüsselt gespeichert (das Feld darf nur mit einem Stern auf dem Bildschirm ausgeblendet werden).
Stellen Sie 'auto'; ein, um die Standardverschlüsselungsregel zum Speichern des Kennworts in der Datenbank zu verwenden (dann ist der gelesene Wert nur der Hash, keine Möglichkeit, den ursprünglichen Wert abzurufen). -ExtrafieldParamHelpselect=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

zum Beispiel:
1, value1
2, value2
Code3, Wert3
...

Damit die Liste von einer anderen ergänzenden Attributliste abhängt:
1, value1 | options_ parent_list_code : parent_key
2, value2 | options_ parent_list_code : parent_key

Um die Liste von einer anderen Liste abhängig zu machen:
1, value1 | parent_list_code : parent_key
2, value2 | parent_list_code : parent_key -ExtrafieldParamHelpcheckbox=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

zum Beispiel:
1, value1
2, value2
3, value3
... -ExtrafieldParamHelpradio=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

zum Beispiel:
1, value1
2, value2
3, value3
... +ExtrafieldParamHelpselect=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

zum Beispiel:
1, value1
2, value2
Code3, Wert3
...

Damit die Liste von einer anderen ergänzenden Attributliste abhängt:
1, value1 | options_ parent_list_code : parent_key
2, value2 | options_ parent_list_code : parent_key

Um die Liste von einer anderen Liste abhängig zu machen:
1, value1 | parent_list_code : parent_key
2, value2 | parent_list_code : parent_key +ExtrafieldParamHelpcheckbox=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

zum Beispiel:
1, value1
2, value2
3, value3
... +ExtrafieldParamHelpradio=Die Liste der Werte muss aus Zeilen mit dem Format Schlüssel, Wert bestehen (wobei Schlüssel nicht '0' sein darf)

zum Beispiel:
1, value1
2, value2
3, value3
... ExtrafieldParamHelpsellist=Die Liste der Werte stammt aus einer Tabelle
Syntax: table_name: label_field: id_field :: filter
Beispiel: c_typent: libelle: id :: filter

- idfilter ist notwendigerweise ein primärer int-Schlüssel
- Filter kann ein einfacher Test sein (z. B. aktiv = 1), um nur den aktiven Wert anzuzeigen
Sie können $ ID $ auch in Filtern verwenden, bei denen es sich um die aktuelle ID des aktuellen Objekts handelt
Verwenden Sie $ SEL $, um ein SELECT im Filter durchzuführen
Wenn Sie nach Extrafeldern filtern möchten, verwenden Sie die Syntax extra.fieldcode = ... (wobei field code der Code des Extrafelds ist)

Damit die Liste von einer anderen ergänzenden Attributliste abhängt:
c_typent: libelle: id: options_ parent_list_code | parent_column: filter

Um die Liste von einer anderen Liste abhängig zu machen:
c_typent: libelle: id: parent_list_code | parent_column: filter ExtrafieldParamHelpchkbxlst=Die Liste der Werte stammt aus einer Tabelle
Syntax: table_name: label_field: id_field :: filter
Beispiel: c_typent: libelle: id :: filter

Filter kann ein einfacher Test sein (z. B. aktiv = 1), um nur den aktiven Wert anzuzeigen
Sie können $ ID $ auch in Filtern verwenden, bei denen es sich um die aktuelle ID des aktuellen Objekts handelt
Verwenden Sie $ SEL $, um ein SELECT im Filter durchzuführen
Wenn Sie nach Extrafeldern filtern möchten, verwenden Sie die Syntax extra.fieldcode = ... (wobei field code der Code des Extrafelds ist)

Damit die Liste von einer anderen ergänzenden Attributliste abhängt:
c_typent: libelle: id: options_ parent_list_code | parent_column: filter

Um die Liste von einer anderen Liste abhängig zu machen:
c_typent: libelle: id: parent_list_code | parent_column: filter ExtrafieldParamHelplink=Parameter müssen folgendes Format haben: ObjektName:Klassenpfad
Syntax: ObjektName:Klassenpfad
Beispiele:
Societe:societe/class/societe.class.php
Contact:contact/class/contact.class.php -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) +ExtrafieldParamHelpSeparator=Für ein einfaches Trennzeichen leer lassen
Setzen Sie diesen Wert für ein ausblendendes Trennzeichen auf 1 (standardmäßig für eine neue Sitzung geöffnet, der Status wird für jede Benutzersitzung beibehalten)
Setzen Sie diesen Wert für ein ausblendendes Trennzeichen auf 2 (standardmäßig für ausgeblendet) neue Sitzung, dann bleibt der Status für jede Benutzersitzung erhalten) LibraryToBuildPDF=Bibliothek zum Erstellen von PDF-Dateien LocalTaxDesc=Einige Länder erheben möglicherweise zwei oder drei Steuern auf jede Rechnungsposition. Wenn dies der Fall ist, wählen Sie den Typ für die zweite und dritte Steuer und ihren Steuersatz. Mögliche Typen sind:
1: auf Produkte und Dienstleistungen ohne Mehrwertsteuer wird eine örtliche Steuer erhoben (die örtliche Steuer wird auf den Betrag ohne Mehrwertsteuer berechnet)
2: Für Produkte und Dienstleistungen einschließlich Mehrwertsteuer wird eine lokale Steuer erhoben (die lokale Steuer wird auf den Betrag + die Hauptsteuer berechnet).
3: auf Produkte ohne Mehrwertsteuer wird eine lokale Steuer erhoben (die lokale Steuer wird auf den Betrag ohne Mehrwertsteuer berechnet)
4: Für Produkte einschließlich Mehrwertsteuer wird eine lokale Steuer erhoben (die Mehrwertsteuer wird auf den Betrag + die Haupt-Mehrwertsteuer berechnet).
5: auf Dienstleistungen ohne Mehrwertsteuer wird eine lokale Steuer erhoben (die lokale Steuer wird auf den Betrag ohne Mehrwertsteuer berechnet)
6: Für Dienstleistungen einschließlich Mehrwertsteuer wird eine lokale Steuer erhoben (die lokale Steuer wird auf den Betrag und die Steuer berechnet). SMS=SMS @@ -477,8 +477,8 @@ DependsOn=Diese Modul benötigt folgenden Module RequiredBy=Diese Modul ist für folgende Module notwendig TheKeyIsTheNameOfHtmlField=Das ist der Name des HTML Feldes. \nSie benötigen HTML Kenntnisse, um den Namen des Feldes aus der HTML Seite zu ermitteln. PageUrlForDefaultValues=Sie müssen den relativen Pfad der Seiten-URL eingeben. \nWenn Sie Parameter in der URL einschließen, werden die Standardwerte wirksam, wenn alle Parameter auf denselben Wert festgelegt sind. -PageUrlForDefaultValuesCreate=
Example:
For the form to create a new third party, it is %s.
For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
If you want default value only if url has some parameter, you can use %s -PageUrlForDefaultValuesList=
Example:
For the page that lists third parties, it is %s.
For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
If you want default value only if url has some parameter, you can use %s +PageUrlForDefaultValuesCreate=
Beispiel:
Das Formular zum Erstellen eines neuen Drittanbieters ist %s.
Geben Sie für die URL der externen Module, die im benutzerdefinierten Verzeichnis installiert sind, nicht "custom /" an. Verwenden Sie daher den Pfad mymodule / mypage.php und nicht custom / mymodule / mypage.php.
Wenn Sie nur dann einen Standardwert wünschen, wenn die URL einen Parameter hat, können Sie %s +PageUrlForDefaultValuesList= \n
Beispiel:
Auf der Seite, auf der Drittanbieter aufgelistet sind, ist %s.
Geben Sie für die URL der externen Module, die im benutzerdefinierten Verzeichnis installiert sind, nicht "custom/" an. Verwenden Sie daher a Pfad wie mymodule / mypagelist.php und nicht benutzerdefiniert / mymodule / mypagelist.php.
Wenn Sie nur dann einen Standardwert wünschen, wenn die URL einen Parameter hat, können Sie %s verwenden AlsoDefaultValuesAreEffectiveForActionCreate=Beachten Sie auch, dass das Überschreiben von Standardwerten für die Formularerstellung nur für Seiten funktioniert, die korrekt gestaltet wurden (also mit dem Parameter action = create or presend ...). EnableDefaultValues=Anpassung der Standardwerte ermöglichen EnableOverwriteTranslation=Verwendung der eigenen Übersetzung aktivieren @@ -519,7 +519,7 @@ Module25Desc=Auftrag- und Verkaufsverwaltung Module30Name=Rechnungen Module30Desc=Verwaltung von Rechnungen und Gutschriften für Kunden. Verwaltung von Rechnungen und Gutschriften für Lieferanten Module40Name=Lieferanten/Hersteller -Module40Desc=Lieferanten- und Einkaufsmanagement (Bestellungen und Fakturierung) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Protokollierungsdienste (Syslog). Diese Logs dienen der Fehlersuche/Analyse. Module49Name=Bearbeiter @@ -561,9 +561,9 @@ Module200Desc=LDAP-Verzeichnissynchronisation Module210Name=PostNuke Module210Desc=PostNuke-Integration Module240Name=Daten Exporte -Module240Desc=Datenexport-Werkzeug (mit einem Assistenten) +Module240Desc=Werkzeug zum Datenexport (mit Assistenten) Module250Name=Daten Importe -Module250Desc=Tool zum Importieren von Daten in Dolibarr (mit Assistenten) +Module250Desc=Werkzeug zum Datenimport (mit Assistenten) Module310Name=Mitglieder Module310Desc=Mitgiederverwaltung für Stiftungen und Vereine Module320Name=RSS Feed @@ -627,7 +627,7 @@ Module5000Desc=Ermöglicht Ihnen die Verwaltung mehrerer Firmen Module6000Name=Workflow Module6000Desc=Workflow Management (Automaitische Erstellung von Objekten und/oder automatische Statusaktualisierungen) Module10000Name=Webseiten -Module10000Desc=Create websites (public) with a WYSIWYG editor. This is a webmaster or developer oriented CMS (it is better to know HTML and CSS language). 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=Erstellt im Internet abrufbare Webseiten mit einem WYSIWYG-Editor. Das CMS ist Webmaster- oder Entwickler-orientiert (Kenntnisse der Programmiersprachen HTML und CSS sind empfehlenswert). Richten Sie einfach Ihren Webserver (Apache, Nginx, ...) so ein, dass er auf das dedizierte Dolibarr-Verzeichnis zeigt, um die Webseite unter eigenem Domain-Namen im Internet abrufen zu können. Module20000Name=Urlaubsantrags-Verwaltung Module20000Desc=Verwalten (erstellen, ablehnen, genehmigen) Sie die Urlaubsanträge Ihrer Angestellten Module39000Name=Chargen- und Seriennummernverwaltung @@ -643,9 +643,9 @@ Module50150Desc=Kassenterminal "TakePOS" (Kassenteminal mit Touchscreen) Module50200Name=PayPal Module50200Desc=Bieten Sie Kunden eine PayPal-Online-Zahlungsseite (PayPal-Konto oder Kredit- / Debitkarten). Dies kann verwendet werden, um Ihren Kunden Ad-hoc-Zahlungen oder Zahlungen in Bezug auf ein bestimmtes Dolibarr-Objekt (Rechnung, Bestellung usw.) zu ermöglichen. Module50300Name=Stripe -Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50300Desc=Bietet Kunden eine Stripe-Online-Zahlungsseite an (Kredit-/Debit-Karten). Diese Seite kann verwendet werden, um Ihren Kunden Ad-hoc-Zahlungen oder Zahlungen mit Bezug auf ein bestimmtes Dolibarr-Objekt (Rechnung, Bestellung etc...) zu ermöglichen. Module50400Name=Buchhaltung (erweitert) -Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software formats. +Module50400Desc=Verwaltung der Buchhaltung (Doppelte Buchführung, Unterstützung von Haupt- und Nebenbüchern). Exportiert das Hauptbuch in verschiedene andere Formate von Buchhaltungssoftware. Module54000Name=PrintIPP Module54000Desc=Direktdruck (ohne die Dokumente zu öffnen) mittels CUPS IPP (Drucker muss vom Server aus sichtbar sein, auf dem Server muss CUPS installiert sein) Module55000Name=Umfrage- und Terminfindungsmodul @@ -878,7 +878,7 @@ Permission1251=Massenimports von externen Daten ausführen (data load) Permission1321=Kundenrechnungen, -attribute und -zahlungen exportieren Permission1322=Eine bezahlte Rechnung wieder öffnen Permission1421=Kundenaufträge und Attribute exportieren -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Ereignisse (Termine/Aufgaben) Anderer einsehen @@ -906,7 +906,7 @@ Permission20003=Urlaubsanträge löschen Permission20004=Alle Urlaubsanträge einsehen (von allen Benutzern einschließlich der nicht Untergebenen) Permission20005=Urlaubsanträge anlegen/verändern (von allen Benutzern einschließlich der nicht Untergebenen) Permission20006=Urlaubstage Administrieren (Setup- und Aktualisierung) -Permission20007=Approve leave requests +Permission20007=Urlaubsanträge genehmigen Permission23001=anzeigen cronjobs Permission23002=erstellen/ändern cronjobs Permission23003=cronjobs löschen @@ -914,11 +914,11 @@ Permission23004=cronjobs ausführen Permission50101=benutze Kasse (POS) Permission50201=Transaktionen einsehen Permission50202=Transaktionen importieren -Permission50401=Bind products and invoices with accounting accounts +Permission50401=Produkte und Rechnungen mit Sachkonten verbinden Permission50411=Hauptbuch-Vorgänge lesen Permission50412=Hauptbuch-Vorgänge schreiben/bearbeiten Permission50414=Hauptbuch-Vorgänge löschen -Permission50415=Delete all operations by year and journal in ledger +Permission50415=Alle Vorgänge des Jahres und Protokolles im Hauptbuch löschen Permission50418=Exportvorgänge des Hauptbuches Permission50420=Berichts- und Exportberichte (Umsatz, Bilanz, Journale, Ledger) Permission50430=Define fiscal periods. Validate transactions and close fiscal periods. @@ -1074,9 +1074,9 @@ CompanyTown=Stadt CompanyCountry=Land CompanyCurrency=Hauptwährung CompanyObject=Gegenstand des Unternehmens -IDCountry=ID country +IDCountry=ID Land Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) +LogoDesc=Standard-Logo des Unternehmens. Das Logo wird in generierten Dokumenten verwendet (PDF, ...). LogoSquarred=Logo (quadratisch) LogoSquarredDesc=Muss ein quadratisches Icon sein (Breite = Höhe). Dieses Logo wird als Favicon oder für Zwecke wie die obere Menüleiste (falls nicht in den Anzeige-Einstellungen deaktiviert) verwendet. DoNotSuggestPaymentMode=Nicht vorschlagen / anzeigen @@ -1086,8 +1086,8 @@ BankModuleNotActive=Finanzkontenmodul nicht aktiv ShowBugTrackLink=Zeige Link %s Alerts=Benachrichtigungen DelaysOfToleranceBeforeWarning=Verzögerung, bevor eine Warnmeldung angezeigt wird für: -DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. -Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed +DelaysOfToleranceDesc=Stellen Sie die Verzögerung ein, bevor ein Warnsymbol %s für das späte Element auf dem Bildschirm angezeigt wird. +Delays_MAIN_DELAY_ACTIONS_TODO=Geplante Ereignisse (Agenda-Ereignisse) nicht abgeschlossen Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Projekt nicht rechtzeitig abgeschlossen Delays_MAIN_DELAY_TASKS_TODO=Geplante Aufgabe (Projektaufgabe) nicht fertiggestellt Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Auftrag nicht bearbeitet @@ -1102,7 +1102,7 @@ Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Bankausgleich ausstehend Delays_MAIN_DELAY_MEMBERS=Verspäteter Mitgliedsbeitrag Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Scheckeinreichung nicht erfolgt Delays_MAIN_DELAY_EXPENSEREPORTS=zu genehmigende Spesenabrechnung -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve +Delays_MAIN_DELAY_HOLIDAYS=Zu genehmigende Urlaubsanträge SetupDescription1=Bevor Sie mit Dolibarr arbeiten können müssen grundlegende Einstellungen getätigt und Module freigeschalten / konfiguriert werden. SetupDescription2=Die folgenden zwei Punkte sind obligatorisch: SetupDescription3=%s -> %s. Basis-Parameter um das Standardverhalten Ihrer Anwendung anzupassen (beispielsweise länderbezogene Funktionen). @@ -1125,7 +1125,7 @@ LogEventDesc=Enable logging for specific security events. Administrators the log AreaForAdminOnly=Einstellungen können nur durch
Administratoren
verändert werden. SystemInfoDesc=Verschiedene systemrelevante, technische Informationen - Lesemodus und nur für Administratoren sichtbar. SystemAreaForAdminOnly=Dieser Bereich steht ausschließlich Administratoren zur Verfügung. Keine der Benutzerberechtigungen kann dies ändern. -CompanyFundationDesc=Edit the information of the company/entity. Click on "%s" button at the bottom of the page. +CompanyFundationDesc=Bearbeiten Sie die Informationen des Unternehmens oder Institution. Klicken Sie auf "%s" am Ende der Seite. AccountantDesc=Falls Sie einen externen Buchhalter/Treuhänder haben, können Sie hier dessen Informationen hinterlegen. AccountantFileNumber=Buchhalter-Code DisplayDesc=Hier können Parameter zum Aussehen und Verhalten von Dolibarr angepasst werden. @@ -1141,10 +1141,10 @@ TriggerAlwaysActive=Trigger in dieser Datei sind unabhängig der Modulkonfigurat TriggerActiveAsModuleActive=Trigger in dieser Datei sind durch das übergeordnete Modul %s aktiviert. GeneratedPasswordDesc=Wählen Sie die Methode für automatisch erzeugte Passwörter. DictionaryDesc=Alle Standardwerte einfügen. Sie können eigene Werte zu den Standartwerten hinzufügen. -ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting only. +ConstDesc=Diese Seite erlaubt es alle anderen Parameter einzustellen (überschreiben), die auf anderen Seiten nicht verfügbar sind. Diese sind meist spezielle Parameter für Entwickler oder für die erweiterte Fehlersuche. MiscellaneousDesc=Alle anderen sicherheitsrelevanten Parameter werden hier eingestellt. LimitsSetup=Limits und Genauigkeit Einstellungen -LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here +LimitsDesc=Hier können Sie die von Dolibarr verwendeten Grenzwerte, Genauigkeiten und Optimierungen definieren MAIN_MAX_DECIMALS_UNIT=Maximale Anzahl an Dezimalstellen für Stückpreise MAIN_MAX_DECIMALS_TOT=Maximale Anzahl an Dezimalstellen für Gesamtsummen MAIN_MAX_DECIMALS_SHOWN=Maximal auf dem Bildschirm angezeigte Anzahl an Dezimalstellen für Preise (Fügen Sie ... nach dieser Nummer ein, wenn Sie ... sehen wollen, falls ein Bildschirmpreis abgeschnitten wurde. @@ -1153,10 +1153,10 @@ UnitPriceOfProduct=Nettostückpreis TotalPriceAfterRounding=Gesamtpreis (Netto/USt./Brutto) gerundet ParameterActiveForNextInputOnly=Die Einstellungen werden erst bei der nächsten Eingabe wirksam NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. -NoEventFoundWithCriteria=No security event has been found for this search criteria. +NoEventFoundWithCriteria=Für dieses Suchkriterium wurde kein Sicherheitsereignis gefunden. SeeLocalSendMailSetup=Lokale sendmail-Einstellungen anzeigen BackupDesc=Um eine vollständige Systemsicherung durchzuführen sind folgende Schritte notwendig: -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Für die Sicherung der Datenbank (%s) über Dump-Befehl können Sie den folgenden Assistenten verwenden. BackupDescX=Bewahren Sie die archvierten Verzeichnisse an einem sicheren Ort auf. BackupDescY=Bewahren Sie den Datenbank-Dump an einem sicheren Ort auf. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL Import ForcedToByAModule= Diese Regel wird %s durch ein aktiviertes Modul aufgezwungen PreviousDumpFiles=bestehende Datensicherungsdateien +PreviousArchiveFiles=Bestehende Archivdateien 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. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Nach der bevorzugten Versandart für Drittanbieter FieldEdition=Bearbeitung von Feld %s FillThisOnlyIfRequired=Beispiel: +2 (nur ausfüllen, wenn Sie Probleme mit der Zeitzone haben) GetBarCode=Übernehmen +NumberingModules=Nummerierungsmodelle ##### Module password generation PasswordGenerationStandard=Generiere ein Passwort nach dem internen Systemalgorithmus: 8 Zeichen, Zahlen und Kleinbuchstaben. PasswordGenerationNone=Kein generiertes Passwort vorschlagen. Das Passwort muss manuell eingegeben werden. @@ -1267,7 +1269,7 @@ CompanyCodeChecker=Nummernvergabe für Partner und Lieferanten AccountCodeManager=Optionen für die automatische Generierung von Kunden-/Anbieterkontonummern NotificationsDesc=Für einige Dolibarr-Ereignisse können automatisch E-Mail-Benachrichtigungen gesendet werden,
wobei Empfänger von Benachrichtigungen definiert werden können: NotificationsDescUser=* pro Benutzer, nur ein Benutzer zur gleichen Zeit -NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. +NotificationsDescContact=* Für Kontakte von Drittanbietern (Kunden oder Lieferanten) jeweils ein Kontakt. NotificationsDescGlobal=* oder durch Festlegung globaler E-Mail-Adressen auf der Einstellungs-Seite. ModelModules=Dokumentenvorlage(n) DocumentModelOdt=Generiere Dokumente aus OpenDocument Vorlagen (.ODT / .ODS Dateien aus LibreOffice, OpenOffice, KOffice, TextEdit,...) @@ -1280,14 +1282,14 @@ MustBeInvoiceMandatory=Erforderlich, um Rechnungen freizugeben ? TechnicalServicesProvided=Technische Unterstützung durch #####DAV ##### WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. -WebDavServer=Root URL of %s server: %s +WebDavServer=Root URL von %s Server : %s ##### Webcal setup ##### WebCalUrlForVCalExport=Ein Eportlink für das Format %s findet sich unter folgendem Link: %s ##### Invoices ##### BillsSetup=Rechnungsmoduleinstellungen BillsNumberingModule=Rechnungs- und Gutschriftsnumerierungsmodul BillsPDFModules=PDF-Rechnungsvorlagen -BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type +BillsPDFModulesAccordindToInvoiceType=Rechnung dokumentiert Modelle nach Rechnungsart PaymentsPDFModules=Zahlungsvorlagen ForceInvoiceDate=Rechnungsdatum ist zwingend Freigabedatum SuggestedPaymentModesIfNotDefinedInInvoice=Empfohlene Zahlungsart für Rechnung falls nicht in gesondert definiert @@ -1302,7 +1304,7 @@ SupplierPaymentSetup=Einstellungen für Lieferantenzahlungen PropalSetup=Angebotsmoduleinstellungen ProposalsNumberingModules=Nummernvergabe für Angebote ProposalsPDFModules=Dokumentenvorlage(n) -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined for proposal +SuggestedPaymentModesIfNotDefinedInProposal=Empfohlene Zahlungsart für Angebote, falls im Angebot nicht gesondert definiert FreeLegalTextOnProposal=Freier Rechtstext auf Angeboten WatermarkOnDraftProposal=Wasserzeichen auf Angebotsentwurf (leerlassen wenn keines benötigt wird) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Fragen Sie nach dem Bankkonto bei einem Angebot @@ -1596,7 +1598,7 @@ FCKeditorForProductDetails=WYSIWG Erstellung/Bearbeitung der Produktdetails für FCKeditorForMailing= WYSIWIG Erstellung/Bearbeitung von E-Mails FCKeditorForUserSignature=WYSIWIG Erstellung/Bearbeitung von Benutzer-Signaturen FCKeditorForMail=WYSIWYG-Erstellung/Bearbeitung für alle E-Mails (außer Werkzeuge->eMailing) -FCKeditorForTicket=WYSIWIG creation/edition for tickets +FCKeditorForTicket=WYSIWYG-Erstellung/Bearbeitung von Tickets ##### Stock ##### StockSetup=Lagerverwaltung Einstellungen IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. @@ -1711,13 +1713,14 @@ ChequeReceiptsNumberingModule=Modul zur Nummerierung von Belegen prüfen MultiCompanySetup=Einstellungen des Modul Mandanten ##### Suppliers ##### SuppliersSetup=Einrichtung des Lieferantenmoduls -SuppliersCommandModel=Vollständige Vorlage der Bestellung/Auftrag (Logo....) -SuppliersInvoiceModel=Vollständige Vorlage der Lieferantenrechnung (Logo....) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Lieferantenrechnungen Zähl-Modell IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP-Maxmind Moduleinstellungen -PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation.
Examples:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb +PathToGeoIPMaxmindCountryDataFile=Pfad zu der Datei, welche die Maxmind IP-zu-Land Umwandlungs-Informationen enthält.
Beispiele:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb NoteOnPathLocation=Bitte beachten Sie, dass Ihre IP-Länder-Datei in einem von PHP lesbaren Verzeichnis liegen muss (Überprüfen Sie Ihre PHP open_basedir-Einstellungen und die Dateisystem-Berechtigungen). YouCanDownloadFreeDatFileTo=Eine kostenlose Demo-Version der Maxmind-GeoIP Datei finden Sie hier: %s YouCanDownloadAdvancedDatFileTo=Eine vollständigere Version mit Updates der Maxmind-GeoIP Datei können Sie hier herunterladen: %s @@ -1760,18 +1763,19 @@ NoModueToManageStockIncrease=Kein Modul zur automatische Bestandserhöhung ist a YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". ListOfNotificationsPerUser=Liste der automatischen Benachrichtigungen nach Benutzer* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** -ListOfFixedNotifications=List of automatic fixed notifications +ListOfFixedNotifications=Liste der automatischen festen Benachrichtigungen GoOntoUserCardToAddMore=Gehen Sie auf die Registerkarte "Hinweise" eines Benutzers, um Benachrichtigungen für Benutzer zu erstellen/entfernen -GoOntoContactCardToAddMore=Gehen Sie auf die Registerkarte "Hinweise" des Partners, um Hinweise für Kontakte/Adressen zu erstellen oder zu entfernen +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Schwellenwert -BackupDumpWizard=Assistent zum Erstellen der Datenbank-Sicherung +BackupDumpWizard=Assistent zum Erstellen der Datenbank-Dump-Datei +BackupZipWizard=Assistent zum Erstellen des Dokumentenarchivverzeichnisses SomethingMakeInstallFromWebNotPossible=Die Installation von dem externen Modul ist aus folgenden Gründen vom Web-Interface nicht möglich: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Installieren von externen Modul aus der Anwendung wurde von Ihrem Administrator deaktiviert. \nSie müssen ihn bitten, die Datei%s zu entfernen, um diese Funktion zu ermöglichen. ConfFileMustContainCustom=Um ein externes Modul zu erstellen oder installieren, müssen die Modul Dateien im Verzeichnis %s gespeichert werden. Damit dieses Verzeichnis durch Dolibarr verwendet wird, muss in den Einstellungen conf/conf.php die folgenden 2 Zeilen hinzugefügt werden:
$dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; HighlightLinesOnMouseHover=Zeilen hervorheben bei Mouseover -HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) -HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) +HighlightLinesColor=Farbe zum Hervorheben der Zeile, wenn die Maus darüberfahrt (verwenden Sie 'ffffff' für keine Hervorhebung) +HighlightLinesChecked=Farbe zum Hervorheben der Zeile, wenn die Zeile ausgewählt ist (verwenden Sie 'ffffff' für keine Hervorhebung) TextTitleColor=Textfarbe der Seitenüberschrift LinkColor=Farbe für Hyperlinks PressF5AfterChangingThis=Drücken Sie CTRL+F5 auf der Tastatur oder löschen Sie Ihren Browser-Cache, nachdem dem Sie diesen Wert geändert haben, damit die Änderung wirksam wird @@ -1824,7 +1828,7 @@ 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. TitleExampleForMaintenanceRelease=Beispielnachricht, die Sie nutzen können, um ein Wartungsupdate anzukündigen. Sie können diese auf Ihrer Website verwenden. ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s ist verfügbar. Version %s ist eine Hauptversion mit vielen neuen Features für Benutzer und Entwickler. Sie können die Version aus dem Download-Bereich des Portals https://www.dolibarr.org laden (Unterverzeichnis "stabile Versionen"). Lesen Sie die komplette Liste der Änderungen. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s ist verfügbar. Version %s ist ein Wartungsupdate, das nur Fehlerbereinigungen enthält. Wir empfehlen allen Benutzern ein Upgrade auf diese Version. Wie bei jedem Wartungsupdate sind keinen neuen Features oder Änderungen in den Datenstrukturen enthalten. Sie können die Version aus dem Downloadbereich des Portals https://www.dolibarr.org laden (Unterverzeichnis "stabile Versionen"). Lesen Sie die komplette Liste der Änderungen im ChangeLog. MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. ModelModulesProduct=Vorlagen für Produktdokumente ToGenerateCodeDefineAutomaticRuleFirst=Um Codes automatisch generieren zu können, muß zuerst ein Manager für die automatische Generierung von Barcode-Nummer festgelegt werden. @@ -1909,8 +1913,8 @@ CodeLastResult=Letzter Resultatcode NbOfEmailsInInbox=Anzahl eMails im Quellverzeichnis LoadThirdPartyFromName=Load third party searching on %s (load only) LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -WithDolTrackingID=Dolibarr Reference found in Message ID -WithoutDolTrackingID=Dolibarr Reference not found in Message ID +WithDolTrackingID=Dolibarr-Referenz in Nachrichten-ID gefunden +WithoutDolTrackingID=Dolibarr-Referenz nicht in Nachrichten-ID gefunden FormatZip=PLZ MainMenuCode=Menüpunktcode (Hauptmenü) ECMAutoTree=Automatischen ECM-Baum anzeigen @@ -1945,7 +1949,7 @@ LogsLinesNumber=Zahl der Zeilen, die auf der Registerkarte Logs angezeigt werden UseDebugBar=Verwenden Sie die Debug Leiste DEBUGBAR_LOGS_LINES_NUMBER=Zahl der letzten Protokollzeilen, die in der Konsole verbleiben sollen WarningValueHigherSlowsDramaticalyOutput=Warnung, höhere Werte verlangsamen die Ausgabe erheblich. -ModuleActivated=Module %s is activated and slows the interface +ModuleActivated=Modul %s is aktiviert und verlangsamt die Overfläche EXPORTS_SHARE_MODELS=Exportmodelle sind für jeden zugänglich. ExportSetup=Einrichtung Modul Export InstanceUniqueID=Eindeutige ID dieser Instanz @@ -1953,6 +1957,8 @@ SmallerThan=Kleiner als LargerThan=Größer als IfTrackingIDFoundEventWillBeLinked=Beachten Sie, dass,wenn in eingehenden e-Mail eine Tracking-ID gefunden wird, das Ereignis automatisch mit den verwanten/verknüpfte Objekte verknüpft wird. WithGMailYouCanCreateADedicatedPassword=Wenn Sie bei einem GMail-Konto die 2-stufige Validierung aktiviert haben, wird empfohlen, ein spezielles zweites Passwort für die Anwendung zu erstellen, anstatt Ihr eigenes Konto-Passwort von https://myaccount.google.com/. zu verwenden. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=Endpunkt für %s:%s DeleteEmailCollector=Lösche eMail-Collector ConfirmDeleteEmailCollector=Sind Sie sicher, dass Sie diesen eMail-Collector löschen wollen? @@ -1962,6 +1968,6 @@ RESTRICT_API_ON_IP=Allow available APIs to some host IP only (wildcard not allow RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access. BaseOnSabeDavVersion=Basierend auf der SabreDAV-Bibliothek Version NotAPublicIp=Keine öffentliche IP -MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. +MakeAnonymousPing=Einen anonymen Ping '+1' an den Dolibarr-Foundation-Server (einmalig nach der Installation) senden, damit die Foundation die Anzahl der Dolibarr-Installationen zählen kann. FeatureNotAvailableWithReceptionModule=Funtion nicht verfügbar, wenn Modul Wareneingang aktiviert ist EmailTemplate=E-Mail-Vorlage diff --git a/htdocs/langs/de_DE/banks.lang b/htdocs/langs/de_DE/banks.lang index 284f41bc321..9da4fcdeefd 100644 --- a/htdocs/langs/de_DE/banks.lang +++ b/htdocs/langs/de_DE/banks.lang @@ -166,7 +166,7 @@ AddVariousPayment=Sonstige Zahlung hinzufügen SEPAMandate=SEPA Mandat YourSEPAMandate=Ihr SEPA-Mandat FindYourSEPAMandate=Dies ist Ihr SEPA-Mandat, um unser Unternehmen zu ermächtigen, Lastschriftaufträge bei Ihrer Bank zu tätigen. Senden Sie es unterschrieben (Scan des unterschriebenen Dokuments) oder per Post an -AutoReportLastAccountStatement=Füllen Sie das Feld 'Nummer des Kontoauszugs' bei der Abstimmung automatisch mit der Nummer des letzten Kontoauszugs +AutoReportLastAccountStatement=Füllen Sie das Feld 'Nummer des Kontoauszugs' bei der Abstimmung automatisch mit der Nummer des letzten Kontoauszugs CashControl=POS Kassenbestand NewCashFence=neuer Kassenbestand BankColorizeMovement=Bewegungen färben diff --git a/htdocs/langs/de_DE/bills.lang b/htdocs/langs/de_DE/bills.lang index e2709310431..16ce6d1cfce 100644 --- a/htdocs/langs/de_DE/bills.lang +++ b/htdocs/langs/de_DE/bills.lang @@ -61,7 +61,7 @@ Payment=Zahlung PaymentBack=Rückzahlung CustomerInvoicePaymentBack=Rückzahlung Payments=Zahlungen -PaymentsBack=Refunds +PaymentsBack=Rückerstattungen paymentInInvoiceCurrency=in Rechnungswährung PaidBack=Zurück bezahlt DeletePayment=Lösche Zahlung @@ -297,7 +297,7 @@ EditGlobalDiscounts=absolute Rabatte bearbeiten AddCreditNote=Gutschrift erstellen ShowDiscount=Zeige Rabatt ShowReduc=Den Rabatt anzeigen -ShowSourceInvoice=Show the source invoice +ShowSourceInvoice=Zeige Original-Rechnung RelativeDiscount=Relativer Rabatt GlobalDiscount=Rabattregel CreditNote=Gutschrift @@ -334,10 +334,10 @@ InvoiceDateCreation=Datum der Rechnungserstellung InvoiceStatus=Rechnungsstatus InvoiceNote=Hinweis zur Rechnung InvoicePaid=Rechnung bezahlt -InvoicePaidCompletely=Paid completely +InvoicePaidCompletely=Komplett bezahlt InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. OrderBilled=Order billed -DonationPaid=Donation paid +DonationPaid=Spende bezahlt PaymentNumber=ZahlungsNr. RemoveDiscount=Rabatt entfernen WatermarkOnDraftBill=Wasserzeichen auf Rechnungsentwurf (leerlassen wenn keines benötigt wird) @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 Tage PaymentCondition14D=14 Tage PaymentConditionShort14DENDMONTH=14 Tage nach Monatsende PaymentCondition14DENDMONTH=Innerhalb von 14 Tagen nach Monatsende -FixAmount=fester Betrag +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variabler Betrag (%% tot.) VarAmountOneLine=Variabler Betrag (%% Total) -1 Position mit Label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Steuermarke YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=Zuerst muss eine Standardrechnung erstellt werden, dies kann dann in eine neue Rechnungsvorlage konvertiert werden -PDFCrabeDescription=Rechnungs-Modell Crabe. Eine vollständige Rechnung (Empfohlene Vorlage) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=PDF Rechnungsvorlage Crevette. Vollständige Rechnungsvolage für normale Rechnungen TerreNumRefModelDesc1=Liefert eine Nummer mit dem Format %syymm-nnnn für Standard-Rechnungen und %syymm-nnnn für Gutschriften, wobei yy=Jahr, mm=Monat und nnnn eine lückenlose Folge ohne Überlauf auf 0 ist diff --git a/htdocs/langs/de_DE/bookmarks.lang b/htdocs/langs/de_DE/bookmarks.lang index 5889a0f085f..c2edf6dea4b 100644 --- a/htdocs/langs/de_DE/bookmarks.lang +++ b/htdocs/langs/de_DE/bookmarks.lang @@ -18,3 +18,4 @@ SetHereATitleForLink=Erfassen Sie hier einen Namen für das Lesezeichen UseAnExternalHttpLinkOrRelativeDolibarrLink=Verwenden Sie einen externen / absoluten Link (z.B.: https://URL) oder Links relativ zum Systempfad (z.B.: /DOLIBARR_ROOT/htdocs/...) ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Wählen Sie aus, ob die verlinkte Seite auf der aktuellen Registerkarte oder auf einer neuen Registerkarte geöffnet werden soll. BookmarksManagement=Verwalten von Lesezeichen +BookmarksMenuShortCut=STRG + Umschalt + m diff --git a/htdocs/langs/de_DE/categories.lang b/htdocs/langs/de_DE/categories.lang index 986c907346b..cb07190b19e 100644 --- a/htdocs/langs/de_DE/categories.lang +++ b/htdocs/langs/de_DE/categories.lang @@ -32,7 +32,7 @@ WasAddedSuccessfully= %s wurde erfolgreich hinzugefügt. ObjectAlreadyLinkedToCategory=Element ist bereits mit dieser Kategorie verknüpft. ProductIsInCategories=Dieses Produkt / diese Leistung ist folgenden Kategorien zugewiesen CompanyIsInCustomersCategories=Dieser Partner ist folgenden Kundenkategorien zugewiesen -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories +CompanyIsInSuppliersCategories=Dieser Geschäftspartner ist folgenden Lieferantenkategorien zugewiesen: MemberIsInCategories=Dieses Mitglied ist folgenden Mitgliederkategorien zugewiesen ContactIsInCategories=Dieser Kontakt ist folgenden Kontaktkategorien zugewiesen ProductHasNoCategory=Dieses Produkt / diese Leistung ist keiner Kategorie zugewiesen. @@ -62,7 +62,7 @@ ContactCategoriesShort=Kontaktkategorien AccountsCategoriesShort=Konten-Kategorien ProjectsCategoriesShort=Projektkategorien UsersCategoriesShort=Benutzerkategorien -StockCategoriesShort=Warehouse tags/categories +StockCategoriesShort=Lagerort Kategorien ThisCategoryHasNoProduct=Diese Kategorie enthält keine Produkte. ThisCategoryHasNoSupplier=Diese Kategorie enthält keine Lieferanten. ThisCategoryHasNoCustomer=Diese Kategorie enthält keine Kunden. @@ -84,10 +84,11 @@ DeleteFromCat=Aus Kategorie entfernen ExtraFieldsCategories=Ergänzende Attribute CategoriesSetup=Kategorie-Einstellungen CategorieRecursiv=Automatisch mit übergeordneter Kategorie verbinden -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. +CategorieRecursivHelp=Wenn die Option aktiviert ist, wird beim Hinzufügen eines Produkts zu einer Unterkategorie das Produkt auch automatisch zur übergeordneten Kategorie hinzugefügt. AddProductServiceIntoCategory=Folgendes Produkt / folgende Leistung dieser Kategorie hinzufügen: ShowCategory=Zeige Kategorie ByDefaultInList=Standardwert in Liste ChooseCategory=Kategorie auswählen -StocksCategoriesArea=Warehouses Categories Area -UseOrOperatorForCategories=Use or operator for categories +StocksCategoriesArea=Bereich Lagerort Kategorien +ActionCommCategoriesArea=Bereich Ereigniss-Kategorien +UseOrOperatorForCategories=Benutzer oder Operator für Kategorien diff --git a/htdocs/langs/de_DE/commercial.lang b/htdocs/langs/de_DE/commercial.lang index a28ab2ff86c..31e1b24238e 100644 --- a/htdocs/langs/de_DE/commercial.lang +++ b/htdocs/langs/de_DE/commercial.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - commercial -Commercial=Commerce -CommercialArea=Commerce area +Commercial=Einkauf | Vertrieb +CommercialArea=Übersicht Einkauf & Vertrieb Customer=Kunde Customers=Kunden Prospect=Interessent diff --git a/htdocs/langs/de_DE/companies.lang b/htdocs/langs/de_DE/companies.lang index 3903be9bc2b..451828dd7aa 100644 --- a/htdocs/langs/de_DE/companies.lang +++ b/htdocs/langs/de_DE/companies.lang @@ -57,7 +57,7 @@ NatureOfThirdParty=Art des Partners NatureOfContact=Art des Kontakts Address=Adresse State=Bundesland -StateCode=State/Province code +StateCode=Länder-/Regions-Code StateShort=Staat Region=Region Region-State=Bundesland @@ -247,6 +247,12 @@ ProfId3US=DVR-Nummer ProfId4US=DVR-Nummer ProfId5US=DVR-Nummer ProfId6US=DVR-Nummer +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=DVR-Nummer +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=DVR-Nummer ProfId1RU=OGRN ProfId2RU=INN ProfId3RU=KPP @@ -406,6 +412,13 @@ AllocateCommercial=Dem Vertriebsmitarbeiter zugewiesen Organization=Organisation FiscalYearInformation=Geschäftsjahr FiscalMonthStart=erster Monat des Geschäftsjahres +SocialNetworksInformation=Soziale Netzwerke +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Sie müssen zunächst eine E-Mail-Adresse für diesen Benutzer anlegen, um E-Mail-Benachrichtigungen zu ermöglichen. YouMustCreateContactFirst=Um E-mail-Benachrichtigungen anlegen zu können, müssen Sie zunächst einen Kontakt mit gültiger Email-Adresse zum Partner hinzufügen. ListSuppliersShort=Liste der Lieferanten diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang index ae2410dd8d4..565102ea3c7 100644 --- a/htdocs/langs/de_DE/compta.lang +++ b/htdocs/langs/de_DE/compta.lang @@ -159,8 +159,8 @@ SeeReportInBookkeepingMode=Siehe %sBuchungsreport%s für die Berechnung v 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=- It includes the customer's due invoices whether they are paid or not.
- It is based on the validation date of these invoices.
-RulesCAIn=- It includes all the effective payments of invoices received from customers.
- It is based on the payment date of these invoices
+RulesCADue=- Es enthält die fälligen Rechnungen des Kunden, ob sie bezahlt werden oder nicht.
- Es basiert auf dem Validierungsdatum dieser Rechnungen.
+RulesCAIn=- Es umfasst alle effektiven Zahlungen von Rechnungen, die von Kunden erhalten wurden.
- Es basiert auf dem Zahlungsdatum dieser Rechnungen.
RulesCATotalSaleJournal=Es beinhaltet alle Gutschriftspositionen aus dem Verkaufsjournal. 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" @@ -218,7 +218,7 @@ LinkedOrder=Link zur Bestellung Mode1=Methode 1 Mode2=Methode 2 CalculationRuleDesc=Zur Berechnung der Gesamt-USt. gibt es zwei Methoden:
Methode 1 rundet die Steuer in jeder Zeile und addiert zum Schluss.
Methode 2 summiert alle Steuer-Zeilen und rundet am Ende.
Das endgültige Ergebnis kann sich in wenigen Cent unterscheiden. Standardmodus ist Modus %s. -CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. +CalculationRuleDescSupplier=Wählen Sie je nach Anbieter die geeignete Methode aus, um dieselbe Berechnungsregel anzuwenden und dasselbe Ergebnis zu erzielen, das Ihr Anbieter erwartet. TurnoverPerProductInCommitmentAccountingNotRelevant=Der Umsatzbericht pro Produkt ist nicht verfügbar. Dieser Bericht ist nur für verrechneten Umsatz verfügbar. TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Der Umsatzbericht pro Ust. Satz ist nicht verfügbar. Dieser Bericht ist nur für den verrechneten Umsatz verfügbar. CalculationMode=Berechnungsmodus @@ -254,3 +254,4 @@ ByVatRate=Pro Steuersatz TurnoverbyVatrate=Verrechneter Umsatz pro Steuersatz TurnoverCollectedbyVatrate=Realisierter Umsatz pro Steuersatz PurchasebyVatrate=Einkäufe pro Steuersatz +LabelToShow=Kurzbezeichnung diff --git a/htdocs/langs/de_DE/donations.lang b/htdocs/langs/de_DE/donations.lang index e98bc620df0..838581be4dd 100644 --- a/htdocs/langs/de_DE/donations.lang +++ b/htdocs/langs/de_DE/donations.lang @@ -17,6 +17,7 @@ DonationStatusPromiseNotValidatedShort=Entwurf DonationStatusPromiseValidatedShort=Freigegeben DonationStatusPaidShort=Bezahlt DonationTitle=Spendenbescheinigung +DonationDate=Spendedatum DonationDatePayment=Zahlungsdatum ValidPromess=Zusage freigeben DonationReceipt=Spendenbescheinigung diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang index 65f53d07803..441b7005ba0 100644 --- a/htdocs/langs/de_DE/errors.lang +++ b/htdocs/langs/de_DE/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Benutzer mit Anmeldung %s konnte nicht gefunden w ErrorLoginHasNoEmail=Dieser Benutzer hat keine E-Mail-Adresse. Prozess abgebrochen. ErrorBadValueForCode=Sicherheitsschlüssel falsch ErrorBothFieldCantBeNegative=Die Felder %s und %s können nicht gleichzeitig negativ sein -ErrorFieldCantBeNegativeOnInvoice=Das Feld %s kann für diese Art von Rechnung nicht negativ sein. Wenn Sie eine Rabattzeile hinzufügen möchten, erstellen Sie den Rabatt zuerst mit einem Link %s auf dem Bildschirm und wenden Sie ihn auf die Rechnung an. Sie können Ihren Administrator auch bitten, die Option FACTURE_ENABLE_NEGATIVE_LINES auf 1 zu setzen, um das alte Verhalten zuzulassen. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Mengen in Kundenrechnungen dürfen nicht negativ sein ErrorWebServerUserHasNotPermission=Der Benutzerkonto %s wurde verwendet um auf dem Webserver etwas auszuführen, hat aber keine Rechte dafür. ErrorNoActivatedBarcode=Kein Barcode aktiviert @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Ihr PHP Parameter upload_max_filesize (%s) ist größer als Parameter post_max_size (%s). Dies ist eine inkonsistente Einstellung. WarningPasswordSetWithNoAccount=Es wurde ein Passwort für dieses Mitglied vergeben, aber kein Benutzer erstellt. Das Passwort wird gespeichert, aber kann nicht für die Anmeldung an Dolibarr verwendet werden. Es kann von einem externen Modul/einer Schnittstelle verwendet werden, aber wenn Sie kein Login oder Passwort für dieses Mitglied definiert müssen, können Sie die Option "Login für jedes Mitglied verwalten" in den Mitgliedseinstellungen deaktivieren. Wenn Sie ein Login aber kein Passwort benötige, lassen Sie dieses Feld leer, um diese Meldung zu deaktivieren. Anmerkung: Die E-Mail-Adresse kann auch zur Anmeldung verwendet werden, wenn das Mitglied mit einem Benutzer verbunden wird. diff --git a/htdocs/langs/de_DE/holiday.lang b/htdocs/langs/de_DE/holiday.lang index 2143adfd5b3..5fea5c32a28 100644 --- a/htdocs/langs/de_DE/holiday.lang +++ b/htdocs/langs/de_DE/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Art der Urlaubs-ID TypeOfLeaveCode=Art des Urlaubscodes TypeOfLeaveLabel=Art des Urlaubslabels NbUseDaysCP=Anzahl genommene Urlaubstage +NbUseDaysCPHelp=Die Berechnung berücksichtigt die in den Stammdaten definierten arbeitsfreien Tage und Feiertage. NbUseDaysCPShort=genommene Tage NbUseDaysCPShortInMonth=Urlaubstage im Monat +DayIsANonWorkingDay=%s ist ein arbeitsfreier Tag DateStartInMonth=Startdatum im Monat DateEndInMonth=Enddatum im Monat EditCP=Bearbeiten diff --git a/htdocs/langs/de_DE/install.lang b/htdocs/langs/de_DE/install.lang index 184219cd8cd..84dd381d5b9 100644 --- a/htdocs/langs/de_DE/install.lang +++ b/htdocs/langs/de_DE/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Ihre PHP-Konfiguration unterstützt cURL. PHPSupportCalendar=Ihre PHP-Konfiguration unterstützt die Kalender-Erweiterungen. PHPSupportUTF8=Ihre PHP-Konfiguration unterstützt die UTF8-Funktionen. PHPSupportIntl=Ihre PHP-Konfiguration unterstützt die Internationalisierungs-Funktionen. +PHPSupport=Dieses PHP unterstützt %s-Funktionen. PHPMemoryOK=Die Sitzungsspeicherbegrenzung ihrer PHP-Konfiguration steht auf %s. Dies sollte ausreichend sein. PHPMemoryTooLow=Die Sitzungsspeicherbegrenzung ihrer PHP-Konfigration steht auf %s Bytes. Dieser Wert ist zu niedrig. Ändern sie den Parameter memory_limit in der php.ini auf mindestens %s Bytes! Recheck=Klicken Sie hier für einen detailierteren Test. @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Ihre PHP-Version unterstützt die Erweiterung Curl ni ErrorPHPDoesNotSupportCalendar=Ihre PHP-Installation unterstützt die Kalender-Erweiterungen nicht. ErrorPHPDoesNotSupportUTF8=Ihre PHP-Installation unterstützt die UTF8-Funktionen nicht. Dolibarr wird nicht korrekt funktionieren. Beheben Sie das Problem vor der Installation. ErrorPHPDoesNotSupportIntl=Ihre PHP-Konfiguration unterstützt keine Internationalisierungsfunktion (intl-extension). +ErrorPHPDoesNotSupport=Ihre PHP-Installation unterstützt keine %s-Funktionen. ErrorDirDoesNotExists=Das Verzeichnis %s existiert nicht. ErrorGoBackAndCorrectParameters=Gehen Sie zurück und prüfen/korrigieren Sie die Parameter. ErrorWrongValueForParameter=Sie haben einen falschen Wert für den Parameter '%s' eingegeben. @@ -49,7 +51,7 @@ DolibarrDatabase=dolibarr-Datenbank DatabaseType=Datenbanktyp DriverType=Art des Treibers Server=Server -ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server. +ServerAddressDescription=Name oder IP-Adresse des Datenbankservers. In der Regel ist dies "localhost" (Datenbank und Webserver liegen auf demselben Server). ServerPortDescription=Datenbankserver-Port. Lassen Sie dieses Feld im Zweifel leer. DatabaseServer=Datenbankserver DatabaseName=Name der Datenbank @@ -212,6 +214,6 @@ ShowNotAvailableOptions=Nicht verfügbare Optionen anzeigen HideNotAvailableOptions=Nicht verfügbare Optionen ausblenden ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved. YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
-YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
+YouTryInstallDisabledByFileLock=Die Anwendung hat versucht, sich selbst zu aktualisieren, aber die Installations-/Upgrade-Seiten wurden aus Sicherheitsgründen deaktiviert (durch die Existenz einer Sperrdatei install.lock im Dokumenten-Verzeichnis).
ClickHereToGoToApp=Hier klicken um zu Ihrer Anwendung zu kommen -ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. +ClickOnLinkOrRemoveManualy=Klicken Sie auf den folgenden Link. Wenn Sie immer die gleiche Seite sehen, müssen Sie die Datei install.lock im Dokumenten-Verzeichnis entfernen/umbenennen. diff --git a/htdocs/langs/de_DE/interventions.lang b/htdocs/langs/de_DE/interventions.lang index e6fc5374088..b57e36ab117 100644 --- a/htdocs/langs/de_DE/interventions.lang +++ b/htdocs/langs/de_DE/interventions.lang @@ -60,7 +60,7 @@ InterDateCreation=Erstellungsdatum Serviceauftrag InterDuration=Dauer Serviceauftrag InterStatus=Status Serviceauftrag InterNote=Serviceauftrag Bemerkung -InterLine=Line of intervention +InterLine=Interventionslinie InterLineId=Serviceauftragsposition ID InterLineDate=Serviceauftragsposition Datum InterLineDuration=Serviceauftragsposition Dauer diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang index b142199c307..04567ddd4d6 100644 --- a/htdocs/langs/de_DE/mails.lang +++ b/htdocs/langs/de_DE/mails.lang @@ -19,8 +19,8 @@ MailTopic=e-Mail Betreff MailText=Inhalt MailFile=Angehängte Dateien MailMessage=E-Mail Text -SubjectNotIn=Not in Subject -BodyNotIn=Not in Body +SubjectNotIn=Nicht im Betreff +BodyNotIn=Nicht im Nachrichteninhalt ShowEMailing=Zeige E-Mail-Kampagne ListOfEMailings=Liste der E-Mail-Kampagnen NewMailing=Neue E-Mail-Kampagne @@ -47,7 +47,7 @@ MailingStatusReadAndUnsubscribe=nicht mehr kontaktieren ErrorMailRecipientIsEmpty=Das Empfängerfeld ist leer WarningNoEMailsAdded=Keine neuen E-Mail-Adressen für das Hinzufügen zur Empfängerliste ConfirmValidMailing=Möchten Sie diese E-Mail-Kampagne wirklich freigeben? -ConfirmResetMailing=Warning, by re-initializing emailing %s, you will allow the re-sending this email in a bulk mailing. Are you sure you want to do this? +ConfirmResetMailing=Warnung: Durch die Neuinitialisierung des E-Mailings %s erlauben Sie das erneute Versenden dieser E-Mail in einem Massenversand. Sind Sie sicher, dass Sie das tun wollen? ConfirmDeleteMailing=Möchten Sie diese E-Mail-Kampagne wirklich löschen? NbOfUniqueEMails=Anzahl einmaliger E-Mail-Adressen NbOfEMails=Anzahl der E-Mails @@ -70,21 +70,21 @@ MailingStatusRead=gelesen YourMailUnsubcribeOK=Die E-Mail-Adresse %s wurde erfolgreich aus der Mailing-Liste ausgetragen. ActivateCheckReadKey=Schlüssel um die URL für die Funktion der versteckten Lesebestätigung und den "Abmelden"-Link zu generieren EMailSentToNRecipients=E-Mail an %s Empfänger gesendet -EMailSentForNElements=Email sent for %s elements. +EMailSentForNElements=E-Mail für %s Elemente gesendet 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 attachments in mass sending in this version). +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=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent +ResultOfMailSending=Ergebnis der Massen-E-Mail-Sendung +NbSelected=Anzahl ausgewählt +NbIgnored=Anzahl ignoriert +NbSent=Anzahl gesendet SentXXXmessages=%s E-Mail(s) versendet. ConfirmUnvalidateEmailing=Möchten Sie die E-Mail-Kampange %s auf den Status "Entwurf" zurücksetzen? MailingModuleDescContactsWithThirdpartyFilter=Kontakt mit Kunden Filter -MailingModuleDescContactsByCompanyCategory=Contacts by third-party category +MailingModuleDescContactsByCompanyCategory=Kontakte mit Partner Kategorie MailingModuleDescContactsByCategory=Kontakte nach Kategorien MailingModuleDescContactsByFunction=Kontakte nach Position MailingModuleDescEmailsFromFile=E-Mail-Adressen aus csv-Datei importieren @@ -120,8 +120,8 @@ YouCanUseCommaSeparatorForSeveralRecipients=Trennen Sie mehrere Empfänger mit e TagCheckMail=Öffnen der Mail verfolgen TagUnsubscribe="Abmelden"-Link TagSignature=Absender Signatur -EMailRecipient=Recipient Email -TagMailtoEmail=Recipient Email (including html "mailto:" link) +EMailRecipient=Empfänger E-Mail +TagMailtoEmail=Empfänger E-Mail (beinhaltet html "mailto:" link) NoEmailSentBadSenderOrRecipientEmail=Kein E-Mail gesendet. Ungültige Absender oder Empfänger Adresse. Benutzerprofil kontrollieren. # Module Notifications Notifications=Benachrichtigungen @@ -140,21 +140,21 @@ UseFormatFileEmailToTarget=Die importierte Datei muss im folgenden Format vorlie UseFormatInputEmailToTarget=Geben Sie eine Zeichenkette im Format
E-Mail-Adresse;Nachname;Vorname;Zusatzinformationen ein MailAdvTargetRecipients=Empfänger (Erweitere Selektion) AdvTgtTitle=Füllen Sie die Eingabefelder zur Vorauswahl der Partner- oder Kontakt- / Adressen - Empänger -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima% will target all jean, joe, start with jim but not jimo and not everything that starts with jima +AdvTgtSearchTextHelp=Verwenden Sie %% als Platzhalter. Um beispielsweise alle Elemente wie jean, joe, jim zu finden, können Sie auch j%% eingeben. als Trennzeichen für Wert und Verwendung! für außer diesem Wert. Beispiel: jean; joe; jim%%;! Jimo;! Jima% zielt auf alle jean, joe, beginnt mit jim, aber nicht mit jimo und nicht auf alles, was mit jima beginnt AdvTgtSearchIntHelp=Intervall verwenden um eine Integer oder Fliesskommazahl auszuwählen AdvTgtMinVal=Mindestwert AdvTgtMaxVal=Maximalwert AdvTgtSearchDtHelp=Intervall verwenden um ein Datum auszuwählen AdvTgtStartDt=Startdatum AdvTgtEndDt=Enddatum -AdvTgtTypeOfIncudeHelp=Target Email of third party and email of contact of the third party, or just third-party email or just contact email +AdvTgtTypeOfIncudeHelp=Empfänger eMail des Partners und eMail des Kontakt des Partners, oder einfach nur Partner-eMail oder nur Kontakt-eMail AdvTgtTypeOfIncude=Empfänger AdvTgtContactHelp=Verwenden Sie nur, wenn Ihr Zielkontakt unter den "Typ des E-Mail-Empfänger" AddAll=Alle hinzufügen RemoveAll=Alle Entfernen ItemsCount=Punkt(e) AdvTgtNameTemplate=Filtername -AdvTgtAddContact=Add emails according to criteria +AdvTgtAddContact=E-Mail-Adressen gemäss der Kriterien hinzufügen AdvTgtLoadFilter=Filter laden AdvTgtDeleteFilter=Filter löschen AdvTgtSaveFilter=Filter speichern @@ -167,4 +167,4 @@ InGoingEmailSetup=Posteingang OutGoingEmailSetupForEmailing=Einstellung ausgehende E-Mails (für den Massenversand) DefaultOutgoingEmailSetup=Standardeinstellungen für ausgehende E-Mails Information=Information -ContactsWithThirdpartyFilter=Contacts with third-party filter +ContactsWithThirdpartyFilter=Kontakte mit Drittanbieter-Filter diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang index a7d3c0e9562..941efddb621 100644 --- a/htdocs/langs/de_DE/main.lang +++ b/htdocs/langs/de_DE/main.lang @@ -114,7 +114,7 @@ InformationToHelpDiagnose=Diese Informationen können bei der Fehlersuche hilfre MoreInformation=Weitere Informationen TechnicalInformation=Technische Information TechnicalID=Technische ID -LineID=Line ID +LineID=Zeilen-ID NotePublic=Anmerkung (öffentlich) NotePrivate=Anmerkung (privat) PrecisionUnitIsLimitedToXDecimals=Stückpreisgenauigkeit im System auf %s Dezimalstellen beschränkt. @@ -170,8 +170,8 @@ ToValidate=Freizugeben NotValidated=Nicht freigegeben Save=Speichern SaveAs=Speichern unter -SaveAndStay=Save and stay -SaveAndNew=Save and new +SaveAndStay=Speichern und bleiben +SaveAndNew=Speichern und neu TestConnection=Verbindung testen ToClone=Duplizieren ConfirmClone=Wählen Sie die zu duplizierenden Daten: @@ -185,7 +185,7 @@ Hide=verstecken ShowCardHere=Zeige Karte Search=Suchen SearchOf=Suche nach -SearchMenuShortCut=Ctrl + shift + f +SearchMenuShortCut=STRG + Umschalt + f Valid=Freigeben Approve=Genehmigen Disapprove=Abgelehnt @@ -376,7 +376,7 @@ Percentage=Prozentsatz Total=Gesamt SubTotal=Zwischensumme TotalHTShort=Nettosumme -TotalHT100Short=Total 100%% (excl.) +TotalHT100Short=Gesamt 100%% (exkl.) TotalHTShortCurrency=Summe (Netto in Währung) TotalTTCShort=Gesamt (inkl. Ust) TotalHT=Nettosumme @@ -408,7 +408,7 @@ LT1ES=RE LT2ES=EKSt. LT1IN=CGST LT2IN=SGST -LT1GC=Additionnal cents +LT1GC=Zusätzliche Cent VATRate=Steuersatz VATCode=Steuersatz VATNPR=Steuersatz @@ -741,7 +741,7 @@ NotSupported=Nicht unterstützt RequiredField=Pflichtfeld Result=Ergebnis ToTest=Test -ValidateBefore=Item must be validated before using this feature +ValidateBefore=Vor Verwendung dieser Funktion müssen Sie das Element überprüfen Visibility=Sichtbarkeit Totalizable=Summierbar TotalizableDesc=Dieses Feld kann in der Liste summiert werden @@ -848,18 +848,18 @@ Progress=Entwicklung ProgressShort=Progr. FrontOffice=Frontoffice BackOffice=Backoffice -Submit=Submit +Submit=Absenden View=Ansicht Export=Exportieren Exports=Exporte ExportFilteredList=Exportiere gefilterte Auswahl ExportList=Liste exportieren ExportOptions=Exportoptionen -IncludeDocsAlreadyExported=Include docs already exported -ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable -ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable -AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported -NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported +IncludeDocsAlreadyExported=Bereits exportierte Dokumente einschließen +ExportOfPiecesAlreadyExportedIsEnable=Der Export von bereits exportierten Stücken ist möglich +ExportOfPiecesAlreadyExportedIsDisable=Der Export von bereits exportierten Stücken ist deaktiviert +AllExportedMovementsWereRecordedAsExported=Alle exportierten Bewegungen wurden als exportiert registriert. +NotAllExportedMovementsCouldBeRecordedAsExported=Nicht alle exportierten Bewegungen konnten als exportiert erfasst werden. Miscellaneous=Verschiedenes Calendar=Terminkalender GroupBy=Gruppiere nach ... @@ -1005,11 +1005,14 @@ ContactDefault_contrat=Vertrag ContactDefault_facture=Rechnung ContactDefault_fichinter=Serviceauftrag ContactDefault_invoice_supplier=Lieferantenrechnung -ContactDefault_order_supplier=Lieferantenauftrag +ContactDefault_order_supplier=Lieferantenbestellung ContactDefault_project=Projekt ContactDefault_project_task=Aufgabe ContactDefault_propal=Angebot ContactDefault_supplier_proposal=Lieferantenangebot ContactDefault_ticketsup=Ticket -ContactAddedAutomatically=Contact added from contact thirdparty roles -More=More +ContactAddedAutomatically=Kontakt aus Rollen von Kontakt-Drittanbietern hinzugefügt +More=Mehr +ShowDetails=Zeige Details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/de_DE/margins.lang b/htdocs/langs/de_DE/margins.lang index ccaaf92f2c5..a81a6a23593 100644 --- a/htdocs/langs/de_DE/margins.lang +++ b/htdocs/langs/de_DE/margins.lang @@ -16,6 +16,7 @@ MarginDetails=Details zu Gewinnspannen ProductMargins=Produkt-Gewinnspannen CustomerMargins=Kunden-Gewinnspannen SalesRepresentativeMargins=Vertreter-Gewinnspannen +ContactOfInvoice=Kontakt der Rechnung UserMargins=Spannen nach Benutzer ProductService=Produkt oder Dienstleistung AllProducts=Alle Produkte und Leistungen @@ -36,7 +37,7 @@ CostPrice=Selbstkostenpreis UnitCharges=Einheit Kosten Charges=Kosten AgentContactType=Kontaktart Handelsvertreter -AgentContactTypeDetails=Definieren Sie, welche Kontaktart (auf Rechnungen verknüpft) für die Meldung von Gewinnspannen pro Handelsvertreter verwendet wird +AgentContactTypeDetails=Definieren Sie, welcher Kontakttyp (auf Rechnungen verlinkt) für die Berichterstattung pro Kontakt / Adresse verwendet wird. Beachten Sie, dass das Lesen von Statistiken zu einem Kontakt nicht zuverlässig ist, da der Kontakt in den meisten Fällen nicht explizit auf den Rechnungen definiert ist. rateMustBeNumeric=Die Rate muss ein numerischer Wert sein markRateShouldBeLesserThan100=Die markierte Rate sollte kleiner sein als 100 ShowMarginInfos=Zeige Rand-Informationen diff --git a/htdocs/langs/de_DE/modulebuilder.lang b/htdocs/langs/de_DE/modulebuilder.lang index 9b49564ddfe..88aee34e629 100644 --- a/htdocs/langs/de_DE/modulebuilder.lang +++ b/htdocs/langs/de_DE/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=Liste der definierten Berechtigungen SeeExamples=Beispiele hier 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/de_DE/mrp.lang b/htdocs/langs/de_DE/mrp.lang index 3f79e8040d6..f641ad2a9cb 100644 --- a/htdocs/langs/de_DE/mrp.lang +++ b/htdocs/langs/de_DE/mrp.lang @@ -1,11 +1,11 @@ Mrp=Fertigungsaufträge -MO=Manufacturing Order -MRPDescription=Module to manage Manufacturing Orders (MO). +MO=Fertigungsauftrag +MRPDescription=Modul zur Verwaltung von Fertigungsaufträgen (MO). MRPArea=MRP Bereich -MrpSetupPage=Setup of module MRP +MrpSetupPage=Einrichtung des Moduls MRP MenuBOM=Stücklisten LatestBOMModified=zuletzt geänderte %s Stücklisten -LatestMOModified=Latest %s Manufacturing Orders modified +LatestMOModified=zuletzt geänderte %s Fertigungsaufträge Bom=Stücklisten BillOfMaterials=Stückliste BOMsSetup=Stücklisten Modul einrichten @@ -14,19 +14,19 @@ ListOfManufacturingOrders=Liste der Fertigungsaufträge NewBOM=neue Stückliste ProductBOMHelp=Product to create with this BOM.
Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. BOMsNumberingModules=Vorlage für die Stücklistennummerierung -BOMsModelModule=BOM document templates -MOsNumberingModules=MO numbering templates -MOsModelModule=MO document templates +BOMsModelModule=Dokumentvorlagen für Stücklisten +MOsNumberingModules=Nummerierungsvorlagen für Fertigungsaufträge +MOsModelModule=Dokumentvorlagen für Fertigungsaufträge FreeLegalTextOnBOMs=Freier Text auf dem Stücklisten-Dokument WatermarkOnDraftBOMs=Wasserzeichen auf Stücklisten-Entwürfen -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of material %s ? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? +FreeLegalTextOnMOs=Freier Text auf dem Dokument von Fertigungsaufträgen +WatermarkOnDraftMOs=Wasserzeichen auf Entwurf vom Fertigungsauftrag +ConfirmCloneBillOfMaterials=Möchten Sie die Stückliste %s wirklich duplizieren? +ConfirmCloneMo=Möchten Sie den Fertigungsauftrag %s wirklich duplizieren? ManufacturingEfficiency=Produktionseffizienz ValueOfMeansLoss=Ein Wert von 0,95 bedeutet einen durchschnittlichen Verlust von 5%% während der Produktion. DeleteBillOfMaterials=Stückliste löschen -DeleteMo=Delete Manufacturing Order +DeleteMo=Fertigungsauftrag löschen ConfirmDeleteBillOfMaterials=Möchten Sie diese Stückliste wirklich löschen? ConfirmDeleteMo=Möchten Sie diese Stückliste wirklich löschen? MenuMRP=Fertigungsaufträge @@ -35,31 +35,34 @@ QtyToProduce=Produktionsmenge DateStartPlannedMo=Geplantes Startdatum DateEndPlannedMo=Geplantes Enddatum KeepEmptyForAsap=Leer bedeutet 'So bald wie möglich' -EstimatedDuration=Estimated duration +EstimatedDuration=geschätzte Dauer EstimatedDurationDesc=Estimated duration to manufacture this product using this BOM ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity +StatusMOProduced=Produziert +QtyFrozen=eingefrorene Menge +QuantityFrozen=eingefrorene Menge QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled +DisableStockChange=Bestandsänderung deaktiviert DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed BomAndBomLines=Bills Of Material and lines -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO +BOMLine=Zeile der Stückliste +WarehouseForProduction=Lager für die Produktion +CreateMO=Erstelle Fertigungsauftrag ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/de_DE/oauth.lang b/htdocs/langs/de_DE/oauth.lang index 2bf7bef3c70..e2e84cc8509 100644 --- a/htdocs/langs/de_DE/oauth.lang +++ b/htdocs/langs/de_DE/oauth.lang @@ -11,8 +11,8 @@ ToCheckDeleteTokenOnProvider=Klicke hier um prüfen/entfernen Authentifizierung TokenDeleted=Token gelöscht RequestAccess=Hier klicken, um Zugang anzufordern/verlängern und neue Token zu speichern DeleteAccess=Hier klicken, um das Token zu löschen -UseTheFollowingUrlAsRedirectURI=Benutzen Sie diese URL zur Weiterleitung, wenn Sie die Anmeldedaten Ihres OAuth Anbieters erstellen. -ListOfSupportedOauthProviders=Hier Anmeldedaten Ihres OAuth2 Anbieters eintragen. Nur OAuth2 Anbieter werden hier angezeigt. Diese Einstellungen können von anderen Module genutzt werden, die OAuth2 Authentifizierung benötigen. +UseTheFollowingUrlAsRedirectURI=Verwenden Sie die folgende URL als Umleitungs-URI, wenn Sie Ihre Anmeldeinformationen bei Ihrem OAuth-Anbieter erstellen: +ListOfSupportedOauthProviders=Enter the credentials provided by your OAuth2 provider. Only supported OAuth2 providers are listedd here. These services may be used by other modules that need OAuth2 authentication. OAuthSetupForLogin=Seite um einen OAuth-Token zu erzeugen SeePreviousTab=Siehe vorherigen Registerkarte OAuthIDSecret=OAuth-ID und Secret @@ -20,11 +20,11 @@ TOKEN_REFRESH=Aktualisierung des Tokens vorhanden TOKEN_EXPIRED=Token abgelaufen TOKEN_EXPIRE_AT=Token läuft ab am TOKEN_DELETE=Lösche gespeicherten Token -OAUTH_GOOGLE_NAME=Google API OAuth -OAUTH_GOOGLE_ID=Google OpenID OAuth -OAUTH_GOOGLE_SECRET=Google Secret OAuth -OAUTH_GOOGLE_DESC=Gehen Sie auf diese Seite und dann die „Autorisierung“ Google OAuth-Anmeldeinformationen zu erstellen -OAUTH_GITHUB_NAME=Oauth GitHub Dienst -OAUTH_GITHUB_ID=Github Client-ID OAuth -OAUTH_GITHUB_SECRET=Github Client-Secret OAuth -OAUTH_GITHUB_DESC=Gehen Sie auf diese Seite dann „eine neue Anwendung registrieren“ Oauth Github Berechtigungsnachweise erstellen +OAUTH_GOOGLE_NAME=OAuth Google-Dienst +OAUTH_GOOGLE_ID=OAuth Google-ID +OAUTH_GOOGLE_SECRET=OAuth Google Secret +OAUTH_GOOGLE_DESC=Go to this page then "Credentials" to create OAuth credentials +OAUTH_GITHUB_NAME=OAuth GitHub-Dienst +OAUTH_GITHUB_ID=OAuth GitHub-ID +OAUTH_GITHUB_SECRET=OAuth GitHub Secret +OAUTH_GITHUB_DESC=Gehen Sie auf diese Seite . Anschließend „Eine neue Anwendung registrieren“ um OAuth-Berechtigungsnachweise zu erstellen diff --git a/htdocs/langs/de_DE/opensurvey.lang b/htdocs/langs/de_DE/opensurvey.lang index 3ad8c247d94..146e47c971d 100644 --- a/htdocs/langs/de_DE/opensurvey.lang +++ b/htdocs/langs/de_DE/opensurvey.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - opensurvey Survey=Umfrage Surveys=Umfragen -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... +OrganizeYourMeetingEasily=Organisieren Sie Ihre Meetings und Umfragen ganz einfach. \nWählen Sie zuerst die Art der Umfrage ... NewSurvey=Neue Umfrage OpenSurveyArea=Umfragen-Übersicht AddACommentForPoll=Hier können Sie einen Kommentar zur Umfrage hinzufügen: diff --git a/htdocs/langs/de_DE/orders.lang b/htdocs/langs/de_DE/orders.lang index 6a1150a0140..08427ddf332 100644 --- a/htdocs/langs/de_DE/orders.lang +++ b/htdocs/langs/de_DE/orders.lang @@ -69,7 +69,7 @@ ValidateOrder=Bestellung freigeben UnvalidateOrder=Unbestätigte Bestellung DeleteOrder=Bestellung löschen CancelOrder=Bestellung stornieren -OrderReopened= Auftrag %s wieder geöffnet +OrderReopened= Order %s re-open AddOrder=Bestellung erstellen AddPurchaseOrder=Create purchase order AddToDraftOrders=Zu Bestellentwurf hinzufügen @@ -141,10 +141,10 @@ OrderByEMail=E-Mail (Feld mit automatischer E-Mail-Syntaxprüfung) OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Eine vollständige Bestellvorlage (Logo, uwm.) -PDFEratostheneDescription=Eine vollständige Bestellvorlage (Logo, uwm.) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Eine einfache Bestellvorlage -PDFProformaDescription=Eine vollständige Proforma-Rechnung (Logo, uwm.) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bestellung verrechnen NoOrdersToInvoice=Keine rechnungsfähigen Bestellungen CloseProcessedOrdersAutomatically=Markiere alle ausgewählten Bestellungen als "verarbeitet". diff --git a/htdocs/langs/de_DE/other.lang b/htdocs/langs/de_DE/other.lang index a6ccb2a0549..20b7e6d9496 100644 --- a/htdocs/langs/de_DE/other.lang +++ b/htdocs/langs/de_DE/other.lang @@ -6,7 +6,7 @@ TMenuTools=Hilfsprogramme ToolsDesc=Hier finden Sie weitere Hilfsprogramme, die keinem anderem Menüeintrag zugeordnet werden können.
Diese Hilfsprogramme können über das linke Menü aufgerufen werden. Birthday=Geburtstag BirthdayDate=Geburtstag -DateToBirth=Birth date +DateToBirth=Geburtsdatum BirthdayAlertOn=Geburtstagserinnerung EIN BirthdayAlertOff=Geburtstagserinnerung AUS TransKey=Übersetzung des Schlüssels TransKey @@ -20,11 +20,11 @@ ZipFileGeneratedInto=ZIP-Datei erstellt in %s. DocFileGeneratedInto=Doc Datei in %s generiert. JumpToLogin=Abgemeldet. Zur Anmeldeseite... MessageForm=Mitteilung im Onlinezahlungsformular -MessageOK=Message on the return page for a validated payment +MessageOK=Nachricht auf der Rückseite für eine bestätigte Zahlung MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Dieses Verzeichnis ist nicht leer. -DeleteAlsoContentRecursively=Check to delete all content recursively - +DeleteAlsoContentRecursively=Markieren, um alle Inhalte rekursiv zu löschen +PoweredBy=Powered by YearOfInvoice=Jahr der Rechnung PreviousYearOfInvoice=Vorangehendes Jahr des Rechnungsdatums NextYearOfInvoice=Folgendes Jahr des Rechnungsdatums @@ -70,10 +70,10 @@ Notify_PROJECT_CREATE=Projekt-Erstellung Notify_TASK_CREATE=Aufgabe erstellt Notify_TASK_MODIFY=Aufgabe geändert Notify_TASK_DELETE=Aufgabe gelöscht -Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) -Notify_EXPENSE_REPORT_APPROVE=Expense report approved -Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) -Notify_HOLIDAY_APPROVE=Leave request approved +Notify_EXPENSE_REPORT_VALIDATE=Spesenabrechnung überprüft (Genehmigung ausstehend) +Notify_EXPENSE_REPORT_APPROVE=Spesenabrechnung genehmigt +Notify_HOLIDAY_VALIDATE=Urlaubsantrag überprüft (Genehmigung ausstehend) +Notify_HOLIDAY_APPROVE=Urlaubsantrag genehmigt SeeModuleSetup=Finden Sie im Modul-Setup %s NbOfAttachedFiles=Anzahl der angehängten Dateien/Dokumente TotalSizeOfAttachedFiles=Gesamtgröße der angehängten Dateien/Dokumente @@ -104,7 +104,8 @@ DemoFundation=Verwalten Sie die Mitglieder einer Stiftung DemoFundation2=Verwalten Sie die Mitglieder und Bankkonten einer Stiftung DemoCompanyServiceOnly=Unternehmen oder Freiberufler der nur Leistungen verkauft DemoCompanyShopWithCashDesk=Verwalten Sie ein Geschäft mit Kasse -DemoCompanyProductAndStocks=Verwalten Sie den Produktverkauf und die Lagerstandsverwaltung eines kleinen oder mittleren Unternehmen +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Verwalten Sie ein kleines oder mittleres Unternehmen mit mehreren Aktivitäten (alle wesentlichen Module) CreatedBy=Erstellt von %s ModifiedBy=Bearbeitet von %s @@ -179,23 +180,23 @@ DolibarrDemo=Dolibarr ERP/CRM-Demo StatsByNumberOfUnits=Statistik zu den Totalstückzahlen Produkte/Dienstleistungen StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) NumberOfProposals=Anzahl Angebote -NumberOfCustomerOrders=Number of sales orders +NumberOfCustomerOrders=Anzahl der Kundenbestellungen NumberOfCustomerInvoices=Anzahl Kundenrechnungen -NumberOfSupplierProposals=Number of vendor proposals -NumberOfSupplierOrders=Number of purchase orders -NumberOfSupplierInvoices=Number of vendor invoices -NumberOfContracts=Number of contracts +NumberOfSupplierProposals=Anzahl der Lieferantenangebote +NumberOfSupplierOrders=Anzahl der Lieferantenbestellungen +NumberOfSupplierInvoices=Anzahl der Lieferantenrechnungen +NumberOfContracts=Anzahl der Verträge NumberOfUnitsProposals=Anzahl von Einheiten in Angeboten -NumberOfUnitsCustomerOrders=Number of units on sales orders +NumberOfUnitsCustomerOrders=Anzahl von Einheiten in Kundenbestellungen NumberOfUnitsCustomerInvoices=Anzahl von Einheiten in Kundenrechnungen -NumberOfUnitsSupplierProposals=Number of units on vendor proposals -NumberOfUnitsSupplierOrders=Number of units on purchase orders -NumberOfUnitsSupplierInvoices=Number of units on vendor invoices -NumberOfUnitsContracts=Number of units on contracts -EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. +NumberOfUnitsSupplierProposals=Anzahl von Einheiten in Lieferantenangeboten +NumberOfUnitsSupplierOrders=Anzahl von Einheiten in Lieferantenbestellungen +NumberOfUnitsSupplierInvoices=Anzahl von Einheiten in Lieferantenrechnungen +NumberOfUnitsContracts=Anzahl von Einheiten in Verträgen +EMailTextInterventionAddedContact=Ein neuer Serviceauftrag %s wurde Ihnen zugewiesen. EMailTextInterventionValidated=Serviceauftrag %s wurde freigegeben -EMailTextInvoiceValidated=Invoice %s has been validated. -EMailTextInvoicePayed=Invoice %s has been paid. +EMailTextInvoiceValidated=Rechnung %s wurde freigegeben. +EMailTextInvoicePayed=Rechnung %s wurde bezahlt. EMailTextProposalValidated=Proposal %s has been validated. EMailTextProposalClosedSigned=Proposal %s has been closed signed. EMailTextOrderValidated=Order %s has been validated. @@ -247,7 +248,7 @@ YourPasswordMustHaveAtLeastXChars=Ihr Passwort muss mindestens %s ALL products and services! +ProductVatMassChangeDesc=Dieses Tool aktualisiert den für ALLE Produkte und Dienstleistungen definierten Mehrwertsteuersatz! 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) +ProductAccountancySellIntraCode=Buchungscode (Verkauf innerhalb der Gemeinschaft) ProductAccountancySellExportCode=Kontierungscode (Verkauf Export) ProductOrService=Produkt oder Leistung ProductsAndServices=Produkte und Leistungen ProductsOrServices=Produkte oder Leistungen ProductsPipeServices=Produkte | Dienstleistungen -ProductsOnSale=Products for sale -ProductsOnPurchase=Products for purchase +ProductsOnSale=Produkte für den Verkauf +ProductsOnPurchase=Produkte für den Einkauf ProductsOnSaleOnly=Produkte nur für den Verkauf ProductsOnPurchaseOnly=Produkte nur für den Einkauf ProductsNotOnSell=Produkte weder für Einkauf, noch für Verkauf ProductsOnSellAndOnBuy=Produkte für Ein- und Verkauf -ServicesOnSale=Services for sale -ServicesOnPurchase=Services for purchase +ServicesOnSale=Leistungen für den Verkauf +ServicesOnPurchase=Leistungen für den Einkauf ServicesOnSaleOnly=Leistungen nur für den Verkauf ServicesOnPurchaseOnly=Leistungen nur für den Einkauf ServicesNotOnSell=Services weder für Ein- noch Verkauf @@ -48,7 +48,7 @@ CardProduct0=Produkt CardProduct1=Leistung Stock=Warenbestand MenuStocks=Lagerbestände -Stocks=Stocks and location (warehouse) of products +Stocks=Lagerbestände und Lagerort der Produkte Movements=Lagerbewegungen Sell=Verkaufen Buy=Kauf @@ -66,11 +66,11 @@ ProductStatusNotOnBuyShort=unbeziehbar UpdateVAT=Aktualisiere Steuer UpdateDefaultPrice=Aktualisiere Standard Preis UpdateLevelPrices=Preise für jede Ebene aktivieren -AppliedPricesFrom=Applied from +AppliedPricesFrom=Preise angewandt von SellingPrice=Verkaufspreis SellingPriceHT=Verkaufspreis (ohne Steuern) SellingPriceTTC=Verkaufspreis (inkl. USt.) -SellingMinPriceTTC=Minimum Selling price (inc. tax) +SellingMinPriceTTC=Mindest-Verkaufspreis (inkl. MwSt.) CostPriceDescription=This price field (excl. tax) can be used to store the average amount this product costs to your company. It may be any price you calculate yourself, for example from the average buying price plus average production and distribution cost. CostPriceUsage=Dieser Wert könnte für Margenberechnung genutzt werden. SoldAmount=Verkaufte Menge @@ -153,7 +153,7 @@ RowMaterial=Rohmaterial ConfirmCloneProduct=Möchten Sie das Produkt / die Leistung %s wirklich duplizieren? CloneContentProduct=Allgemeine Informationen des Produkts / der Leistung duplizieren ClonePricesProduct=Preise duplizieren -CloneCategoriesProduct=Clone tags/categories linked +CloneCategoriesProduct=Verknüpfte Tags / Kategorien duplizieren CloneCompositionProduct=Virtuelles Produkt / Service klonen CloneCombinationsProduct=Dupliziere Produkt-Variante ProductIsUsed=Produkt in Verwendung @@ -165,7 +165,7 @@ SuppliersPrices=Lieferanten Preise SuppliersPricesOfProductsOrServices=Herstellerpreise (von Produkten oder Dienstleistungen) CustomCode=Zolltarifnummer CountryOrigin=Urspungsland -Nature=Nature of produt (material/finished) +Nature=Produkttyp (Material / Fertig) ShortLabel=Kurzbezeichnung Unit=Einheit p=u. @@ -199,7 +199,7 @@ unitLM=Laufende Meter unitM2=Quadratmeter unitM3=Kubikmeter unitL=Liter -unitT=ton +unitT=Tonne unitKG=kg unitG=Gramm unitMG=mg @@ -210,7 +210,7 @@ unitDM=dm unitCM=cm unitMM=mm unitFT=ft -unitIN=in +unitIN=Zoll unitM2=Quadratmeter unitDM2=dm² unitCM2=cm² @@ -238,8 +238,8 @@ UseMultipriceRules=Use price segment rules (defined into product module setup) t 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=Examples: COL, SIZE -VariantLabelExample=Examples: Color, Size +VariantRefExample=Beispiele: COL, SIZE +VariantLabelExample=Beispiele: Farbe, Größe ### composition fabrication Build=Produzieren ProductsMultiPrice=Produkte und Preise für jedes Preissegment @@ -291,7 +291,7 @@ AddVariable=Variable hinzufügen AddUpdater=Updater hinzufügen GlobalVariables=Globale Variablen VariableToUpdate=Variable, die aktualisiert wird -GlobalVariableUpdaters=External updaters for variables +GlobalVariableUpdaters=Externe Updater für Variablen GlobalVariableUpdaterType0=JSON Daten GlobalVariableUpdaterHelp0=Analysiert JSON-Daten von angegebener URL, VALUE gibt den Speicherort des entsprechenden Wertes, GlobalVariableUpdaterHelpFormat0=Format für Anfrage {"URL": "http://example.com/urlofjson", "VALUE": "array1, array2, targetvalue"} @@ -317,9 +317,9 @@ ProductWeight=Gewicht für ein Produkt ProductVolume=Volumen für 1 Produkt WeightUnits=Einheit Gewicht VolumeUnits=Einheit Volumen -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit +WidthUnits=Breiteneinheit +LengthUnits=Längeneinheit +HeightUnits=Höheneinheit SurfaceUnits=Flächeneinheit SizeUnits=Einheit Größe DeleteProductBuyPrice=Einkaufspreis löschen @@ -329,8 +329,8 @@ ProductSheet=Datenblatt ServiceSheet=Wartungsblatt PossibleValues=Mögliche Werte GoOnMenuToCreateVairants=Rufen Sie das Menü %s - %s auf, um Attributvarianten (wie Farben, Größe, ...) vorzubereiten. -UseProductFournDesc=Add a feature to define the descriptions of products defined by the vendors in addition to descriptions for customers -ProductSupplierDescription=Vendor description for the product +UseProductFournDesc=Fügen Sie eine Funktion hinzu, um die Beschreibungen der von den Anbietern definierten Produkte zusätzlich zu den Beschreibungen für Kunden zu definieren +ProductSupplierDescription=Lieferantenbeschreibung für das Produkt #Attributes VariantAttributes=Variante Attribute ProductAttributes=Attribute der Varianten für Produkte @@ -362,8 +362,8 @@ DoNotRemovePreviousCombinations=Löschen Sie nicht vorhandene Varianten UsePercentageVariations=Verwende die prozentuale Veränderung PercentageVariation=Prozentuale Abweichung ErrorDeletingGeneratedProducts=Es gab einen Fehler, während Produkt Varianten entfernt wurden -NbOfDifferentValues=No. of different values -NbProducts=No. of products +NbOfDifferentValues=Anzahl unterschiedlicher Werte +NbProducts=Anzahl Produkte ParentProduct=Übergeordnetes Produkt HideChildProducts=Produktvarianten ausblenden ShowChildProducts=Variantenprodukte anzeigen @@ -373,6 +373,6 @@ CloneDestinationReference=Empfangsort Nr. ErrorCopyProductCombinations=Es gab einen Fehler, während Produkt Varianten kopiert wurden ErrorDestinationProductNotFound=Zielprodukt nicht gefunden ErrorProductCombinationNotFound=Produktvariante nicht gefunden -ActionAvailableOnVariantProductOnly=Action only available on the variant of product -ProductsPricePerCustomer=Product prices per customers -ProductSupplierExtraFields=Additional Attributes (Supplier Prices) +ActionAvailableOnVariantProductOnly=Aktion nur für die Produktvariante verfügbar +ProductsPricePerCustomer=Produktpreise pro Kunde +ProductSupplierExtraFields=Zusätzliche Attribute (Lieferantenpreise) diff --git a/htdocs/langs/de_DE/projects.lang b/htdocs/langs/de_DE/projects.lang index d677f1a48ca..31e289052a9 100644 --- a/htdocs/langs/de_DE/projects.lang +++ b/htdocs/langs/de_DE/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=meine Projekte - Übersicht DurationEffective=Effektivdauer ProgressDeclared=Angegebener Fortschritt TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Kalkulierter Fortschritt @@ -249,9 +249,13 @@ TimeSpentForInvoice=Zeitaufwände OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Neue Rechnung +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/de_DE/propal.lang b/htdocs/langs/de_DE/propal.lang index da1f31182c0..9a9957dc6d3 100644 --- a/htdocs/langs/de_DE/propal.lang +++ b/htdocs/langs/de_DE/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Zeige Angebot PropalsDraft=Entwürfe PropalsOpened=geöffnet PropalStatusDraft=Entwurf (freizugeben) -PropalStatusValidated=Freigegeben (Angebot wieder geöffnet) +PropalStatusValidated=Freigegeben (Angebot ist offen) PropalStatusSigned=Unterzeichnet (ist zu verrechnen) PropalStatusNotSigned=Nicht unterzeichnet (geschlossen) PropalStatusBilled=Verrechnet @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Kontakt für Kundenrechnungen TypeContact_propal_external_CUSTOMER=Kundenkontakt für Angebot TypeContact_propal_external_SHIPPING=Kundenkontakt für Lieferung # Document models -DocModelAzurDescription=Eine vollständige Angebotsvorlage (Logo, uwm.) -DocModelCyanDescription=Eine vollständige Angebotsvorlage (Logo, uwm.) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Erstellung Standardvorlage DefaultModelPropalToBill=Standard-Template, wenn Sie ein Angebot schließen wollen (zur Verrechung) DefaultModelPropalClosed=Standard Schablone wenn sie ein Geschäftsangebot schließen wollen. (ohne Rechnung) ProposalCustomerSignature=Bei Beauftragung: Name in Klarschrift, Ort, Datum, Unterschrift ProposalsStatisticsSuppliers=Statistik Lieferantenanfragen +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/de_DE/stocks.lang b/htdocs/langs/de_DE/stocks.lang index 0d81ef42905..6da1c01416d 100644 --- a/htdocs/langs/de_DE/stocks.lang +++ b/htdocs/langs/de_DE/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Bewegungs- oder Bestandscode IsInPackage=In Paket enthalten WarehouseAllowNegativeTransfer=Bestand kann negativ sein qtyToTranferIsNotEnough=Sie verfügen über nicht genügend Lagerbestand im Ursprungslager und negative Lagerbestände sind im Setup nicht erlaubt. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Zeige Lager MovementCorrectStock=Lagerkorrektur für Produkt %s MovementTransferStock=Umlagerung des Produkt %s in ein anderes Lager @@ -192,6 +193,7 @@ TheoricalQty=Sollmenge TheoricalValue=Sollmenge LastPA=Letzer Einstandpreis CurrentPA=Aktueller Einstandspreis +RecordedQty=Recorded Qty RealQty=Echte Menge RealValue=Echter Wert RegulatedQty=Gebuchte Menge diff --git a/htdocs/langs/el_CY/main.lang b/htdocs/langs/el_CY/main.lang index 9443c7b9b5a..2e691473326 100644 --- a/htdocs/langs/el_CY/main.lang +++ b/htdocs/langs/el_CY/main.lang @@ -19,4 +19,3 @@ 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 -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/el_GR/accountancy.lang b/htdocs/langs/el_GR/accountancy.lang index 55f7ee2a744..ba233c35d65 100644 --- a/htdocs/langs/el_GR/accountancy.lang +++ b/htdocs/langs/el_GR/accountancy.lang @@ -167,14 +167,14 @@ ACCOUNTING_ACCOUNT_SUSPENSE=Λογαριασμός λογιστικής αναμ DONATION_ACCOUNTINGACCOUNT=Λογαριασμός λογιστικής για την εγγραφή δωρεών ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Λογαριασμός λογιστικής για την εγγραφή συνδρομών -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Accounting account by default for the bought products (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Λογαριασμός λογιστικής από προεπιλογή για τα αγορασμένα προϊόντα (χρησιμοποιείται αν δεν ορίζεται στο φύλλο προϊόντων) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Λογαριασμός λογαριασμού από προεπιλογή για τα προϊόντα που πωλούνται (χρησιμοποιείται αν δεν ορίζεται στο φύλλο προϊόντος) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Accounting account by default for the products sold in EEC (used if not defined in the product sheet) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Accounting account by default for the products sold and exported out of EEC (used if not defined in the product sheet) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Λογαριασμός λογιστικής από προεπιλογή για τα προϊόντα που πωλούνται στην ΕΟΚ (χρησιμοποιείται αν δεν ορίζεται στο φύλλο προϊόντων) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Λογαριασμός λογαριασμού από προεπιλογή για τα προϊόντα που πωλούνται και εξάγονται εκτός ΕΟΚ (χρησιμοποιείται αν δεν ορίζεται στο φύλλο προϊόντων) ACCOUNTING_SERVICE_BUY_ACCOUNT=Λογαριασμός λογαριασμού από προεπιλογή για τις υπηρεσίες που αγοράσατε (χρησιμοποιείται αν δεν ορίζεται στο φύλλο εξυπηρέτησης) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Λογαριασμός λογαριασμού από προεπιλογή για τις υπηρεσίες πώλησης (χρησιμοποιείται αν δεν ορίζεται στο φύλλο εξυπηρέτησης) -ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Accounting account by default for the services sold in EEC (used if not defined in the service sheet) -ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Accounting account by default for the services sold and exported out of EEC (used if not defined in the service sheet) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Λογαριασμός λογαριασμού από προεπιλογή για τις υπηρεσίες που πωλούνται στην ΕΟΚ (χρησιμοποιείται αν δεν ορίζεται στο φύλλο υπηρεσιών) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Λογαριασμός λογαριασμού από προεπιλογή για τις υπηρεσίες που πωλούνται και εξάγονται εκτός ΕΟΚ (χρησιμοποιείται αν δεν ορίζεται στο φύλλο υπηρεσιών) Doctype=Τύπος εγγράφου Docdate=Ημερομηνία @@ -197,10 +197,10 @@ ByPersonalizedAccountGroups=Με εξατομικευμένες ομάδες ByYear=Με χρόνια NotMatch=Δεν έχει οριστεί DeleteMvt=Διαγραφή γραμμών Ledger -DelMonth=Month to delete +DelMonth=Μήνας προς διαγραφή DelYear=Έτος προς διαγραφή DelJournal=Ημερολόγιο προς διαγραφή -ConfirmDeleteMvt=This will delete all lines of the Ledger for the year/month and/or from a specific journal (At least one criterion is required). You will have to reuse the feature 'Registration in accounting' to have the deleted record back in the ledger. +ConfirmDeleteMvt=Αυτό θα διαγράψει όλες τις γραμμές του Ημερολογίου Λογιστικής για το έτος / μήνα ή / και από μία συγκεκριμένη περίοδο (Απαιτείται τουλάχιστον ένα κριτήριο). Θα χρειαστεί να επαναχρησιμοποιήσετε τη λειτουργία "Εγγραφή στη λογιστική" για να έχετε το διαγραμμένο αρχείο πίσω στο ημερολόγιο. ConfirmDeleteMvtPartial=Αυτό θα διαγράψει τη συναλλαγή από το Ledger (όλες οι γραμμές που σχετίζονται με την ίδια συναλλαγή θα διαγραφούν) FinanceJournal=Ημερολόγιο οικονομικών ExpenseReportsJournal=Έκθεση εκθέσεων δαπανών @@ -224,6 +224,7 @@ ListAccounts=Λίστα των λογιστικών λογαριασμών UnknownAccountForThirdparty=Άγνωστο λογαριασμό τρίτων. Θα χρησιμοποιήσουμε %s UnknownAccountForThirdpartyBlocking=Άγνωστο λογαριασμό τρίτων. Σφάλμα αποκλεισμού ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Ο λογαριασμός τρίτου μέρους δεν έχει οριστεί ή είναι άγνωστος τρίτος. Θα χρησιμοποιήσουμε %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Άγνωστο το Tρίτο-Mέρος και λογαριασμός Καθολικού Ημερολογίου δεν έχει οριστεί για την πληρωμή. Θα διατηρήσουμε κενή την τιμή του λογαριασμού. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Ο λογαριασμός τρίτου μέρους δεν έχει οριστεί ή είναι άγνωστος τρίτος. Σφάλμα αποκλεισμού. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Ο λογαριασμός λογαριασμού τρίτου μέρους και ο λογαριασμός αναμονής δεν έχουν οριστεί. Σφάλμα αποκλεισμού PaymentsNotLinkedToProduct=Πληρωμή που δεν συνδέεται με κανένα προϊόν / υπηρεσία @@ -241,7 +242,7 @@ DescVentilDoneCustomer=Συμβουλευτείτε εδώ τον κατάλογ DescVentilTodoCustomer=Δεσμεύστε τις γραμμές τιμολογίου που δεν έχουν ήδη συνδεθεί με έναν λογαριασμό λογιστικής προϊόντος ChangeAccount=Αλλάξτε το λογαριασμό λογιστικής προϊόντος / υπηρεσίας για επιλεγμένες γραμμές με τον ακόλουθο λογαριασμό λογιστικής: Vide=- -DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account (only record not already transfered in accountancy are visible) +DescVentilSupplier=Συμβουλευτείτε εδώ τη λίστα των γραμμών τιμολογίου προμηθευτή που δεσμεύονται ή δεν έχουν ακόμη συνδεθεί με έναν λογαριασμό λογιστικής προϊόντος (εμφανίζονται μόνο εγγραφές που δεν έχουν ήδη μεταφερθεί στη λογιστική) DescVentilDoneSupplier=Συμβουλευτείτε εδώ τον κατάλογο των γραμμών των τιμολογίων προμηθευτών και του λογαριασμού τους DescVentilTodoExpenseReport=Γραμμές αναφοράς δεσμευμένων δαπανών που δεν έχουν ήδη συνδεθεί με λογαριασμό λογιστικής αμοιβής DescVentilExpenseReport=Συμβουλευτείτε εδώ τον κατάλογο των γραμμών αναφοράς δαπανών που δεσμεύονται (ή όχι) σε λογαριασμό λογιστικής αμοιβής diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang index 23983b1b77b..71c91b3f892 100644 --- a/htdocs/langs/el_GR/admin.lang +++ b/htdocs/langs/el_GR/admin.lang @@ -264,7 +264,7 @@ SpaceX=Διάστημα Χ SpaceY=Χώρος Y FontSize=Μέγεθος γραμματοσειράς Content=Περιεχόμενο -NoticePeriod=Notice period +NoticePeriod=Περίοδος ειδοποίησης NewByMonth=Νέο μήνα Emails=Ηλεκτρονικά μηνύματα EMailsSetup=Ρύθμιση ηλεκτρονικού ταχυδρομείου @@ -514,12 +514,12 @@ Module22Name=Μαζικές αποστολές ηλεκτρονικού ταχυ Module22Desc=Διαχείριση μαζικού μηνύματος ηλεκτρονικού ταχυδρομείου Module23Name=Ενέργεια Module23Desc=Παρακολούθηση κατανάλωσης ενέργειας -Module25Name=Παραγγελίες πωλήσεων -Module25Desc=Διαχείριση παραγγελιών πωλήσεων +Module25Name=Πωλήσεις Παραγγελίες +Module25Desc=Διαχείριση Παραγγελιών Πωλήσεων Module30Name=Τιμολόγια Module30Desc=Διαχείριση τιμολογίων και πιστωτικών σημειώσεων για πελάτες. Διαχείριση τιμολογίων και πιστωτικών σημειώσεων για προμηθευτές Module40Name=Προμηθευτές -Module40Desc=Προμηθευτές και διαχείριση αγοράς (εντολές αγοράς και χρέωση) +Module40Desc=Προμηθευτές και διαχείριση αγοράς (εντολές αγοράς και τιμολογίων προμηθευτών) Module42Name=Αρχεία καταγραφής εντοπισμού σφαλμάτων Module42Desc=Εγκαταστάσεις καταγραφής (αρχείο, syslog, ...). Αυτά τα αρχεία καταγραφής είναι για τεχνικούς / εντοπισμό σφαλμάτων. Module49Name=Επεξεργαστές κειμένου @@ -532,20 +532,20 @@ Module52Name=Αποθέματα Module52Desc=ΔΙΑΧΕΙΡΙΣΗ ΑΠΟΘΕΜΑΤΩΝ Module53Name=Υπηρεσίες Module53Desc=Διαχείριση Υπηρεσιών -Module54Name=Συμβάσεις/Συνδρομές +Module54Name=Συμβόλαια / Συνδρομές Module54Desc=Διαχείριση συμβολαίων (υπηρεσίες ή επαναλαμβανόμενες συνδρομές) Module55Name=Barcodes Module55Desc=Διαχείριση barcode Module56Name=Τηλεφωνία -Module56Desc=Telephony integration +Module56Desc= Ενσωμάτωση τηλεφωνίας Module57Name=Πληρωμές με χρεώσεις της Τράπεζας Direct Module57Desc=Διαχείριση εντολών πληρωμής άμεσης χρέωσης. Περιλαμβάνει τη δημιουργία αρχείου SEPA για τις ευρωπαϊκές χώρες. Module58Name=ClickToDial Module58Desc=Ενοποίηση ενός συστήματος ClickToDial (Asterisk, ...) Module59Name=Bookmark4u Module59Desc=Προσθήκη λειτουργίας για την δημιουργία λογαριασμού Bookmark4u από ένα λογαριασμό Dolibarr -Module70Name=Interventions -Module70Desc=Intervention management +Module70Name=Παρεμβάσεις +Module70Desc=Διαχείριση παρεμβάσεων Module75Name=Σημειώσεις εξόδων και ταξιδιών Module75Desc=Διαχείριση σημειώσεων εξόδων και ταξιδιών Module80Name=Αποστολές @@ -561,9 +561,9 @@ Module200Desc=Συγχρονισμού καταλόγου LDAP Module210Name=PostNuke Module210Desc=Διεπαφή PostNuke Module240Name=Εξαγωγές δεδομένων -Module240Desc=Εργαλείο για την εξαγωγή δεδομένων του Dolibarr (με βοήθεια) +Module240Desc=Εργαλείο εξαγωγής δεδομένων Dolibarr (με βοήθεια) Module250Name=Εισαγωγές δεδομένων -Module250Desc=Εργαλείο εισαγωγής δεδομένων σε Dolibarr (με βοηθούς) +Module250Desc=Εργαλείο εισαγωγής δεδομένων στο Dolibarr (με βοήθεια) Module310Name=Μέλη Module310Desc=Διαχείριση μελών οργανισμού Module320Name=RSS Feed @@ -586,13 +586,13 @@ Module600Long=Σημειώστε ότι αυτή η ενότητα στέλνε Module610Name=Παραλλαγές προϊόντων Module610Desc=Δημιουργία παραλλαγών προϊόντων (χρώμα, μέγεθος κλπ.) Module700Name=Δωρεές -Module700Desc=Donation management +Module700Desc=Διαχείριση δωρεάς Module770Name=Αναφορές εξόδων Module770Desc=Διαχειριστείτε τις δηλώσεις δαπανών (μεταφορά, γεύμα, ...) Module1120Name=Προτάσεις εμπορικών πωλητών Module1120Desc=Ζητήστε από τον πωλητή την εμπορική πρόταση και τις τιμές Module1200Name=Mantis -Module1200Desc=Mantis integration +Module1200Desc=Ενσωμάτωση της Mantis Module1520Name=Δημιουργία εγγράφων Module1520Desc=Δημιουργία γενικού εγγράφου ηλεκτρονικού ταχυδρομείου Module1780Name=Ετικέτες/Κατηγορίες @@ -652,79 +652,79 @@ Module55000Name=Δημοσκόπηση, έρευνα ή ψηφοφορία Module55000Desc=Δημιουργήστε online δημοσκοπήσεις, έρευνες ή ψηφοφορίες (όπως Doodle, Studs, RDVz κ.λπ. ...) Module59000Name=Περιθώρια Module59000Desc=Πρόσθετο για την διαχείριση των περιθωρίων -Module60000Name=Commissions -Module60000Desc=Module to manage commissions +Module60000Name=Προμήθειες +Module60000Desc=Ένθεμα για τη διαχείριση των προμηθειών Module62000Name=Διεθνείς Εμπορικοί Όροι Module62000Desc=Προσθέστε λειτουργίες για τη διαχείριση των Incoterms Module63000Name=Πόροι Module63000Desc=Διαχειριστείτε τους πόρους (εκτυπωτές, αυτοκίνητα, δωμάτια, ...) για την εκχώρηση σε εκδηλώσεις -Permission11=Read customer invoices -Permission12=Create/modify customer invoices -Permission13=Unvalidate customer invoices -Permission14=Validate customer invoices -Permission15=Send customer invoices by email -Permission16=Create payments for customer invoices +Permission11=Διαβάστε τιμολόγια πελατών +Permission12=Δημιουργία / τροποποίηση τιμολογίων πελατών +Permission13=Μη επικυρωμένα τιμολόγια πελάτη +Permission14=Επικύρωση τιμολογίων πελατών +Permission15=Αποστολή τιμολογίων πελατών μέσω ηλεκτρονικού ταχυδρομείου +Permission16=Δημιουργία πληρωμών για τιμολόγια πελατών Permission19=Διαγραφή τιμολογίων -Permission21=Read commercial proposals -Permission22=Create/modify commercial proposals -Permission24=Validate commercial proposals -Permission25=Send commercial proposals -Permission26=Close commercial proposals -Permission27=Delete commercial proposals -Permission28=Export commercial proposals -Permission31=Read products -Permission32=Create/modify products -Permission34=Delete products -Permission36=See/manage hidden products -Permission38=Export products +Permission21=Διαβάστε εμπορικές προτάσεις +Permission22=Δημιουργία / τροποποίηση εμπορικών προτάσεων +Permission24=Επικύρωση εμπορικών προτάσεων +Permission25=Αποστολή εμπορικών προτάσεων +Permission26=Κλείσιμο εμπορικών προτάσεων +Permission27=Διαγραφή εμπορικών προτάσεων +Permission28=Εξαγωγή εμπορικών προτάσεων +Permission31=Διαβάστε τα προϊόντα +Permission32=Δημιουργία / τροποποίηση προϊόντων +Permission34=Διαγραφή προϊόντων +Permission36=Δείτε / διαχειριστείτε κρυφά προϊόντα +Permission38=Εξαγωγή προϊόντων Permission41=Διαβάστε τα έργα και τα καθήκοντα (κοινό σχέδιο και έργα για τα οποία είμαι υπεύθυνος). Μπορεί επίσης να εισάγει χρόνο που καταναλώνεται, για μένα ή για την ιεραρχία μου, σε εκχωρημένες εργασίες (Timesheet) Permission42=Δημιουργία / τροποποίηση έργων (κοινό έργο και έργα για τα οποία έχω επικοινωνία). Μπορεί επίσης να δημιουργήσει εργασίες και να εκχωρήσει τους χρήστες σε έργα και εργασίες Permission44=Διαγραφή έργων (κοινό έργο και έργα για τα οποία είμαι υπεύθυνος) Permission45=Εξαγωγή έργων -Permission61=Read interventions -Permission62=Create/modify interventions -Permission64=Delete interventions -Permission67=Export interventions -Permission71=Read members -Permission72=Create/modify members -Permission74=Delete members +Permission61=Διαβάστε τις παρεμβάσεις +Permission62=Δημιουργία / τροποποίηση παρεμβάσεων +Permission64=Διαγραφή παρεμβάσεων +Permission67=Εξαγωγή παρεμβάσεων +Permission71=Διάβασμα μελών +Permission72=Δημιουργία / τροποποίηση μελών +Permission74=Διαγραφή μελών Permission75=Ρύθμιση τύπου για την ιδιότητα του μέλους Permission76=Εξαγωγή δεδομένων -Permission78=Read subscriptions -Permission79=Create/modify subscriptions -Permission81=Read customers orders -Permission82=Create/modify customers orders -Permission84=Validate customers orders -Permission86=Send customers orders -Permission87=Close customers orders -Permission88=Cancel customers orders -Permission89=Delete customers orders +Permission78=Διάβασμα συνδρομών +Permission79=Δημιουργία / τροποποίηση συνδρομών +Permission81=Διάβασμα παραγγελιών πελατών +Permission82=Δημιουργία / τροποποίηση παραγγελιών πελατών +Permission84=Επικύρωση παραγγελιών πελατών +Permission86=Αποστολή παραγγελιών πελατών +Permission87=Κλείσιμο παραγγελιών πελατών +Permission88=Ακύρωση παραγγελιών πελατών +Permission89=Διαγραφή παραγγελιών πελατών Permission91=Διαβάστε τους κοινωνικούς ή φορολογικούς φόρους και τις δεξαμενές Permission92=Δημιουργία / τροποποίηση κοινωνικών ή φορολογικών φόρων και δεξαμενή Permission93=Να διαγραφούν οι κοινωνικοί ή φορολογικοί φόροι και η δεξαμενή Permission94=Εξαγωγή κοινωνικών ή φορολογικών φόρων -Permission95=Read reports -Permission101=Read sendings -Permission102=Create/modify sendings -Permission104=Validate sendings -Permission106=Export sendings -Permission109=Delete sendings -Permission111=Read financial accounts -Permission112=Create/modify/delete and compare transactions +Permission95=Διάβασμα αναφορών +Permission101=Διάβασμα αποστολών +Permission102=Δημιουργία / τροποποίηση αποστολών +Permission104=Επικύρωση αποστολών +Permission106=Εξαγωγή αποστολών +Permission109=Διαγραφή αποστολών +Permission111=Διάβασμα οικονομικών λογαριασμών +Permission112=Δημιουργία / τροποποίηση / διαγραφή και σύγκριση συναλλαγών Permission113=Εγκατάσταση χρηματοοικονομικών λογαριασμών (δημιουργία, διαχείριση κατηγοριών) Permission114=Συναλλαγή συναλλαγών -Permission115=Export transactions and account statements -Permission116=Transfers between accounts +Permission115=Εξαγωγή συναλλαγών και καταστάσεις λογαριασμών +Permission116=Μεταφορές μεταξύ λογαριασμών Permission117=Διαχείριση διαχείρισης αποστολών -Permission121=Read third parties linked to user -Permission122=Create/modify third parties linked to user -Permission125=Delete third parties linked to user -Permission126=Export third parties +Permission121=Διάβασμα τρίτων μερών που συνδέονται με το χρήστη +Permission122=Δημιουργία / τροποποίηση τρίτων μερών συνδεδεμένων με το χρήστη +Permission125=Διαγραφή τρίτων μερών συνδεδεμένων με το χρήστη +Permission126=Εξαγωγή τρίτων μερών Permission141=Διαβάστε όλα τα έργα και τα καθήκοντα (επίσης ιδιωτικά έργα για τα οποία δεν είμαι επαφή) Permission142=Δημιουργία / τροποποίηση όλων των έργων και εργασιών (επίσης ιδιωτικά έργα για τα οποία δεν είμαι επαφή) Permission144=Διαγράψτε όλα τα έργα και τις εργασίες (επίσης ιδιωτικά έργα για τα οποία δεν έχω επικοινωνία) -Permission146=Read providers -Permission147=Read stats +Permission146=Διάβασμα παρόχων +Permission147=Διάβασμα στατιστικών στοιχείών Permission151=Ανάγνωση εντολών πληρωμής άμεσης χρέωσης Permission152=Δημιουργία / τροποποίηση εντολών πληρωμής άμεσης χρέωσης Permission153=Αποστολή / Αποστολή εντολών πληρωμής άμεσης χρέωσης @@ -740,7 +740,7 @@ Permission172=Δημιουργία/τροποποίηση ταξίδια και Permission173=Διαγραφή ταξιδιών και εξόδων Permission174=Διαβάστε όλα τα ταξίδια και τα έξοδα Permission178=Εξαγωγή ταξιδιών και εξόδων -Permission180=Read suppliers +Permission180=Διαβάστε προμηθευτές Permission181=Διαβάστε παραγγελίες αγοράς Permission182=Δημιουργία / τροποποίηση εντολών αγοράς Permission183=Επικύρωση εντολών αγοράς @@ -749,70 +749,70 @@ Permission185=Παραγγείλετε ή ακυρώσετε τις παραγγ Permission186=Παραλαβή εντολών αγοράς Permission187=Κλείσιμο παραγγελιών αγοράς Permission188=Ακύρωση εντολών αγοράς -Permission192=Create lines -Permission193=Cancel lines +Permission192=Δημιουργία γραμμών +Permission193=Ακύρωση γραμμών Permission194=Διαβάστε τις γραμμές εύρους ζώνης -Permission202=Create ADSL connections -Permission203=Order connections orders +Permission202=Δημιουργήστε συνδέσεις ADSL +Permission203=Παραγγείλετε εντολές σύνδεσης Permission204=Order connections -Permission205=Manage connections -Permission206=Read connections -Permission211=Read Telephony -Permission212=Order lines -Permission213=Activate line -Permission214=Setup Telephony -Permission215=Setup providers -Permission221=Read emailings -Permission222=Create/modify emailings (topic, recipients...) -Permission223=Validate emailings (allows sending) -Permission229=Delete emailings -Permission237=View recipients and info -Permission238=Manually send mailings -Permission239=Delete mailings after validation or sent -Permission241=Read categories -Permission242=Create/modify categories -Permission243=Delete categories -Permission244=See the contents of the hidden categories -Permission251=Read other users and groups -PermissionAdvanced251=Read other users -Permission252=Read permissions of other users +Permission205=Διαχείριση συνδέσεων +Permission206=Διαβάστε τις συνδέσεις +Permission211=Διαβάστε την τηλεφωνία +Permission212=Παραγγείλετε γραμμές +Permission213=Ενεργοποιήση γραμμής +Permission214=Εγκατάσταση τηλεφωνίας +Permission215=Εγκατάσταση παρόχου +Permission221=Διαβάστε μηνύματα ηλεκτρονικού ταχυδρομείου +Permission222=Δημιουργία / τροποποίηση μηνυμάτων ηλεκτρονκού ταχυδρομείου (θέμα, παραλήπτες ...) +Permission223=Επικύρωση μηνυμάτων ηλεκτρονκού ταχυδρομείου (επιτρέπει την αποστολή) +Permission229=Διαγραφή μηνυμάτων ηλεκτρονικού ταχυδρομείου +Permission237=Προβολή παραληπτών και πληροφοριών +Permission238=Χειροκίνητη αποστολή αλληλογραφίας +Permission239=Διαγραφή μηνυμάτων ηλεκτρονκού ταχυδρομείου μετά την επικύρωση ή την αποστολή +Permission241=Διαβάστε τις κατηγορίες +Permission242=Δημιουργία / τροποποίηση κατηγοριών +Permission243=Διαγραφή κατηγοριών +Permission244=Δείτε τα περιεχόμενα των κρυφών κατηγοριών +Permission251=Διαβάστε άλλους χρήστες και ομάδες +PermissionAdvanced251=Διαβάστε άλλους χρήστες +Permission252=Διαβάστε τα δικαιώματα άλλων χρηστών Permission253=Δημιουργία / τροποποίηση άλλων χρηστών, ομάδων και δικαιωμάτων -PermissionAdvanced253=Create/modify internal/external users and permissions -Permission254=Create/modify external users only -Permission255=Modify other users password -Permission256=Delete or disable other users +PermissionAdvanced253=Δημιουργία / τροποποίηση εσωτερικών / εξωτερικών χρηστών και αδειών +Permission254=Δημιουργία / τροποποίηση μόνο εξωτερικών χρηστών +Permission255=Τροποποιήστε τον κωδικό άλλων χρηστών +Permission256=Διαγράψτε ή απενεργοποιήστε άλλους χρήστες Permission262=Επέκταση της πρόσβασης σε όλους τους τρίτους (όχι μόνο τρίτα μέρη για τα οποία ο εν λόγω χρήστης είναι εκπρόσωπος πωλήσεων).
Δεν είναι αποτελεσματικό για τους εξωτερικούς χρήστες (που πάντα περιορίζονται στον εαυτό τους για προτάσεις, παραγγελίες, τιμολόγια, συμβάσεις κ.λπ.).
Δεν είναι αποτελεσματικό για τα έργα (μόνο κανόνες σχετικά με τα δικαιώματα των έργων, την προβολή και την ανάθεση εργασιών). Permission271=Read CA -Permission272=Read invoices -Permission273=Issue invoices +Permission272=Διαβάστε τιμολόγια +Permission273=Έκδοση τιμολογίων Permission281=Ανάγνωση επαφών Permission282=Δημιουργία/Επεξεργασία επαφών Permission283=Διαγραφή επαφών Permission286=Εξαγωγή επαφών -Permission291=Read tariffs -Permission292=Set permissions on the tariffs +Permission291=Διαβάστε τα δασμολόγια +Permission292=Ορίστε δικαιώματα σχετικά με τα δασμολόγια Permission293=Τροποποιήστε τα τιμολόγια του πελάτη Permission300=Διαβάστε τους γραμμωτούς κώδικες Permission301=Δημιουργία / τροποποίηση γραμμωτών κωδικών Permission302=Διαγραφή γραμμωτών κωδικών -Permission311=Read services +Permission311=Διαβάστε τις υπηρεσίες Permission312=Ανάθεση υπηρεσίας/συνδρομής σε συμβόλαιο -Permission331=Read bookmarks -Permission332=Create/modify bookmarks -Permission333=Delete bookmarks -Permission341=Read its own permissions -Permission342=Create/modify his own user information -Permission343=Modify his own password -Permission344=Modify its own permissions -Permission351=Read groups -Permission352=Read groups permissions -Permission353=Create/modify groups -Permission354=Delete or disable groups -Permission358=Export users -Permission401=Read discounts -Permission402=Create/modify discounts -Permission403=Validate discounts -Permission404=Delete discounts +Permission331=Διαβάστε σελιδοδείκτες +Permission332=Δημιουργία / τροποποίηση σελιδοδεικτών +Permission333=Διαγραφή σελιδοδεικτών +Permission341=Διαβάστε τις δικές του άδειες +Permission342=Δημιουργήστε / τροποποιήστε τις δικές του πληροφορίες χρηστών +Permission343=Τροποποιήστε τον δικό του κωδικό πρόσβασης +Permission344=Τροποποιήστε τα δικά του δικαιώματα +Permission351=Διαβάστε τις ομάδες +Permission352=Διαβάστε τα δικαιώματα ομάδας +Permission353=Δημιουργία / τροποποίηση ομάδων +Permission354=Διαγράψτε ή απενεργοποιήστε τις ομάδες +Permission358=Εξαγωγή χρηστών +Permission401=Διαβάστε τις εκπτώσεις +Permission402=Δημιουργία / τροποποίηση εκπτώσεων +Permission403=Επικύρωση εκπτώσεων +Permission404=Διαγραφή εκπτώσεων Permission430=Χρησιμοποιήστε τη γραμμή εντοπισμού σφαλμάτων Permission511=Διαβάστε τις πληρωμές των μισθών Permission512=Δημιουργία / τροποποίηση πληρωμών μισθών @@ -823,15 +823,15 @@ Permission522=Δημιουργία/μεταβολή δανείων Permission524=Διαγραφή δανείων Permission525=Πρόσβαση στον υπολογιστή δανείου Permission527=Εξαγωγή δανείων -Permission531=Read services -Permission532=Create/modify services -Permission534=Delete services -Permission536=See/manage hidden services -Permission538=Export services +Permission531=Διαβάστε τις υπηρεσίες +Permission532=Δημιουργία / τροποποίηση υπηρεσιών +Permission534=Διαγραφή υπηρεσιών +Permission536=Δείτε / διαχειριστείτε τις κρυφές υπηρεσίες +Permission538=Εξαγωγή υπηρεσιών Permission650=Διαβάστε τα Γραμμάτια Υλικών Permission651=Δημιουργία / Ενημέρωση τιμολογίων Permission652=Διαγραφή λογαριασμών -Permission701=Read donations +Permission701=Διαβάστε τις δωρεές Permission702=Δημιουργία / τροποποίηση δωρεές Permission703=Διαγραφή δωρεές Permission771=Διαβάστε τις αναφορές εξόδων (δικές σας και υφισταμένων) @@ -856,7 +856,7 @@ Permission1123=Επικυρώστε τις προτάσεις προμηθευτ Permission1124=Στείλτε προτάσεις προμηθευτών Permission1125=Διαγραφή προτάσεων προμηθευτών Permission1126=Κλείστε αιτήσεις τιμών προμηθευτή -Permission1181=Read suppliers +Permission1181=Διαβάστε προμηθευτές Permission1182=Διαβάστε παραγγελίες αγοράς Permission1183=Δημιουργία / τροποποίηση εντολών αγοράς Permission1184=Επικύρωση εντολών αγοράς @@ -865,8 +865,8 @@ Permission1186=Παραγγείλετε παραγγελίες αγοράς Permission1187=Αναγνώριση παραλαβής εντολών αγοράς Permission1188=Διαγραφή εντολών αγοράς Permission1190=Εγκρίνετε τις εντολές αγοράς (δεύτερη έγκριση) -Permission1201=Get result of an export -Permission1202=Create/Modify an export +Permission1201=Λάβετε αποτέλεσμα μιας εξαγωγής +Permission1202=Δημιουργία / Τροποποίηση εξαγωγής Permission1231=Διαβάστε τιμολόγια προμηθευτή Permission1232=Δημιουργία / τροποποίηση τιμολογίων προμηθευτή Permission1233=Επικύρωση τιμολογίων προμηθευτή @@ -874,23 +874,23 @@ Permission1234=Διαγραφή τιμολογίων προμηθευτή Permission1235=Αποστολή τιμολογίων προμηθευτή μέσω ηλεκτρονικού ταχυδρομείου Permission1236=Εξαγωγή τιμολογίων προμηθευτών, χαρακτηριστικών και πληρωμών Permission1237=Εξαγωγή εντολών αγοράς και των στοιχείων τους -Permission1251=Run mass imports of external data into database (data load) -Permission1321=Export customer invoices, attributes and payments +Permission1251=Εκτελέστε μαζικές εισαγωγές εξωτερικών δεδομένων σε βάση δεδομένων (φόρτωση δεδομένων) +Permission1321=Εξαγωγή τιμολογίων πελατών, χαρακτηριστικών και πληρωμών Permission1322=Ανοίξτε ξανά έναν πληρωμένο λογαριασμό Permission1421=Εξαγωγή παραγγελιών και χαρακτηριστικών πωλήσεων -Permission2401=Ανάγνωση ενεργειών (συμβάντων ή εργασιών) που συνδέονται με το λογαριασμό χρήστη του (εάν είναι κάτοχος του συμβάντος) +Permission2401=Ανάγνωση ενεργειών (συμβάντων ή εργασιών) που συνδέονται με το λογαριασμό χρήστη του (εάν είναι κάτοχος του συμβάντος ή απλώς έχει ανατεθεί) Permission2402=Δημιουργία / τροποποίηση ενεργειών (συμβάντων ή εργασιών) που συνδέονται με το λογαριασμό χρήστη του (εάν είναι κάτοχος του συμβάντος) Permission2403=Διαγραφή ενεργειών (συμβάντων ή εργασιών) που συνδέονται με το λογαριασμό χρήστη του (εάν είναι κάτοχος του συμβάντος) -Permission2411=Read actions (events or tasks) of others -Permission2412=Create/modify actions (events or tasks) of others -Permission2413=Delete actions (events or tasks) of others +Permission2411=Διαβάστε τις ενέργειες (συμβάντα ή εργασίες) άλλων +Permission2412=Δημιουργία / τροποποίηση ενεργειών (συμβάντων ή εργασιών) άλλων +Permission2413=Διαγραφή ενεργειών (συμβάντων ή εργασιών) άλλων Permission2414=Εξαγωγή ενεργειών / εργασιών άλλων -Permission2501=Read/Download documents -Permission2502=Download documents +Permission2501=Διάβασμα / λήψη εγγράφων +Permission2502=Λήψη εγγράφων Permission2503=Υποβολή ή να διαγράψετε τα έγγραφα -Permission2515=Setup documents directories -Permission2801=Use FTP client in read mode (browse and download only) -Permission2802=Use FTP client in write mode (delete or upload files) +Permission2515=Ρύθμιση καταλόγων εγγράφων +Permission2801=Χρησιμοποίησε FTP πελάτη σε λειτουργία ανάγνωσης (περιήγηση και λήψη μόνο) +Permission2802=Χρησιμοποίησε FTP πελάτη σε λειτουργία εγγραφής (διαγραφή ή μεταφόρτωση αρχείων) Permission3200=Διαβάστε αρχειακά συμβάντα και δακτυλικά αποτυπώματα Permission4001=Δείτε τους υπαλλήλους Permission4002=Δημιουργήστε υπαλλήλους @@ -986,36 +986,36 @@ VATIsUsedExampleFR=Στη Γαλλία, σημαίνει ότι οι εταιρ VATIsNotUsedExampleFR=Στη Γαλλία, δηλώνονται ενώσεις που δεν έχουν δηλωθεί ως φόρος πωλήσεων ή εταιρείες, οργανώσεις ή ελεύθερα επαγγέλματα που επέλεξαν το φορολογικό σύστημα των μικροεπιχειρήσεων (Φόρος πωλήσεων σε franchise) και κατέβαλαν φόρο επί των πωλήσεων χωρίς καμία δήλωση φόρου επί των πωλήσεων. Αυτή η επιλογή θα εμφανίζει στα τιμολόγια την αναφορά "Μη εφαρμοστέος φόρος πωλήσεων - art-293B του CGI". ##### Local Taxes ##### LTRate=Τιμή -LocalTax1IsNotUsed=Do not use second tax +LocalTax1IsNotUsed=Μην χρησιμοποιείτε δεύτερο φόρο LocalTax1IsUsedDesc=Χρησιμοποιήστε έναν δεύτερο τύπο φόρου (εκτός από τον πρώτο) LocalTax1IsNotUsedDesc=Μην χρησιμοποιείτε άλλο είδος φόρου (εκτός από τον πρώτο) -LocalTax1Management=Second type of tax +LocalTax1Management=Δεύτερο είδος φόρου LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Do not use third tax +LocalTax2IsNotUsed=Μην χρησιμοποιείτε τρίτους φόρους LocalTax2IsUsedDesc=Χρησιμοποιήστε έναν τρίτο τύπο φόρου (εκτός από τον πρώτο) LocalTax2IsNotUsedDesc=Μην χρησιμοποιείτε άλλο είδος φόρου (εκτός από τον πρώτο) -LocalTax2Management=Third type of tax +LocalTax2Management=Τρίτος τύπος φόρου LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES=RE Management LocalTax1IsUsedDescES=Η τιμή του RE από προεπιλογή κατά τη δημιουργία προοπτικών, τιμολογίων, παραγγελιών κ.λπ. ακολουθεί τον ισχύοντα κανόνα:
Αν ο αγοραστής δεν υποβληθεί σε RE, η τιμή RE είναι προεπιλεγμένη = 0. Τέλος κανόνα.
Αν ο αγοραστής υποβληθεί σε RE τότε το RE από προεπιλογή. Τέλος κανόνα.
-LocalTax1IsNotUsedDescES=By default the proposed RE is 0. End of rule. +LocalTax1IsNotUsedDescES=Από προεπιλογή, το προτεινόμενο RE είναι 0. Τέλος κανόνα. LocalTax1IsUsedExampleES=In Spain they are professionals subject to some specific sections of the Spanish IAE. LocalTax1IsNotUsedExampleES=In Spain they are professional and societies and subject to certain sections of the Spanish IAE. LocalTax2ManagementES=IRPF Management LocalTax2IsUsedDescES=Το ποσοστό IRPF από προεπιλογή κατά τη δημιουργία προοπτικών, τιμολογίων, παραγγελιών κ.λπ. ακολουθεί τον ενεργό κανόνα αναφοράς:
Εάν ο πωλητής δεν υποβληθεί σε IRPF, τότε το IRPF είναι προεπιλεγμένο = 0. Τέλος κανόνα.
Αν ο πωλητής υποβληθεί στο IRPF, τότε το IRPF έχει προεπιλεγεί. Τέλος κανόνα.
-LocalTax2IsNotUsedDescES=By default the proposed IRPF is 0. End of rule. +LocalTax2IsNotUsedDescES=Από προεπιλογή, το προτεινόμενο IRPF είναι 0. Τέλος κανόνα. LocalTax2IsUsedExampleES=In Spain, freelancers and independent professionals who provide services and companies who have chosen the tax system of modules. LocalTax2IsNotUsedExampleES=Στην Ισπανία είναι επιχειρήσεις που δεν υπόκεινται σε φορολογικό σύστημα ενοτήτων. CalcLocaltax=Αναφορές για τοπικούς φόρους CalcLocaltax1=Πωλήσεις - Αγορές -CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases +CalcLocaltax1Desc=Οι αναφορές τοπικών φόρων υπολογίζονται με τη διαφορά μεταξύ τοπικών πωλήσεων και τοπικών αγορών CalcLocaltax2=Αγορές -CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases +CalcLocaltax2Desc=Οι αναφορές τοπικών φόρων είναι το σύνολο των τοπικών αγορών CalcLocaltax3=Πωλήσεις -CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales -LabelUsedByDefault=Label used by default if no translation can be found for code +CalcLocaltax3Desc=Οι αναφορές τοπικών φόρων είναι το σύνολο των τοπικών πωλήσεων +LabelUsedByDefault=Ετικέτα που χρησιμοποιείται από προεπιλογή εάν δεν υπάρχει μετάφραση για τον κώδικα LabelOnDocuments=Ετικέτα στα έγγραφα LabelOrTranslationKey=Κλειδί ετικέτας ή μετάφρασης ValueOfConstantKey=Τιμή σταθεράς @@ -1033,7 +1033,7 @@ DataRootServer=Φάκελος Εγγράφων IP=IP Port=Θύρα VirtualServerName=Virtual server name -OS=Λ.Σ. +OS=OS PhpWebLink=Web-Php link Server=Server Database=Βάση Δεδομένων @@ -1048,7 +1048,7 @@ NbOfRecord=Αριθ. Εγγραφών Host=Διακομιστής DriverType=Driver type SummarySystem=Σύνοψη πληροφοριών συστήματος -SummaryConst=List of all Dolibarr setup parameters +SummaryConst=Λίστα όλων των παραμέτρων ρύθμισης Dolibarr MenuCompanySetup=Εταιρεία / Οργανισμός DefaultMenuManager= Τυπικός διαχειριστής μενού DefaultMenuSmartphoneManager=Διαχειριστής μενού Smartphone @@ -1061,7 +1061,7 @@ MessageOfDay=Μήνυμα της ημέρας MessageLogin=Μήνυμα σελίδας εισόδου LoginPage=Σελίδα σύνδεσης BackgroundImageLogin=Εικόνα φόντου -PermanentLeftSearchForm=Permanent search form on left menu +PermanentLeftSearchForm=Μόνιμη φόρμα αναζήτησης στο αριστερό μενού DefaultLanguage=Προεπιλεγμένη γλώσσα EnableMultilangInterface=Ενεργοποιήστε την πολυγλωσσική υποστήριξη EnableShowLogo=Εμφανίστε το λογότυπο της εταιρείας στο μενού @@ -1102,7 +1102,7 @@ Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Εκκρεμούσα συμφιλί Delays_MAIN_DELAY_MEMBERS=Καθυστερημένη συνδρομή μέλους Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Ελέγξτε ότι η κατάθεση δεν έγινε Delays_MAIN_DELAY_EXPENSEREPORTS=Έκθεση εξόδων για έγκριση -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve +Delays_MAIN_DELAY_HOLIDAYS=Αφήστε τα αιτήματα για έγκριση SetupDescription1=Πριν ξεκινήσετε τη χρήση του Dolibarr πρέπει να οριστούν ορισμένες αρχικές παράμετροι και να ενεργοποιηθούν / διαμορφωθούν οι ενότητες. SetupDescription2=Οι ακόλουθες δύο ενότητες είναι υποχρεωτικές (οι δύο πρώτες καταχωρίσεις στο μενού Ρύθμιση): SetupDescription3=%s -> %s
Βασικές παράμετροι που χρησιμοποιούνται για την προσαρμογή της προεπιλεγμένης συμπεριφοράς της εφαρμογής σας (π.χ. για λειτουργίες που σχετίζονται με τη χώρα). @@ -1112,26 +1112,26 @@ LogEvents=Security audit events Audit=Ιστορικό εισόδου χρηστών InfoDolibarr=Πληροφορίες Dolibarr InfoBrowser=Πληροφορίες Φυλλομετρητή -InfoOS=Πληροφορίες ΛΣ +InfoOS=Πληροφορίες OS InfoWebServer=Πληροφορίες Web Server InfoDatabase=Πληροφορίες Συστήματος ΒΔ InfoPHP=Πληροφορίες PHP InfoPerf=Πληροφορίες επιδόσεων BrowserName=Όνομα φυλλομετρητή BrowserOS=Λειτουργικό σύστημα φυλλομετρητή -ListOfSecurityEvents=List of Dolibarr security events +ListOfSecurityEvents=Λίστα συμβάντων ασφαλείας Dolibarr SecurityEventsPurged=Συμβάντα ασφαλείας εξαγνίζονται LogEventDesc=Ενεργοποιήστε την καταγραφή για συγκεκριμένα συμβάντα ασφαλείας. Οι διαχειριστές μέσω του μενού %s - %s . Προειδοποίηση, αυτή η δυνατότητα μπορεί να δημιουργήσει ένα μεγάλο όγκο δεδομένων στη βάση δεδομένων. AreaForAdminOnly=Οι παράμετροι εγκατάστασης μπορούν να οριστούν μόνο από χρήστες διαχειριστή . -SystemInfoDesc=System information is miscellaneous technical information you get in read only mode and visible for administrators only. +SystemInfoDesc=Οι πληροφορίες συστήματος είναι διάφορες τεχνικές πληροφορίες που λαμβάνετε μόνο στη λειτουργία ανάγνωσης και είναι ορατές μόνο για τους διαχειριστές. SystemAreaForAdminOnly=Αυτή η περιοχή είναι διαθέσιμη μόνο σε χρήστες διαχειριστή. Τα δικαιώματα χρήστη Dolibarr δεν μπορούν να αλλάξουν αυτόν τον περιορισμό. CompanyFundationDesc=Επεξεργαστείτε τις πληροφορίες της εταιρείας / εταιρείας. Κάντε κλικ στο κουμπί "%s" στο κάτω μέρος της σελίδας. AccountantDesc=Εάν έχετε έναν εξωτερικό λογιστή / λογιστή, μπορείτε να επεξεργαστείτε εδώ τις πληροφορίες του. AccountantFileNumber=Λογιστικό κώδικα DisplayDesc=Οι παράμετροι που επηρεάζουν την εμφάνιση και συμπεριφορά του Dolibarr μπορούν να τροποποιηθούν εδώ. AvailableModules=Διαθέσιμες εφαρμογές / ενότητες -ToActivateModule=To activate modules, go on setup Area (Home->Setup->Modules). -SessionTimeOut=Time out for session +ToActivateModule=Για να ενεργοποιήσετε Ενθέματα, μεταβείτε στην Περιοχή εγκατάστασης (Αρχική σελίδα-> Ρυθμίσεις-> Ενθέματα). +SessionTimeOut=Λήξη χρόνου για τη συνεδρία SessionExplanation=Αυτός ο αριθμός εγγυάται ότι η σύνοδος δεν θα λήξει ποτέ πριν από αυτήν την καθυστέρηση, εάν το πρόγραμμα καθαρισμού συνεδριών γίνεται από εσωτερικό πρόγραμμα καθαρισμού συνεδριών PHP (και τίποτα άλλο). Το εσωτερικό καθαριστικό συνεδρίας της PHP δεν εγγυάται ότι η περίοδος λήξης θα λήξει μετά από αυτήν την καθυστέρηση. Θα λήξει μετά από αυτή την καθυστέρηση και όταν εκτελείται το πρόγραμμα καθαρισμού συνεδριών, έτσι ώστε κάθε %s / %s να έχει πρόσβαση, αλλά μόνο κατά την πρόσβαση από άλλες συνεδρίες (εάν η τιμή είναι 0, σημαίνει ότι η εκκαθάριση της περιόδου λειτουργίας γίνεται μόνο από μια εξωτερική διαδικασία) .
Σημείωση: Σε ορισμένους διακομιστές με μηχανισμό εξωτερικού καθαρισμού συνεδριών (cron κάτω από debian, ubuntu ...), οι συνεδρίες μπορούν να καταστραφούν μετά από μια περίοδο που ορίζεται από μια εξωτερική ρύθμιση, ανεξάρτητα από την αξία που εισάγεται εδώ. TriggersAvailable=Available triggers TriggersDesc=Οι ενεργοποιητές είναι αρχεία που θα τροποποιήσουν τη συμπεριφορά της ροής εργασίας Dolibarr μόλις αντιγραφεί στον κατάλογο htdocs / core / trigger . Συνειδητοποιούν νέες ενέργειες που ενεργοποιούνται σε συμβάντα Dolibarr (δημιουργία νέας εταιρείας, επικύρωση τιμολογίου, ...). @@ -1143,7 +1143,7 @@ GeneratedPasswordDesc=Επιλέξτε τη μέθοδο που θα χρησι DictionaryDesc=Εισάγετε όλα τα δεδομένα αναφοράς. Μπορείτε να προσθέσετε τις τιμές σας στην προεπιλογή. ConstDesc=Αυτή η σελίδα επιτρέπει την επεξεργασία (αντικατάσταση) παραμέτρων που δεν είναι διαθέσιμες σε άλλες σελίδες. Αυτές είναι κυρίως δεσμευμένες παράμετροι για προγραμματιστές/ προχωρημένη αντιμετώπιση προβλημάτων μόνο. MiscellaneousDesc=Όλες οι άλλες παράμετροι που σχετίζονται με την ασφάλεια καθορίζονται εδώ. -LimitsSetup=Limits/Precision setup +LimitsSetup=Ρύθμιση Ορίων/Ακριβείας LimitsDesc=Μπορείτε να ορίσετε εδώ όρια, ακρίβειες και βελτιστοποιήσεις που χρησιμοποιούνται από τον Dolibarr MAIN_MAX_DECIMALS_UNIT=Μέγιστη. δεκαδικά ψηφία για τις τιμές μονάδας MAIN_MAX_DECIMALS_TOT=Μέγιστη. δεκαδικά ψηφία για τις συνολικές τιμές @@ -1151,15 +1151,15 @@ MAIN_MAX_DECIMALS_SHOWN=Μέγιστη. δεκαδικά ψηφία για τι MAIN_ROUNDING_RULE_TOT=Βήμα στρογγυλοποίησης (για χώρες όπου η στρογγυλοποίηση γίνεται σε κάτι διαφορετικό από τη βάση 10. Για παράδειγμα, βάλτε 0,05 αν η στρογγυλοποίηση γίνεται με 0,05 βήματα) UnitPriceOfProduct=Καθαρή τιμή επί του προϊόντος TotalPriceAfterRounding=Συνολική τιμή (χωρίς Φ.Π.Α.) μετά από στρογγυλοποίηση -ParameterActiveForNextInputOnly=Parameter effective for next input only +ParameterActiveForNextInputOnly=Παράμετρος αποτελεσματική μόνο για την επόμενη είσοδο NoEventOrNoAuditSetup=Δεν έχει καταγραφεί κανένα συμβάν ασφαλείας. Αυτό είναι φυσιολογικό εάν ο έλεγχος δεν έχει ενεργοποιηθεί στη σελίδα "Εγκατάσταση - Ασφάλεια - Συμβάντα". NoEventFoundWithCriteria=Δεν βρέθηκε συμβάν ασφαλείας για αυτά τα κριτήρια αναζήτησης. -SeeLocalSendMailSetup=See your local sendmail setup +SeeLocalSendMailSetup=Δείτε την τοπική ρύθμιση sendmail BackupDesc=Ένα πλήρες αντίγραφο ασφαλείας μιας εγκατάστασης Dolibarr απαιτεί δύο βήματα. -BackupDesc2=Δημιουργήστε αντίγραφα ασφαλείας των περιεχομένων του καταλόγου "έγγραφα" ( %s ) που περιέχει όλα τα αρχεία που έχουν μεταφορτωθεί και δημιουργηθεί. Αυτό θα περιλαμβάνει επίσης όλα τα αρχεία ένδειξης σφαλμάτων που δημιουργούνται στο Βήμα 1. +BackupDesc2=Δημιουργήστε αντίγραφα ασφαλείας των περιεχομένων του καταλόγου "έγγραφα" ( %s ) που περιέχει όλα τα αρχεία που έχουν μεταφορτωθεί και δημιουργηθεί. Αυτό θα περιλαμβάνει επίσης όλα τα αρχεία σκουπιδιών που δημιουργούνται στο Βήμα 1. Αυτή η λειτουργία μπορεί να διαρκέσει αρκετά λεπτά. BackupDesc3=Δημιουργήστε αντίγραφα ασφαλείας της δομής και των περιεχομένων της βάσης δεδομένων σας ( %s ) σε ένα αρχείο ένδειξης σφαλμάτων. Για αυτό, μπορείτε να χρησιμοποιήσετε τον ακόλουθο βοηθό. BackupDescX=Ο αρχειοθετημένος κατάλογος θα πρέπει να αποθηκεύεται σε ασφαλές μέρος. -BackupDescY=The generated dump file should be stored in a secure place. +BackupDescY=Το αρχείο σφαλμάτων που δημιουργείται πρέπει να αποθηκεύεται σε ασφαλές μέρος. BackupPHPWarning=Δεν είναι εγγυημένη η δημιουργία αντιγράφων ασφαλείας με αυτήν τη μέθοδο. Προηγούμενο συνιστάται. RestoreDesc=Για να επαναφέρετε ένα αντίγραφο ασφαλείας Dolibarr, απαιτούνται δύο βήματα. RestoreDesc2=Επαναφέρετε το αρχείο αντιγράφων ασφαλείας (για παράδειγμα, αρχείο zip) του καταλόγου "έγγραφα" σε μια νέα εγκατάσταση Dolibarr ή σε αυτόν τον τρέχοντα κατάλογο εγγράφων ( %s ). @@ -1167,6 +1167,7 @@ RestoreDesc3=Επαναφέρετε τη δομή βάσης δεδομένων RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Υπάρχοντα αρχεία αντιγράφων ασφαλείας +PreviousArchiveFiles=Υπάρχοντα αρχεία αρχειοθέτησης WeekStartOnDay=Πρώτη μέρα της εβδομάδας RunningUpdateProcessMayBeRequired=Η εκτέλεση της διαδικασίας αναβάθμισης φαίνεται να απαιτείται (Η έκδοση προγράμματος %s διαφέρει από την έκδοση βάσης δεδομένων %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1198,14 +1199,14 @@ ExtraFieldsSupplierOrdersLines=Συμπληρωματικά χαρακτηρισ ExtraFieldsSupplierInvoicesLines=Συμπληρωματικά χαρακτηριστικά (γραμμές τιμολογίου) ExtraFieldsThirdParties=Συμπληρωματικά χαρακτηριστικά (τρίτο μέρος) ExtraFieldsContacts=Συμπληρωματικά χαρακτηριστικά (επαφές / διεύθυνση) -ExtraFieldsMember=Complementary attributes (member) -ExtraFieldsMemberType=Complementary attributes (member type) +ExtraFieldsMember=Συμπληρωματικά χαρακτηριστικά (μέλος) +ExtraFieldsMemberType=Συμπληρωματικά χαρακτηριστικά (τύπος μέλους) ExtraFieldsCustomerInvoices=Συμπληρωματικές ιδιότητες (τιμολόγια) ExtraFieldsCustomerInvoicesRec=Συμπληρωματικά χαρακτηριστικά (τιμολόγια προτύπων) -ExtraFieldsSupplierOrders=Complementary attributes (orders) -ExtraFieldsSupplierInvoices=Complementary attributes (invoices) -ExtraFieldsProject=Complementary attributes (projects) -ExtraFieldsProjectTask=Complementary attributes (tasks) +ExtraFieldsSupplierOrders=Συμπληρωματικά χαρακτηριστικά (παραγγελίες) +ExtraFieldsSupplierInvoices=Συμπληρωματικά χαρακτηριστικά (τιμολόγια) +ExtraFieldsProject=Συμπληρωματικά χαρακτηριστικά (έργα) +ExtraFieldsProjectTask=Συμπληρωματικά χαρακτηριστικά (εργασίες) ExtraFieldsSalaries=Συμπληρωματικά χαρακτηριστικά (μισθοί) ExtraFieldHasWrongValue=Το χαρακτηριστικό %s έχει λάθος τιμή. AlphaNumOnlyLowerCharsAndNoSpace=μόνο αλφαριθμητικά και πεζά γράμματα χωρίς κενά @@ -1231,7 +1232,7 @@ ClassNotFoundIntoPathWarning=Η κλάση %s δεν βρέθηκε στη δι YesInSummer=Yes in summer OnlyFollowingModulesAreOpenedToExternalUsers=Σημειώστε ότι μόνο οι παρακάτω ενότητες είναι διαθέσιμες σε εξωτερικούς χρήστες (ανεξάρτητα από τα δικαιώματα αυτών των χρηστών) και μόνο αν έχουν εκχωρηθεί δικαιώματα:
SuhosinSessionEncrypt=Session storage encrypted by Suhosin -ConditionIsCurrently=Condition is currently %s +ConditionIsCurrently=Η κατάσταση είναι αυτή τη στιγμή %s YouUseBestDriver=Χρησιμοποιείτε τον οδηγό %s ο οποίος είναι ο καλύτερος διαθέσιμος οδηγός. YouDoNotUseBestDriver=Χρησιμοποιείτε τον οδηγό %s αλλά συνιστάται ο οδηγός %s. NbOfObjectIsLowerThanNoPb=Έχετε μόνο %s %s στη βάση δεδομένων. Αυτό δεν απαιτεί ιδιαίτερη βελτιστοποίηση. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ζητήστε την προτιμώμενη μέ FieldEdition=Έκδοση στο πεδίο %s FillThisOnlyIfRequired=Παράδειγμα: +2 (συμπληρώστε μόνο αν ζώνη ώρας αντισταθμίσουν τα προβλήματα για προβλήματα που προέκυψαν) GetBarCode=Πάρτε barcode +NumberingModules=Μοντέλα αρίθμησης ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Μην προτείνετε έναν κωδικό πρόσβασης που δημιουργείται. Ο κωδικός πρόσβασης πρέπει να πληκτρολογηθεί μη αυτόματα. @@ -1284,27 +1286,27 @@ WebDavServer=URL ρίζας του διακομιστή %s: %s ##### Webcal setup ##### WebCalUrlForVCalExport=An export link to %s format is available at following link: %s ##### Invoices ##### -BillsSetup=Invoices module setup +BillsSetup=Ρύθμιση ενότητας τιμολογίων BillsNumberingModule=Τιμολόγια και πιστωτικά τιμολόγια μοντέλο αρίθμησης -BillsPDFModules=Invoice documents models +BillsPDFModules=Μοντέλα εγγράφων τιμολογίου BillsPDFModulesAccordindToInvoiceType=Τα μοντέλα εγγράφων τιμολογίου σύμφωνα με τον τύπο τιμολογίου PaymentsPDFModules=Μοντέλα εγγράφων πληρωμής -ForceInvoiceDate=Force invoice date to validation date -SuggestedPaymentModesIfNotDefinedInInvoice=Suggested payments mode on invoice by default if not defined for invoice +ForceInvoiceDate=Μετάβαση ημερομηνίας ισχύος τιμολογίου σε ημερομηνία επικύρωσης +SuggestedPaymentModesIfNotDefinedInInvoice=Προτεινόμενη μέθοδος πληρωμής στο τιμολόγιο από προεπιλογή, εάν δεν έχει οριστεί για τιμολόγιο SuggestPaymentByRIBOnAccount=Προτείνετε την πληρωμή μέσω απόσυρσης στο λογαριασμό SuggestPaymentByChequeToAddress=Προτείνετε πληρωμή με επιταγή προς FreeLegalTextOnInvoices=Ελεύθερο κείμενο στα τιμολόγια -WatermarkOnDraftInvoices=Watermark on draft invoices (none if empty) +WatermarkOnDraftInvoices=Υδατογράφημα σχετικά με τα τιμολόγια (κανένα αν δεν είναι κενό) PaymentsNumberingModule=Μοντέλο αριθμοδότησης πληρωμών SuppliersPayment=Πληρωμές προμηθευτών SupplierPaymentSetup=Ρυθμίσεις πληρωμών προμηθευτή ##### Proposals ##### -PropalSetup=Commercial proposals module setup -ProposalsNumberingModules=Commercial proposal numbering models -ProposalsPDFModules=Commercial proposal documents models +PropalSetup=Ρύθμιση ενότητας εμπορικών προτάσεων +ProposalsNumberingModules=Μοντέλα αριθμοδότησης εμπορικών προτάσεων +ProposalsPDFModules=Μοντέλα εγγράφων εμπορικών προτάσεων SuggestedPaymentModesIfNotDefinedInProposal=Προτεινόμενη μέθοδος πληρωμών σχετικά με πρόταση από προεπιλογή, εάν δεν ορίζεται για πρόταση FreeLegalTextOnProposal=Ελεύθερο κείμενο στις προσφορές -WatermarkOnDraftProposal=Watermark on draft commercial proposals (none if empty) +WatermarkOnDraftProposal=Υδατογράφημα σε προσχέδια εμπορικών προτάσεων (κανένα εάν δεν είναι κενό) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ρωτήστε για τον τραπεζικό λογαριασμό προορισμού της προσφοράς ##### SupplierProposal ##### SupplierProposalSetup=Τιμολόγηση προμηθευτών αιτήσεων τιμών @@ -1318,10 +1320,10 @@ WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ζητήστε από την αποθήκη BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ζητήστε τον προορισμό του τραπεζικού λογαριασμού της εντολής αγοράς ##### Orders ##### OrdersSetup=Ρύθμιση διαχείρισης παραγγελιών πωλήσεων -OrdersNumberingModules=Orders numbering models -OrdersModelModule=Order documents models +OrdersNumberingModules=Μοντέλα αρίθμησης παραγγελιών +OrdersModelModule=Παραγγείλετε μοντέλα εγγράφων FreeLegalTextOnOrders=Ελεύθερο κείμενο στις παραγγελίες -WatermarkOnDraftOrders=Watermark on draft orders (none if empty) +WatermarkOnDraftOrders=Υδατογράφημα σε προσχέδια παραγγελίας (κανένα εάν δεν είναι κενό) ShippableOrderIconInList=Προσθήκη εικονιδίου στις Παραγγελίες που δείχνει ότι η παραγγελία μπορεί να αποσταλεί BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ρωτήστε τον τραπεζικό λογαριασμό για προορισμό της παραγγελίας ##### Interventions ##### @@ -1337,30 +1339,30 @@ TemplatePDFContracts=Συμβάσεις μοντέλα εγγράφων FreeLegalTextOnContracts=Ελεύθερο κείμενο για τις συμβάσεις WatermarkOnDraftContractCards=Υδατογράφημα σε σχέδια συμβάσεων (κανένα αν είναι άδειο) ##### Members ##### -MembersSetup=Members module setup -MemberMainOptions=Main options +MembersSetup=Ρύθμιση ενότητας μελών +MemberMainOptions=Κύριες επιλογές AdherentLoginRequired= Διαχείριση μιας Σύνδεση για κάθε μέλος AdherentMailRequired=Απαιτείται ηλεκτρονικό ταχυδρομείο για τη δημιουργία νέου μέλους -MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default +MemberSendInformationByMailByDefault=Τσέκαρε το πλαίσιο ελέγχου για την αποστολή επιβεβαίωσης αλληλογραφίας στα μέλη (επικύρωση ή νέα συνδρομή) είναι ενεργοποιημένη από προεπιλογή VisitorCanChooseItsPaymentMode=Ο επισκέπτης μπορεί να επιλέξει μεταξύ των διαθέσιμων τρόπων πληρωμής MEMBER_REMINDER_EMAIL=Ενεργοποιήστε την αυτόματη υπενθύμιση μέσω ηλεκτρονικού ταχυδρομείου των συνδρομών που έχουν λήξει. Σημείωση: Η ενότητα %s πρέπει να ενεργοποιηθεί και να ρυθμιστεί σωστά για να στείλετε υπενθυμίσεις. ##### LDAP setup ##### LDAPSetup=LDAP Setup LDAPGlobalParameters=Global parameters -LDAPUsersSynchro=Users -LDAPGroupsSynchro=Groups +LDAPUsersSynchro=Χρήστες +LDAPGroupsSynchro=Ομάδες LDAPContactsSynchro=Επαφές -LDAPMembersSynchro=Members -LDAPMembersTypesSynchro=Members types +LDAPMembersSynchro=Μέλη +LDAPMembersTypesSynchro=Τύποι μελών LDAPSynchronization=LDAP synchronisation LDAPFunctionsNotAvailableOnPHP=LDAP functions are not available on your PHP LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP LDAPNamingAttribute=Key in LDAP -LDAPSynchronizeUsers=Organization of users in LDAP -LDAPSynchronizeGroups=Organization of groups in LDAP -LDAPSynchronizeContacts=Organization of contacts in LDAP -LDAPSynchronizeMembers=Organization of foundation's members in LDAP +LDAPSynchronizeUsers=Οργάνωση χρηστών στο LDAP +LDAPSynchronizeGroups=Οργάνωση ομάδων στο LDAP +LDAPSynchronizeContacts=Οργάνωση επαφών στο LDAP +LDAPSynchronizeMembers=Οργάνωση των μελών του Ιδρύματος στο LDAP LDAPSynchronizeMembersTypes=Οργάνωση των τύπων μελών του ιδρύματος στο LDAP LDAPPrimaryServer=Primary server LDAPSecondaryServer=Secondary server @@ -1372,21 +1374,21 @@ LDAPServerUseTLSExample=Your LDAP server use TLS LDAPServerDn=Server DN LDAPAdminDn=Administrator DN LDAPAdminDnExample=Ολοκλήρωση DN (ex: cn = admin, dc = παράδειγμα, dc = com ή cn = Administrator, cn = Users, dc = -LDAPPassword=Administrator password +LDAPPassword=Κωδικός πρόσβασης Διαχειριστή LDAPUserDn=Users' DN LDAPUserDnExample=Complete DN (ex: ou=users,dc=example,dc=com) LDAPGroupDn=Groups' DN LDAPGroupDnExample=Complete DN (ex: ou=groups,dc=example,dc=com) LDAPServerExample=Server address (ex: localhost, 192.168.0.2, ldaps://ldap.example.com/) LDAPServerDnExample=Complete DN (ex: dc=example,dc=com) -LDAPDnSynchroActive=Users and groups synchronization +LDAPDnSynchroActive=Συγχρονισμός χρηστών και ομάδων LDAPDnSynchroActiveExample=LDAP to Dolibarr or Dolibarr to LDAP synchronization -LDAPDnContactActive=Contacts' synchronization -LDAPDnContactActiveExample=Activated/Unactivated synchronization -LDAPDnMemberActive=Members' synchronization -LDAPDnMemberActiveExample=Activated/Unactivated synchronization +LDAPDnContactActive=Συγχρονισμός επαφών +LDAPDnContactActiveExample=Ενεργοποίηση / Απενεργοποίηση συγχρονισμού +LDAPDnMemberActive=Συγχρονισμός μελών +LDAPDnMemberActiveExample=Ενεργοποίηση / Απενεργοποίηση συγχρονισμού LDAPDnMemberTypeActive=Συγχρονισμός τύπων μελών -LDAPDnMemberTypeActiveExample=Activated/Unactivated synchronization +LDAPDnMemberTypeActiveExample=Ενεργοποίηση / Απενεργοποίηση συγχρονισμού LDAPContactDn=Dolibarr contacts' DN LDAPContactDnExample=Complete DN (ex: ou=contacts,dc=example,dc=com) LDAPMemberDn=Dolibarr members DN @@ -1404,14 +1406,14 @@ LDAPGroupObjectClassListExample=List of objectClass defining record attributes ( LDAPContactObjectClassList=List of objectClass LDAPContactObjectClassListExample=List of objectClass defining record attributes (ex: top,inetOrgPerson or top,user for active directory) LDAPTestConnect=Test LDAP connection -LDAPTestSynchroContact=Test contacts synchronization -LDAPTestSynchroUser=Test user synchronization -LDAPTestSynchroGroup=Test group synchronization -LDAPTestSynchroMember=Test member synchronization +LDAPTestSynchroContact=Έλεγχος συγχρονισμού επαφών +LDAPTestSynchroUser=Έλεγχος συγχρονισμού χρηστών +LDAPTestSynchroGroup=Έλεγχος συγχρονισμού ομάδας +LDAPTestSynchroMember=Έλεγχος συγχρονισμού μελών LDAPTestSynchroMemberType=Συγχρονισμός τύπου μέλους δοκιμής LDAPTestSearch= Test a LDAP search LDAPSynchroOK=Synchronization test successful -LDAPSynchroKO=Failed synchronization test +LDAPSynchroKO=Δοκιμή συγχρονισμού απέτυχε LDAPSynchroKOMayBePermissions=Δοκιμή συγχρονισμού απέτυχε. Ελέγξτε ότι η σύνδεση με το διακομιστή έχει ρυθμιστεί σωστά και επιτρέπει τις ενημερώσεις LDAP LDAPTCPConnectOK=TCP connect to LDAP server successful (Server=%s, Port=%s) LDAPTCPConnectKO=TCP connect to LDAP server failed (Server=%s, Port=%s) @@ -1423,7 +1425,7 @@ LDAPDolibarrMapping=Dolibarr Mapping LDAPLdapMapping=LDAP Mapping LDAPFieldLoginUnix=Login (unix) LDAPFieldLoginExample=Παράδειγμα: uid -LDAPFilterConnection=Search filter +LDAPFilterConnection=Φίλτρο αναζήτησης LDAPFilterConnectionExample=Παράδειγμα: & (objectClass = inetOrgPerson) LDAPFieldLoginSamba=Login (samba, activedirectory) LDAPFieldLoginSambaExample=Παράδειγμα: samaccountname @@ -1433,39 +1435,39 @@ LDAPFieldPasswordNotCrypted=Ο κωδικός πρόσβασης δεν είνα LDAPFieldPasswordCrypted=Ο κωδικός είναι κρυπτογραφημένος LDAPFieldPasswordExample=Παράδειγμα: userPassword LDAPFieldCommonNameExample=Παράδειγμα: cn -LDAPFieldName=Name +LDAPFieldName=Επίθετο LDAPFieldNameExample=Παράδειγμα: sn -LDAPFieldFirstName=First name +LDAPFieldFirstName=Όνομα LDAPFieldFirstNameExample=Παράδειγμα: givenName LDAPFieldMail=Email address LDAPFieldMailExample=Παράδειγμα: αλληλογραφία LDAPFieldPhone=Professional phone number LDAPFieldPhoneExample=Παράδειγμα: αριθμός τηλεφώνου -LDAPFieldHomePhone=Personal phone number +LDAPFieldHomePhone=Προσωπικός αριθμός τηλεφώνου LDAPFieldHomePhoneExample=Παράδειγμα: homephone -LDAPFieldMobile=Cellular phone +LDAPFieldMobile=Κινητό τηλέφωνο LDAPFieldMobileExample=Παράδειγμα: κινητό LDAPFieldFax=Fax number LDAPFieldFaxExample=Παράδειγμα: faximiletelefononumber -LDAPFieldAddress=Street +LDAPFieldAddress=Οδός LDAPFieldAddressExample=Παράδειγμα: δρόμος -LDAPFieldZip=Zip +LDAPFieldZip=Τ.Κ. LDAPFieldZipExample=Παράδειγμα: ταχυδρομικός κωδικός -LDAPFieldTown=Town +LDAPFieldTown=Πόλη LDAPFieldTownExample=Παράδειγμα: l -LDAPFieldCountry=Country -LDAPFieldDescription=Description +LDAPFieldCountry=Χώρα +LDAPFieldDescription=Περιγραφή LDAPFieldDescriptionExample=Παράδειγμα: περιγραφή LDAPFieldNotePublic=Δημόσια σημείωση LDAPFieldNotePublicExample=Παράδειγμα: publicnote -LDAPFieldGroupMembers= Group members +LDAPFieldGroupMembers= Μέλη ομάδας LDAPFieldGroupMembersExample= Παράδειγμα: uniqueMember -LDAPFieldBirthdate=Birthdate -LDAPFieldCompany=Company +LDAPFieldBirthdate=Ημερομηνία γέννησης +LDAPFieldCompany=Εταιρία LDAPFieldCompanyExample=Παράδειγμα: o LDAPFieldSid=SID LDAPFieldSidExample=Παράδειγμα: objectsid -LDAPFieldEndLastSubscription=Date of subscription end +LDAPFieldEndLastSubscription=Ημερομηνία λήξης της συνδρομής LDAPFieldTitle=Θέση εργασίας LDAPFieldTitleExample=Example: title LDAPFieldGroupid=Αναγνωριστικό ομάδας @@ -1520,17 +1522,17 @@ MergePropalProductCard=Ενεργοποίηση στην καρτέλα Συνη ViewProductDescInThirdpartyLanguageAbility=Εμφάνιση των περιγραφών προϊόντων στη γλώσσα του τρίτου μέρους UseSearchToSelectProductTooltip=Επίσης, αν έχετε μεγάλο αριθμό προϊόντων (> 100.000), μπορείτε να αυξήσετε την ταχύτητα ρυθμίζοντας σταθερά το PRODUCT_DONOTSEARCH_ANYWHERE στο 1 στο Setup-> Other. Η αναζήτηση θα περιορίζεται στην αρχή της συμβολοσειράς. UseSearchToSelectProduct=Περιμένετε έως ότου πιέσετε ένα κλειδί πριν φορτώσετε το περιεχόμενο της λίστας σύνθετων προϊόντων (Αυτό μπορεί να αυξήσει την απόδοση εάν έχετε μεγάλο αριθμό προϊόντων, αλλά είναι λιγότερο βολικό) -SetDefaultBarcodeTypeProducts=Default barcode type to use for products -SetDefaultBarcodeTypeThirdParties=Default barcode type to use for third parties +SetDefaultBarcodeTypeProducts=Προεπιλεγμένος τύπος barcode για χρήση σε προϊόντα +SetDefaultBarcodeTypeThirdParties=Προεπιλεγμένος τύπος barcode για χρήση από τρίτα μέρη UseUnits=Ορίστε μια μονάδα μέτρησης για την ποσότητα κατά την έκδοση παραγγελιών, προτάσεων ή γραμμών τιμολογίου ProductCodeChecker= Module for product code generation and checking (product or service) -ProductOtherConf= Product / Service configuration +ProductOtherConf= Διαμόρφωση Προϊόντος / Υπηρεσίας IsNotADir=δεν είναι κατάλογος ##### Syslog ##### -SyslogSetup=Logs module setup -SyslogOutput=Logs outputs -SyslogFacility=Facility -SyslogLevel=Level +SyslogSetup=Ρύθμιση ενότητας καταγραφών +SyslogOutput=Αποτελέσματα καταγραφών +SyslogFacility=Ευκολία +SyslogLevel=Επίπεδο SyslogFilename=File name and path YouCanUseDOL_DATA_ROOT=You can use DOL_DATA_ROOT/dolibarr.log for a log file in Dolibarr "documents" directory. You can set a different path to store this file. ErrorUnknownSyslogConstant=Constant %s is not a known Syslog constant @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Ελέγξτε τη λειτουργική μον MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Ρύθμιση μονάδας προμηθευτή -SuppliersCommandModel=Πλήρες πρότυπο της εντολής αγοράς (λογότυπο ...) -SuppliersInvoiceModel=Πλήρες πρότυπο τιμολογίου πωλητή (λογότυπο ...) +SuppliersCommandModel=Πλήρες πρότυπο της εντολής αγοράς +SuppliersCommandModelMuscadet=Πλήρες πρότυπο της εντολής αγοράς +SuppliersInvoiceModel=Πλήρες πρότυπο τιμολογίου προμηθευτή SuppliersInvoiceNumberingModel=Αριθμητικά μοντέλα τιμολογίων προμηθευτών IfSetToYesDontForgetPermission=Αν είναι ρυθμισμένη σε μη μηδενική τιμή, μην ξεχάσετε να δώσετε δικαιώματα σε ομάδες ή χρήστες που επιτρέπονται για τη δεύτερη έγκριση ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=Λίστα αυτόματων ειδοποιήσεω ListOfNotificationsPerUserOrContact=Κατάλογος πιθανών αυτόματων ειδοποιήσεων (σε επιχειρηματικό συμβάν) διαθέσιμων ανά χρήστη * ή ανά επαφή ** ListOfFixedNotifications=Λίστα αυτόματων σταθερών ειδοποιήσεων GoOntoUserCardToAddMore=Μεταβείτε στην καρτέλα "Ειδοποιήσεις" ενός χρήστη για να προσθέσετε ή να καταργήσετε ειδοποιήσεις για χρήστες -GoOntoContactCardToAddMore=Μεταβείτε στην καρτέλα "Ειδοποιήσεις" τρίτου μέρους για να προσθέσετε ή να καταργήσετε ειδοποιήσεις για επαφές / διευθύνσεις +GoOntoContactCardToAddMore=Μεταβείτε στην καρτέλα "Ειδοποιήσεις" τρίτου μέρους για να προσθέσετε ή να καταργήσετε ειδοποιήσεις για επαφές / διευθύνσεις Threshold=Κατώφλι -BackupDumpWizard=Οδηγός για την δημιουργία του αρχείου αντιγράφων ασφαλείας +BackupDumpWizard=Οδηγός για την δημιουργία του αρχείου σκουπιδιών στη βάση δεδομένων +BackupZipWizard=Οδηγός για να αρχειοθετησετε τον κατάλογο των εγγράφων SomethingMakeInstallFromWebNotPossible=Δεν είναι δυνατή η εγκατάσταση εξωτερικής μονάδας από τη διεπαφή ιστού για τον ακόλουθο λόγο: SomethingMakeInstallFromWebNotPossible2=Για το λόγο αυτό, η διαδικασία αναβάθμισης που περιγράφεται εδώ είναι μια χειρωνακτική διαδικασία που μπορεί να εκτελέσει μόνο ένας προνομιούχος χρήστης. InstallModuleFromWebHasBeenDisabledByFile=Η εγκατάσταση εξωτερικής μονάδας από εφαρμογή έχει απενεργοποιηθεί από τον διαχειριστή σας. Πρέπει να τον ζητήσετε να καταργήσει το αρχείο %s για να επιτρέψει αυτή τη λειτουργία. @@ -1953,6 +1957,8 @@ SmallerThan=Μικρότερη από LargerThan=Μεγαλύτερο από IfTrackingIDFoundEventWillBeLinked=Σημειώστε ότι Εάν εντοπιστεί ένα αναγνωριστικό παρακολούθησης στα εισερχόμενα μηνύματα ηλεκτρονικού ταχυδρομείου, το συμβάν θα συνδεθεί αυτόματα με τα σχετικά αντικείμενα. WithGMailYouCanCreateADedicatedPassword=Με ένα λογαριασμό GMail, εάν έχετε ενεργοποιήσει την επικύρωση 2 βημάτων, σας συνιστούμε να δημιουργήσετε έναν ειδικό δευτερεύοντα κωδικό πρόσβασης για την εφαρμογή αντί να χρησιμοποιήσετε τη δική σας passsword από https://myaccount.google.com/. +EmailCollectorTargetDir=Μπορεί να είναι μια επιθυμητή συμπεριφορά για να μετακινήσετε το μήνυμα ηλεκτρονικού ταχυδρομείου σε μια άλλη Ετικέτα / Κατάλογο όταν υποβλήθηκε σε επεξεργασία με επιτυχία. Απλά ορίστε μια τιμή εδώ για να χρησιμοποιήσετε αυτή τη λειτουργία. Σημειώστε ότι πρέπει επίσης να χρησιμοποιήσετε ένα λογαριασμό σύνδεσης για ανάγνωση / εγγραφή. +EmailCollectorLoadThirdPartyHelp=Μπορείτε να χρησιμοποιήσετε αυτήν την ενέργεια για να χρησιμοποιήσετε το περιεχόμενο ηλεκτρονικού ταχυδρομείου για να βρείτε και να φορτώσετε ένα υπάρχον τρίτο μέρος στη βάση δεδομένων σας. Το τρίτο μέρος που βρέθηκε (ή δημιουργήθηκε) θα χρησιμοποιηθεί για τις ακόλουθες ενέργειες που το χρειάζονται. Στο πεδίο παραμέτρων μπορείτε να χρησιμοποιήσετε για παράδειγμα το EXTRACT: BODY: Name: \\ s ([^ \\ s] *) εάν θέλετε να εξαγάγετε το όνομα του τρίτου μέρους από μια συμβολοσειρά 'Name: name to find' μέσα στο σώμα της εντολής. EndPointFor=Σημείο τερματισμού για %s: %s DeleteEmailCollector=Διαγραφή συλλέκτη ηλεκτρονικού ταχυδρομείου ConfirmDeleteEmailCollector=Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το συλλέκτη email; diff --git a/htdocs/langs/el_GR/agenda.lang b/htdocs/langs/el_GR/agenda.lang index 5cc1abf99cd..82bd7183024 100644 --- a/htdocs/langs/el_GR/agenda.lang +++ b/htdocs/langs/el_GR/agenda.lang @@ -110,9 +110,9 @@ BOM_UNVALIDATEInDolibarr=Το BOM δεν έχει εγκριθεί BOM_CLOSEInDolibarr=Το BOM είναι απενεργοποιημένο BOM_REOPENInDolibarr=Ανοίξτε ξανά το BOM BOM_DELETEInDolibarr=Το BOM διαγράφηκε -MRP_MO_VALIDATEInDolibarr=MO validated -MRP_MO_PRODUCEDInDolibarr=MO produced -MRP_MO_DELETEInDolibarr=MO deleted +MRP_MO_VALIDATEInDolibarr=Το ΜΟ επικυρώθηκε +MRP_MO_PRODUCEDInDolibarr=Το ΜΟ παράχθηκε +MRP_MO_DELETEInDolibarr=Το MO διαγράφηκε ##### End agenda events ##### AgendaModelModule=Πρότυπα εγγράφων για συμβάν DateActionStart=Ημερομηνία έναρξης diff --git a/htdocs/langs/el_GR/banks.lang b/htdocs/langs/el_GR/banks.lang index 552a6b7adc5..d333e1425c3 100644 --- a/htdocs/langs/el_GR/banks.lang +++ b/htdocs/langs/el_GR/banks.lang @@ -1,13 +1,13 @@ # Dolibarr language file - Source file is en_US - banks Bank=Τράπεζα -MenuBankCash=Banks | Cash -MenuVariousPayment=Miscellaneous payments -MenuNewVariousPayment=New Miscellaneous payment +MenuBankCash=Τράπεζες | Μετρητά +MenuVariousPayment=Διάφορες πληρωμές +MenuNewVariousPayment=Νέα Διάφορα πληρωμή BankName=Όνομα Τράπεζας FinancialAccount=Λογαριασμός BankAccount=Τραπεζικός Λογαριασμός BankAccounts=Τραπεζικοί Λογαριασμοί -BankAccountsAndGateways=Bank accounts | Gateways +BankAccountsAndGateways=Τραπεζικοί λογαριασμοί θυρίδες ShowAccount=Εμφάνιση λογαριασμού AccountRef=Αναγνωριστικό Λογιστικού Λογαριασμού AccountLabel=Ετικέτα Λογιστικού Λογαριασμού @@ -30,23 +30,23 @@ AllTime=Από την αρχή Reconciliation=Πραγματοποίηση Συναλλαγών RIB=Αριθμός Τραπ. Λογαριασμού IBAN=IBAN -BIC=BIC/SWIFT code -SwiftValid=BIC/SWIFT valid -SwiftVNotalid=BIC/SWIFT not valid -IbanValid=BAN valid -IbanNotValid=BAN not valid -StandingOrders=Direct Debit orders -StandingOrder=Direct debit order +BIC=Κωδικός BIC / SWIFT +SwiftValid=Κωδικός BIC / SWIFT έγκυρος +SwiftVNotalid=Κωδικός BIC / SWIFT μη έγκυρος +IbanValid=έγκυρο IBAN +IbanNotValid=Μη έγκυρο IBAN +StandingOrders=Παραγγελίες άμεσης χρέωσης +StandingOrder=Παραγγελία άμεσης χρέωσης AccountStatement=Κίνηση Λογαριασμού AccountStatementShort=Κίνηση AccountStatements=Κινήσεις Λογαριασμού LastAccountStatements=Τελευταίες Κινήσεις Λογαριασμού IOMonthlyReporting=Μηνιαία Αναφορά -BankAccountDomiciliation=Bank address +BankAccountDomiciliation=Διεύθυνση τράπεζας BankAccountCountry=Χώρα λογαριασμού BankAccountOwner=Ιδιοκτήτης Λογαριασμού BankAccountOwnerAddress=Διεύθυνση Ιδιοκτήτη -RIBControlError=Integrity check of values failed. This means the information for this account number is not complete or is incorrect (check country, numbers and IBAN). +RIBControlError=Ο έλεγχος ακεραιότητας αξιών απέτυχε. Αυτό σημαίνει ότι οι πληροφορίες για αυτόν τον αριθμό λογαριασμού δεν είναι πλήρεις ή είναι εσφαλμένες (ελέγξτε τη χώρα, τους αριθμούς και τον αριθμό IBAN). CreateAccount=Δημιουργία Λογαριασμού NewBankAccount=Νέος Λογαριασμός NewFinancialAccount=Νέος Λογιστικός Λογαριασμός @@ -62,51 +62,51 @@ AccountCard=Καρτέλα Λογαριασμού DeleteAccount=Διαγραφή Λογαριασμού ConfirmDeleteAccount=Είστε σίγουροι ότι θέλετε να διαγράψετε αυτόν τον λογαριασμό; Account=Λογαριασμός -BankTransactionByCategories=Bank entries by categories -BankTransactionForCategory=Bank entries for category %s +BankTransactionByCategories=Καταχωρήσεις τραπεζών ανά κατηγορίες +BankTransactionForCategory=Καταχωρήσεις τραπεζών για την κατηγορία %s RemoveFromRubrique=Αφαίρεση του συνδέσμου με κατηγορία -RemoveFromRubriqueConfirm=Are you sure you want to remove link between the entry and the category? -ListBankTransactions=List of bank entries +RemoveFromRubriqueConfirm=Είστε βέβαιοι ότι θέλετε να καταργήσετε τη σύνδεση μεταξύ της καταχώρισης και της κατηγορίας αυτής; +ListBankTransactions=Κατάλογος Τραπεζικών καταχωρήσεων IdTransaction=ID Συναλλαγής -BankTransactions=Bank entries -BankTransaction=Bank entry +BankTransactions=Καταχωρήσεις τραπεζών +BankTransaction=Τραπεζική εγγραφή ListTransactions=Λίστα εγγραφών -ListTransactionsByCategory=Λίστα εγγραφών./κατηγορία -TransactionsToConciliate=Entries to reconcile -TransactionsToConciliateShort=To reconcile +ListTransactionsByCategory=Λίστα καταχωρίσεων / κατηγοριών +TransactionsToConciliate=Εγγραφές για συμβιβασμό +TransactionsToConciliateShort=Πραγματοποίηση Συναλλαγής Conciliable=Μπορεί να πραγματοποιηθεί Conciliate=Πραγματοποίηση Συναλλαγής Conciliation=Πραγματοποίηση Συναλλαγής -SaveStatementOnly=Save statement only -ReconciliationLate=Reconciliation late +SaveStatementOnly=Αποθήκευση δήλωσης μόνο +ReconciliationLate=Πραγματοποίηση Συναλλαγής IncludeClosedAccount=Συμπερίληψη Κλειστών Λογαριασμών OnlyOpenedAccount=Μόνο ανοικτούς λογαριασμούς AccountToCredit=Πίστωση στον Λογαριασμό AccountToDebit=Χρέωση στον Λογαριασμό DisableConciliation=Απενεργοποίηση της ιδιότητας συμφωνία από αυτό τον λογαριασμό ConciliationDisabled=Η ιδιότητα συμφωνία απενεργοποιήθηκε. -LinkedToAConciliatedTransaction=Linked to a conciliated entry +LinkedToAConciliatedTransaction=Συνδέεται με μια συμβιβαστική είσοδο StatusAccountOpened=Άνοιγμα StatusAccountClosed=Κλειστός AccountIdShort=Αριθμός LineRecord=Συναλλαγή -AddBankRecord=Add entry -AddBankRecordLong=Add entry manually -Conciliated=Reconciled +AddBankRecord=Προσθήκη καταχώρησης  +AddBankRecordLong=Προσθήκη εγγραφής με μη αυτόματο τρόπο  +Conciliated=Συγχωρήθηκε ConciliatedBy=Πραγματοποίηση Συναλλαγής από DateConciliating=Ημερομ. Πραγματοποίησης Συναλλαγής -BankLineConciliated=Entry reconciled -Reconciled=Reconciled -NotReconciled=Not reconciled +BankLineConciliated=Η είσοδος συμφώνησε +Reconciled=Συγχωρήθηκε +NotReconciled=Δεν συμφιλιώνονται CustomerInvoicePayment=Πληρωμή Πελάτη -SupplierInvoicePayment=Vendor payment +SupplierInvoicePayment=Πληρωμή προμηθευτή SubscriptionPayment=Πληρωμή συνδρομής WithdrawalPayment=Debit payment order SocialContributionPayment=Σίγουρα θέλετε να μαρκάρετε αυτό το αξιόγραφο σαν απορριφθέν; BankTransfer=Τραπεζική Μεταφορά BankTransfers=Τραπεζικές Μεταφορές MenuBankInternalTransfer=Εσωτερική μεταφορά -TransferDesc=Transfer from one account to another, Dolibarr will write two records (a debit in source account and a credit in target account). The same amount (except sign), label and date will be used for this transaction) +TransferDesc=Μεταφορά από έναν λογαριασμό σε άλλο, ο Dolibarr θα γράψει δύο εγγραφές (μια χρέωση στο λογαριασμό προέλευσης και μια πίστωση στο λογαριασμό-στόχος). Το ίδιο ποσό (εκτός από το σύμβολο), η ετικέτα και η ημερομηνία θα χρησιμοποιηθούν για αυτήν τη συναλλαγή) TransferFrom=Από TransferTo=Προς TransferFromToDone=Η μεταφορά από %s στον %s του %s %s έχει καταγραφεί. @@ -119,14 +119,14 @@ BankChecks=Τραπεζικές Επιταγές BankChecksToReceipt=Επιταγές που αναμένουν κατάθεση BankChecksToReceiptShort=Επιταγές που αναμένουν κατάθεση ShowCheckReceipt=Ελέγξτε την απόδειξη κατάθεσης -NumberOfCheques=No. of check -DeleteTransaction=Delete entry -ConfirmDeleteTransaction=Are you sure you want to delete this entry? -ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry +NumberOfCheques=Αριθ. Ελέγχου +DeleteTransaction=Διαγραφή συμμετοχής +ConfirmDeleteTransaction=Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν την καταχώρηση; +ThisWillAlsoDeleteBankRecord=Αυτό θα διαγράψει επίσης την εισερχόμενη είσοδο στην τράπεζα BankMovements=Κινήσεις -PlannedTransactions=Planned entries +PlannedTransactions=Προγραμματισμένες καταχωρήσεις Graph=Γραφικά -ExportDataset_banque_1=Bank entries and account statement +ExportDataset_banque_1=Τραπεζικές εγγραφές και αποδείξεις κατάθεσης ExportDataset_banque_2=Απόδειξη κατάθεσης TransactionOnTheOtherAccount=Συναλλαγή σε άλλο λογαριασμό PaymentNumberUpdateSucceeded=Ο αριθμός πληρωμής ενημερώθηκε με επιτυχία @@ -134,15 +134,15 @@ PaymentNumberUpdateFailed=Ο αριθμός πληρωμής δεν ενημερ PaymentDateUpdateSucceeded=Η ημερομηνία πληρωμής ενημερώθηκε με επιτυχία PaymentDateUpdateFailed=Η ημερομηνία πληρωμής δεν ενημερώθηκε επιτυχώς Transactions=Συναλλαγές -BankTransactionLine=Bank entry -AllAccounts=All bank and cash accounts +BankTransactionLine=Τραπεζική εγγραφή +AllAccounts=Όλοι οι τραπεζικοί και ταμιακοί λογαριασμοί BackToAccount=Επιστροφή στον λογαριασμό ShowAllAccounts=Εμφάνιση Όλων των Λογαριασμών -FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +FutureTransaction=Μελλοντική συναλλαγή. Δεν μπορεί να συμφιλιωθεί. +SelectChequeTransactionAndGenerate=Επιλέξτε/Φίλτρο ελέγχου για να συμπεριλάβετε στην απόδειξη κατάθεσης και κάντε κλικ "δημιουργία". InputReceiptNumber=Επιλέξτε την κατάσταση των τραπεζών που συνδέονται με τη διαδικασία συνδιαλλαγής. Χρησιμοποιήστε μια σύντομη αριθμητική τιμή όπως: YYYYMM ή YYYYMMDD EventualyAddCategory=Τέλος, καθορίστε μια κατηγορία στην οποία θα ταξινομηθούν οι εγγραφές -ToConciliate=To reconcile? +ToConciliate=Για να συμφιλιωθώ; ThenCheckLinesAndConciliate=Στη συνέχεια, ελέγξτε τις γραμμές που υπάρχουν στο αντίγραφο κίνησης του τραπεζικού λογαριασμού και κάντε κλικ DefaultRIB=Προεπιλογή BAN AllRIB=Όλα τα BAN @@ -154,18 +154,22 @@ RejectCheck=Ελέγξτε την επιστροφή ConfirmRejectCheck=Είστε σίγουροι πως θέλετε να σημειώσετε αυτή την επιταγή ως απορριφθείσα; RejectCheckDate=Ημερομηνία ελέγχου επιστροφής CheckRejected=Ελέγξτε την επιστροφή -CheckRejectedAndInvoicesReopened=Ελέγξτε την επιστροφή και ξανά ανοίξτε τα τιμολόγια +CheckRejectedAndInvoicesReopened=Έλεγχος επιστρεφόμενων και άνοιγμα τιμολογίων BankAccountModelModule=Πρότυπα εγγράφων για τραπεζικούς λογαριασμούς -DocumentModelSepaMandate=Template of SEPA mandate. Useful for European countries in EEC only. +DocumentModelSepaMandate=Υπόδειγμα εντολής ΕΧΠΕ DocumentModelBan=Πρότυπο για εκτύπωση σελίδας με πληροφορίες BAN. -NewVariousPayment=New miscellaneous payment -VariousPayment=Miscellaneous payment -VariousPayments=Miscellaneous payments -ShowVariousPayment=Show miscellaneous payment -AddVariousPayment=Add miscellaneous payment -SEPAMandate=SEPA mandate -YourSEPAMandate=Your SEPA mandate -FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make direct debit order to your bank. Return it signed (scan of the signed document) or send it by mail to -AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation -CashControl=POS cash fence -NewCashFence=New cash fence +NewVariousPayment=Νέες διαφορετικές πληρωμές +VariousPayment=Διάφορες πληρωμές +VariousPayments=Διάφορες πληρωμές +ShowVariousPayment=Εμφάνιση διαφόρων πληρωμών +AddVariousPayment=Προσθήκη διαφόρων πληρωμών +SEPAMandate=Εντολές άμεσης χρέωσης +YourSEPAMandate=Οι εντολές άμεσης χρέωσης σας. +FindYourSEPAMandate=Αυτή είναι η εντολή ΕΧΠΕ για να εξουσιοδοτήσετε την εταιρεία μας να κάνει άμεση εντολή χρέωσης στην τράπεζά σας. Επιστρέψτε το υπογεγραμμένο (σάρωση του υπογεγραμμένου εγγράφου) ή στείλτε το ταχυδρομικώς η με mail +AutoReportLastAccountStatement=Συμπληρώστε αυτόματα το πεδίο ' αριθμός τραπεζικού λογαριασμού ' με τον τελευταίο αριθμό τραπεζικής δήλωσης όταν κάνετε τη συμφωνία. +CashControl=Χρηματοκιβώτιο μετρητών POS +NewCashFence=Νέο φράχτη μετρητών +BankColorizeMovement=Χρωματισμός κινήσεων +BankColorizeMovementDesc=Εάν αυτή η λειτουργία είναι ενεργή, μπορείτε να επιλέξετε συγκεκριμένο χρώμα φόντου για χρεωστικές ή πιστωτικές κινήσεις +BankColorizeMovementName1=Χρώμα φόντου για την κίνηση χρέωσης +BankColorizeMovementName2=Χρώμα φόντου για την πιστωτική κίνηση diff --git a/htdocs/langs/el_GR/bills.lang b/htdocs/langs/el_GR/bills.lang index 7c4b7962f08..91ffd7b0208 100644 --- a/htdocs/langs/el_GR/bills.lang +++ b/htdocs/langs/el_GR/bills.lang @@ -61,7 +61,7 @@ Payment=Πληρωμή PaymentBack=Payment back CustomerInvoicePaymentBack=Payment back Payments=Πληρωμές -PaymentsBack=Refunds +PaymentsBack=Επιστροφές χρημάτων paymentInInvoiceCurrency=in invoices currency PaidBack=Paid back DeletePayment=Διαγραφή Πληρωμής @@ -78,7 +78,7 @@ ReceivedCustomersPaymentsToValid=Ληφθείσες Πληρωμές από πε PaymentsReportsForYear=Αναφορές Πληρωμών για %s PaymentsReports=Αναφορές Πληρωμών PaymentsAlreadyDone=Ιστορικό Πληρωμών -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=Οι επιστροφές χρημάτων έχουν γίνει ήδη PaymentRule=Κανόνας Πληρωμής PaymentMode=Τρόπος πληρωμής PaymentTypeDC=Χρεωστική/Πιστωτική κάρτα @@ -334,8 +334,8 @@ InvoiceDateCreation=Ημερ. δημιουργίας τιμολογίου InvoiceStatus=Κατάσταση τιμολογίου InvoiceNote=Σημείωση τιμολογίου InvoicePaid=Το τιμολόγιο εξοφλήθηκε -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. +InvoicePaidCompletely=Πληρωμή Εξ'ολοκλήρου +InvoicePaidCompletelyHelp=Τιμολόγιο που πληρώθηκε εξ' ολοκλήρου. Αυτό εξαιρεί τα τιμολόγια που πληρώθηκαν τμηματικά. Για να λάβετε τον κατάλογο όλων των τιμολογίων «κλειστών» ή μη κλειστών, προτιμήστε να χρησιμοποιήσετε ένα φίλτρο στην κατάσταση του τιμολογίου. OrderBilled=Παραγγελία χρεώνεται DonationPaid=Η δωρεά πληρώθηκε PaymentNumber=Αριθμός πληρωμής @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Προκαθορισμένο ποσό +FixAmount=Σταθερό ποσό - 1 γραμμή με την ετικέτα '%s' VarAmount=Μεταβλητή ποσού (%% tot.) VarAmountOneLine=Μεταβλητή ποσότητα (%% tot.) - 1 γραμμή με την ετικέτα '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=Αυτή η επιλογή είναι διαθέσιμη μόνο όταν δημιουργείτε τιμολόγιο από την καρτέλα "Πελάτης" τρίτου μέρους YouMustCreateInvoiceFromSupplierThird=Αυτή η επιλογή είναι διαθέσιμη μόνο κατά τη δημιουργία τιμολογίου από την καρτέλα "Προμηθευτής" τρίτου μέρους YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Τιμολόγιο πρότυπο PDF Crabe. Ένα πλήρες πρότυπο τιμολογίου (συνιστώμενο πρότυπο) +PDFCrabeDescription=Πρότυπο τιμολόγιο PDF Crabe. Ένα πλήρες πρότυπο τιμολογίου PDFSpongeDescription=Τιμολόγιο πρότυπο PDF Σφουγγάρι. Ένα πλήρες πρότυπο τιμολογίου PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Επιστρέψετε αριθμό με μορφή %syymm-nnnn για τυπικά τιμολόγια και %syymm-nnnn για πιστωτικά τιμολόγια όπου yy είναι το έτος, mm είναι ο μήνας και nnnn είναι μια ακολουθία αρίθμησης χωρίς διάλειμμα και χωρίς επιστροφή στο 0 diff --git a/htdocs/langs/el_GR/cashdesk.lang b/htdocs/langs/el_GR/cashdesk.lang index 1a6b10101f7..97e77b8939b 100644 --- a/htdocs/langs/el_GR/cashdesk.lang +++ b/htdocs/langs/el_GR/cashdesk.lang @@ -69,8 +69,8 @@ Terminal=Τερματικό NumberOfTerminals=Αριθμός τερματικών TerminalSelect=Επιλέξτε το τερματικό που θέλετε να χρησιμοποιήσετε: POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module +POSTerminal=Τερματικό POS +POSModule=Μονάδα POS BasicPhoneLayout=Χρησιμοποιήστε τη βασική διάταξη για τα τηλέφωνα SetupOfTerminalNotComplete=Η εγκατάσταση του τερματικού %s δεν έχει ολοκληρωθεί DirectPayment=Άμεση πληρωμή @@ -79,5 +79,5 @@ InvoiceIsAlreadyValidated=Το τιμολόγιο έχει ήδη επικυρω NoLinesToBill=Δεν υπάρχουν γραμμές που να χρεώνουν CustomReceipt=Προσαρμοσμένη παραλαβή ReceiptName=Όνομα παραλαβής -ProductSupplements=Product Supplements -SupplementCategory=Supplement category +ProductSupplements=Συμπληρώματα προϊόντων +SupplementCategory=Συμπλήρωμα κατηγορίας diff --git a/htdocs/langs/el_GR/categories.lang b/htdocs/langs/el_GR/categories.lang index 9987dea9658..a1bd0ea4031 100644 --- a/htdocs/langs/el_GR/categories.lang +++ b/htdocs/langs/el_GR/categories.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - categories Rubrique=Ετικέτα/Κατηγορία Rubriques=Ετικέτες/Κατηγορίες -RubriquesTransactions=Tags/Categories of transactions +RubriquesTransactions=Ετικέτες / Κατηγορίες συναλλαγών categories=Ετικέτες/Κατηγορίες NoCategoryYet=Δεν έχει δημιουργηθεί τέτοια ετικέτα/κατηγορία In=Μέσα @@ -10,14 +10,14 @@ modify=Αλλαγή Classify=Ταξινόμηση CategoriesArea=Πεδίο Ετικέτες/Κατηγορίες ProductsCategoriesArea=Πεδίο Προϊόντα/Υπηρεσίες Ετικέτες/Κατηγορίες -SuppliersCategoriesArea=Vendors tags/categories area +SuppliersCategoriesArea=Περιοχές ετικετών / κατηγοριών προμηθευτών CustomersCategoriesArea=Πεδίο Ετικέτα/Κατηγορία Πελάτη MembersCategoriesArea=Πεδίο Ετικέτα/Κατηγορία Μελών ContactsCategoriesArea=Contacts tags/categories area AccountsCategoriesArea=Περιοχή Ετικετών/Κατηγοριών Λογαριασμών ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area -SubCats=Sub-categories +UsersCategoriesArea=Περιοχή ετικετών / κατηγοριών χρηστών +SubCats=Υποκατηγορίες CatList=Λίστα Ετικετών/Κατηγοριών NewCategory=Νέα Ετικέτα/Κατηγορία ModifCat=Τροποποίηση Ετικέτας/Κατηγορίας @@ -32,7 +32,7 @@ WasAddedSuccessfully=%s προστέθηκε με επιτυχία. ObjectAlreadyLinkedToCategory=Το στοιχείο έχει ήδη συνδεθεί με αυτή την ετικέτα/κατηγορία ProductIsInCategories=Το προϊόν/υπηρεσία έχει ήδη συνδεθεί με τις παρακάτω ετικέτες/κατηγορίες CompanyIsInCustomersCategories=This third party is linked to following customers/prospects tags/categories -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories +CompanyIsInSuppliersCategories=Αυτό το τρίτο μέρος συνδέεται με τις ακόλουθες ετικέτες / κατηγορίες πωλητών MemberIsInCategories=This member is linked to following members tags/categories ContactIsInCategories=Αυτή η επαφή είναι συνδεδεμένη με τις ακόλουθες ετικέτες/κατηγορίες ProductHasNoCategory=This product/service is not in any tags/categories @@ -48,29 +48,30 @@ ContentsNotVisibleByAllShort=Περιεχόμενα μη ορατά από όλ DeleteCategory=Διαγραφή ετικέτας/κατηγορίας ConfirmDeleteCategory=Είστε σίγουροι ότι θέλετε να διαγράψετε αυτή την ετικέτα/κατηγορία; NoCategoriesDefined=Δεν ορίστηκε ετικέτα/κατηγορία -SuppliersCategoryShort=Vendors tag/category +SuppliersCategoryShort=Ετικέτα / κατηγορία προμηθευτών CustomersCategoryShort=Πελάτες ετικέτα/κατηγορία ProductsCategoryShort=Προϊόντα ετικέτα/κατηγορία MembersCategoryShort=Μέλη ετικέτα/κατηγορία -SuppliersCategoriesShort=Vendors tags/categories +SuppliersCategoriesShort=Ετικέτες / κατηγορίες πωλητών CustomersCategoriesShort=Πελάτες ετικέτες/κατ ProspectsCategoriesShort=Ετικέτες/Κατηγορίες Προοπτικών -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories +CustomersProspectsCategoriesShort=Cust./Prosp. ετικέτες / κατηγορίες ProductsCategoriesShort=Προϊόντα ετικέτες/κατ MembersCategoriesShort=Μέλη ετικέτες/κατ ContactCategoriesShort=Ετικέτες/Κατηγορίας Επαφών AccountsCategoriesShort=Ετικέτες/Κατηγορίες Λογαριασμών ProjectsCategoriesShort=Projects tags/categories -UsersCategoriesShort=Users tags/categories +UsersCategoriesShort=Ετικέτες / κατηγορίες χρηστών +StockCategoriesShort=Ετικέτες / κατηγορίες αποθήκης ThisCategoryHasNoProduct=Αυτή η κατηγορία δεν περιέχει κανένα προϊόν. -ThisCategoryHasNoSupplier=This category does not contain any vendor. +ThisCategoryHasNoSupplier=Αυτή η κατηγορία δεν περιέχει προμηθευτή. ThisCategoryHasNoCustomer=Αυτή η κατηγορία δεν περιέχει κανένα πελάτη. ThisCategoryHasNoMember=Αυτή η κατηγορία δεν περιέχει κανένα μέλος. ThisCategoryHasNoContact=Αυτή η κατηγορία δεν περιέχει καμία επαφή. ThisCategoryHasNoAccount=Αυτή η κατηγορία δεν περιέχει κανέναν λογαριασμό ThisCategoryHasNoProject=This category does not contain any project. CategId=Ετικέτα/κατηγορία id -CatSupList=List of vendor tags/categories +CatSupList=Λίστα ετικετών / κατηγοριών πωλητών CatCusList=Λίστα πελάτη/προοπτικής ετικέτες/κατηγορίες CatProdList=Λίστα προϊόντων ετικέτες/κατηγορίες CatMemberList=Λίστα μελών ετικέτες/κατηγορίες @@ -83,8 +84,11 @@ DeleteFromCat=Αφαίρεση αυτής της ετικέτας/κατηγορ ExtraFieldsCategories=Συμπληρωματικά χαρακτηριστικά CategoriesSetup=Ρύθμιση ετικετών/κατηγοριών CategorieRecursiv=Αυτόματη σύνδεση με μητρική ετικέτα/κατηγορία -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. +CategorieRecursivHelp=Εάν είναι ενεργοποιημένη η επιλογή, όταν προσθέσετε ένα προϊόν σε μια υποκατηγορία, το προϊόν θα προστεθεί επίσης στην κατηγορία γονέων. AddProductServiceIntoCategory=Προσθέστε το ακόλουθο προϊόν/υπηρεσία ShowCategory=Εμφάνιση ετικέτας/κατηγορίας ByDefaultInList=By default in list -ChooseCategory=Choose category +ChooseCategory=Επιλέξτε κατηγορία +StocksCategoriesArea=Αποθήκες Κατηγορίες Περιοχή +ActionCommCategoriesArea=Περιοχή κατηγοριών Εκδηλώσεων +UseOrOperatorForCategories=Χρήση ή χειριστής για κατηγορίες diff --git a/htdocs/langs/el_GR/commercial.lang b/htdocs/langs/el_GR/commercial.lang index b57f6c847bc..973354b0f95 100644 --- a/htdocs/langs/el_GR/commercial.lang +++ b/htdocs/langs/el_GR/commercial.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - commercial -Commercial=Commerce -CommercialArea=Commerce area +Commercial=Εμπορικό +CommercialArea=Περιοχή Εμπορικού Customer=Πελάτης Customers=Πελάτες Prospect=Προοπτική diff --git a/htdocs/langs/el_GR/companies.lang b/htdocs/langs/el_GR/companies.lang index 5440884071c..a3d237a88d9 100644 --- a/htdocs/langs/el_GR/companies.lang +++ b/htdocs/langs/el_GR/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Πρότυπο Id 1 (CUI) +ProfId2RO=Πρότυπο Id 2 (Nr. Înmatriculare) +ProfId3RO=Πρότυπο Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Πρότυπο Id 5 (EUID) +ProfId6RO=- ProfId1RU=Καθ Id 1 (OGRN) ProfId2RU=Καθ Id 2 (INN) ProfId3RU=Καθ Id 3 (KPP) @@ -406,6 +412,13 @@ AllocateCommercial=Έχει αποδοθεί σε αντιπρόσωπο πωλ Organization=Οργανισμός FiscalYearInformation=Οικονομικό έτος FiscalMonthStart=Μήνας Εκκίνησης Οικονομικού Έτους +SocialNetworksInformation=Κοινωνικά δίκτυα +SocialNetworksFacebookURL=Facebook URL σύνδεσμος +SocialNetworksTwitterURL=Twitter URL σύνδεσμος +SocialNetworksLinkedinURL=Linkedin URL σύνδεσμος +SocialNetworksInstagramURL=Instagram URL σύνδεσμος +SocialNetworksYoutubeURL=Youtube URL σύνδεσμος +SocialNetworksGithubURL=Github URL σύνδεσμος YouMustAssignUserMailFirst=Πρέπει να δημιουργήσετε ένα μήνυμα ηλεκτρονικού ταχυδρομείου για αυτόν τον χρήστη πριν να μπορέσετε να προσθέσετε μια ειδοποίηση μέσω ηλεκτρονικού ταχυδρομείου. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=Λίστα προμηθευτών diff --git a/htdocs/langs/el_GR/compta.lang b/htdocs/langs/el_GR/compta.lang index 819ceb80e64..751a1c0d199 100644 --- a/htdocs/langs/el_GR/compta.lang +++ b/htdocs/langs/el_GR/compta.lang @@ -11,59 +11,59 @@ FeatureIsSupportedInInOutModeOnly=Feature only available in CREDITS-DEBTS accoun VATReportBuildWithOptionDefinedInModule=Amounts shown here are calculated using rules defined by Tax module setup. LTReportBuildWithOptionDefinedInModule=Τα ποσά που εμφανίζονται εδώ υπολογίζονται με βάση τους κανόνες που ορίζονται από την εγκατάσταση της Εταιρείας. Param=Παραμετροποίηση -RemainingAmountPayment=Amount payment remaining: +RemainingAmountPayment=Ποσό πληρωμής που απομένει: Account=Λογαριασμός Accountparent=Parent account Accountsparent=Parent accounts Income=Έσοδα Outcome=Έξοδα MenuReportInOut=Έσοδα / Έξοδα -ReportInOut=Balance of income and expenses -ReportTurnover=Turnover invoiced -ReportTurnoverCollected=Turnover collected +ReportInOut=Ισοζύγιο εσόδων και εξόδων +ReportTurnover=Ο κύκλος εργασιών τιμολογείται +ReportTurnoverCollected=Ο κύκλος εργασιών συγκεντρώθηκε PaymentsNotLinkedToInvoice=Η πληρωμή δεν είναι συνδεδεμένη με κάποιο τιμολόγιο, οπότε δεν συνδέετε με κάποιο στοιχείο/αντιπρόσωπο PaymentsNotLinkedToUser=Η πληρωμή δεν είναι συνδεδεμένη με κάποιον πελάτη Profit=Κέρδος AccountingResult=Λογιστικό αποτέλεσμα -BalanceBefore=Balance (before) +BalanceBefore=Υπόλοιπο (πριν) Balance=Ισοζύγιο Debit=Χρέωση Credit=Πίστωση Piece=Λογιστικό Εγγρ. AmountHTVATRealReceived=Σύνολο καθαρών εισπράξεων AmountHTVATRealPaid=Σύνολο καθαρών πληρωμένων -VATToPay=Tax sales -VATReceived=Tax received -VATToCollect=Tax purchases -VATSummary=Tax monthly -VATBalance=Tax Balance -VATPaid=Tax paid -LT1Summary=Tax 2 summary -LT2Summary=Tax 3 summary +VATToPay=Φορολογικές πωλήσεις +VATReceived=Έλαβε φόρο +VATToCollect=Αγορές φόρων +VATSummary=Φόρος μηνιαίως +VATBalance=Ισοζύγιο φόρου +VATPaid=Πληρωμή φόρου +LT1Summary=Φορολογική περίληψη 2 +LT2Summary=Φύση 3 περίληψη LT1SummaryES=RE Υπόλοιπο LT2SummaryES=IRPF Υπόλοιπο -LT1SummaryIN=CGST Balance +LT1SummaryIN=CGST Υπόλοιπο LT2SummaryIN=SGST Balance -LT1Paid=Tax 2 paid -LT2Paid=Tax 3 paid +LT1Paid=Φόρος 2 πληρώνεται +LT2Paid=Φόρος 3 πληρώνεται LT1PaidES=RE Πληρωμένα LT2PaidES=Αμειβόμενος IRPF -LT1PaidIN=CGST Paid -LT2PaidIN=SGST Paid -LT1Customer=Tax 2 sales -LT1Supplier=Tax 2 purchases +LT1PaidIN=CGST Αμειβόμενος +LT2PaidIN=Το SGST πληρώθηκε +LT1Customer=Φορολογικές πωλήσεις 2 +LT1Supplier=Φόρος 2 αγορές LT1CustomerES=RE πωλήσεις LT1SupplierES=RE αγορές -LT1CustomerIN=CGST sales -LT1SupplierIN=CGST purchases -LT2Customer=Tax 3 sales -LT2Supplier=Tax 3 purchases +LT1CustomerIN=CGST πωλήσεις +LT1SupplierIN=CGST αγορές +LT2Customer=Φορολογικές πωλήσεις 3 +LT2Supplier=Φόρος 3 αγορές LT2CustomerES=IRPF πωλήσεις LT2SupplierES=IRPF αγορές -LT2CustomerIN=SGST sales -LT2SupplierIN=SGST purchases +LT2CustomerIN=Πωλήσεις SGST +LT2SupplierIN=Οι αγορές SGST VATCollected=VAT collected -ToPay=Προς πληρωμή +StatusToPay=Προς πληρωμή SpecialExpensesArea=Περιοχή για όλες τις ειδικές πληρωμές SocialContribution=Κοινωνική ή φορολογική εισφορά SocialContributions=Κοινωνικές ή φορολογικές εισφορές @@ -78,15 +78,15 @@ MenuNewSocialContribution=Νέα Κοιν/Φορ εισφορά NewSocialContribution=Νέα Κοινωνική/Φορολογική εισφορά AddSocialContribution=Add social/fiscal tax ContributionsToPay=Κοινωνικές/Φορολογικές εισφορές προς πληρωμή -AccountancyTreasuryArea=Billing and payment area +AccountancyTreasuryArea=Τομέας χρεώσεων και πληρωμών NewPayment=Νέα Πληρωμή PaymentCustomerInvoice=Πληρωμή τιμολογίου πελάτη -PaymentSupplierInvoice=vendor invoice payment +PaymentSupplierInvoice=πληρωμή τιμολογίου προμηθευτή PaymentSocialContribution=Πληρωμή Κοινωνικής/Φορολογικής εισφοράς PaymentVat=Πληρωμή Φ.Π.Α. ListPayment=Λίστα πληρωμών ListOfCustomerPayments=Λίστα πληρωμών πελατών -ListOfSupplierPayments=List of vendor payments +ListOfSupplierPayments=Λίστα πληρωμών προμηθευτών DateStartPeriod=Ημερομηνία έναρξης περιόδου DateEndPeriod=Ημερομηνία λήξης περιόδου newLT1Payment=New tax 2 payment @@ -104,22 +104,22 @@ LT2PaymentsES=Πληρωμές IRPF VATPayment=Πληρωμή ΦΠΑ πωλήσεων VATPayments=Πληρωμές ΦΠΑ πωλήσεων VATRefund=Sales tax refund -NewVATPayment=New sales tax payment -NewLocalTaxPayment=New tax %s payment +NewVATPayment=Νέα καταβολή φόρου επί των πωλήσεων +NewLocalTaxPayment=Νέα πληρωμή φόρου %s Refund=Refund SocialContributionsPayments=Πληρωμές Κοινωνικών/Φορολογικών εισφορών ShowVatPayment=Εμφάνιση πληρωμής φόρου TotalToPay=Σύνολο πληρωμής BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account -CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +CustomerAccountancyCode=Κωδικός λογιστικής πελάτη +SupplierAccountancyCode=Κωδικός Προμηθευτή CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Αριθμός Λογαριασμού NewAccountingAccount=Νέος Λογαριασμός -Turnover=Turnover invoiced -TurnoverCollected=Turnover collected -SalesTurnoverMinimum=Minimum turnover +Turnover=Ο κύκλος εργασιών τιμολογείται +TurnoverCollected=Ο κύκλος εργασιών συγκεντρώθηκε +SalesTurnoverMinimum=Ελάχιστος κύκλος εργασιών ByExpenseIncome=By expenses & incomes ByThirdParties=Ανά στοιχεία ByUserAuthorOfInvoice=Ανά συντάκτη τιμολογίου @@ -131,7 +131,7 @@ NewCheckDeposit=Νέα κατάθεση επιταγής NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=Δεν υπάρχουν επιταγές που αναμένουν κατάθεση. DateChequeReceived=Check reception input date -NbOfCheques=No. of checks +NbOfCheques=Αριθμός ελέγχων PaySocialContribution=Πληρωμή Κοινωνικής/Φορολογικής εισφοράς ConfirmPaySocialContribution=Είστε σίγουροι ότι θέλετε να χαρακτηριστεί αυτή η Κοινωνική/Φορολογική εισφορά ως πληρωμένη; DeleteSocialContribution=Διαγραφή Κοινωνικής/Φορολογικής εισφοράς @@ -139,9 +139,9 @@ ConfirmDeleteSocialContribution=Είστε σίγουροι ότι θέλετε ExportDataset_tax_1=Κοινωνικές/Φορολογικές εισφορές και πληρωμές CalcModeVATDebt=Κατάσταση %sΦΠΑ επί των λογιστικών υποχρεώσεων%s CalcModeVATEngagement=Κατάσταση %sΦΠΑ επί των εσόδων-έξοδα%s. -CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger. -CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger. -CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. +CalcModeDebt=Ανάλυση γνωστών καταγεγραμμένων τιμολογίων, ακόμη και αν δεν έχουν ακόμη καταλογιστεί στο βιβλίο. +CalcModeEngagement=Ανάλυση γνωστών καταγεγραμμένων πληρωμών, ακόμη και αν δεν έχουν ακόμη καταλογιστεί στο Ledger. +CalcModeBookkeeping=Ανάλυση δεδομένων που έχουν καταχωρηθεί στον πίνακα Λογαριασμού Λογιστηρίου. CalcModeLT1= Λειτουργία %sRE στα τιμολόγια πελατών - τιμολόγια προμηθευτών%s CalcModeLT1Debt=Λειτουργία %sRE στα τιμολόγια των πελατών%s (Αφορά φορολογικούς συντελεστές του Ισπανικού κράτους) CalcModeLT1Rec= Λειτουργία %sRE στα τιμολόγια των προμηθευτών%s (Αφορά φορολογικούς συντελεστές του Ισπανικού κράτους) @@ -150,47 +150,47 @@ CalcModeLT2Debt=Λειτουργία %sIRPF στα τιμολόγια των CalcModeLT2Rec= Λειτουργία %sIRPF στα τιμολόγια των προμηθευτών%s (Αφορά φορολογικούς συντελεστές του Ισπανικού κράτους) AnnualSummaryDueDebtMode=Υπόλοιπο των εσόδων και εξόδων, ετήσια σύνοψη AnnualSummaryInputOutputMode=Υπόλοιπο των εσόδων και εξόδων, ετήσια σύνοψη -AnnualByCompanies=Balance of income and expenses, by predefined groups of account -AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting. -AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting. -SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger. -SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger. -SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table +AnnualByCompanies=Ισοζύγιο εσόδων και εξόδων, βάσει προκαθορισμένων ομάδων λογαριασμού +AnnualByCompaniesDueDebtMode=Ισοζύγιο εσόδων και εξόδων, λεπτομέρεια κατά προκαθορισμένες ομάδες, τρόπος %sClaims-Debts%s δήλωσε τη λογιστική δέσμευσης . +AnnualByCompaniesInputOutputMode=Ισοζύγιο εσόδων και εξόδων, λεπτομέρεια κατά προκαθορισμένες ομάδες, τρόπος %sIncomes-Expenses%s δήλωσε ταμειακή λογιστική . +SeeReportInInputOutputMode=Ανατρέξτε στο %sanalysis of payments%s για έναν υπολογισμό σχετικά με τις πραγματικές πληρωμές, ακόμη και αν δεν έχουν ακόμη λογιστικοποιηθεί στο Ledger. +SeeReportInDueDebtMode=Ανατρέξτε στο %sanalysis των τιμολογίων%s για έναν υπολογισμό βασισμένο σε γνωστά καταγεγραμμένα τιμολόγια, ακόμη και αν δεν έχουν ακόμη καταλογιστεί στο Ledger. +SeeReportInBookkeepingMode=Δείτε %sBookeeping report%s για έναν υπολογισμό στον πίνακα " Λογαριασμός Λογιστηρίου" RulesAmountWithTaxIncluded=- Amounts shown are with all taxes included RulesResultDue=- It includes outstanding invoices, expenses, VAT, donations whether they are paid or not. Is also includes paid salaries.
- It is based on the validation date of invoices and VAT and on the due date for expenses. For salaries defined with Salary module, the value date of payment is used. RulesResultInOut=- It includes the real payments made on invoices, expenses, VAT and salaries.
- It is based on the payment dates of the invoices, expenses, VAT and salaries. The donation date for donation. -RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the validation date of these invoices.
-RulesCAIn=- It includes all the effective payments of invoices received from customers.
- It is based on the payment date of these invoices
-RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. -RulesAmountOnInOutBookkeepingRecord=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPredefined=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" -RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting accounts grouped by personalized groups -SeePageForSetup=See menu %s for setup -DepositsAreNotIncluded=- Down payment invoices are not included +RulesCADue=- Περιλαμβάνει τα οφειλόμενα τιμολόγια του πελάτη, είτε πληρώνονται είτε όχι.
- Βασίζεται στην ημερομηνία επικύρωσης αυτών των τιμολογίων.
+RulesCAIn=- Περιλαμβάνει όλες τις πραγματικές πληρωμές τιμολογίων που εισπράττονται από πελάτες.
- Βασίζεται στην ημερομηνία πληρωμής αυτών των τιμολογίων
+RulesCATotalSaleJournal=Περιλαμβάνει όλες τις πιστωτικές γραμμές από το περιοδικό Sale. +RulesAmountOnInOutBookkeepingRecord=Περιλαμβάνει την εγγραφή στον Λογαριασμό σας με Λογαριασμούς Λογαριασμού που έχει την ομάδα "ΕΞΟΔΑ" ή "ΕΙΣΟΔΟΣ" +RulesResultBookkeepingPredefined=Περιλαμβάνει την εγγραφή στον Λογαριασμό σας με Λογαριασμούς Λογαριασμού που έχει την ομάδα "ΕΞΟΔΑ" ή "ΕΙΣΟΔΟΣ" +RulesResultBookkeepingPersonalized=Εμφανίζει ρεκόρ στο Λογαριασμό σας με λογαριασμούς λογαριασμών ομαδοποιημένους από εξατομικευμένες ομάδες +SeePageForSetup=Δείτε το μενού %s για τη ρύθμιση +DepositsAreNotIncluded=- Δεν συμπεριλαμβάνονται τα τιμολόγια για τις προκαταβολές DepositsAreIncluded=- Down payment invoices are included -LT1ReportByCustomers=Report tax 2 by third party -LT2ReportByCustomers=Report tax 3 by third party +LT1ReportByCustomers=Αναφέρετε τον φόρο 2 από τρίτους +LT2ReportByCustomers=Αναφορά φόρου 3 από τρίτους LT1ReportByCustomersES=Αναφορά Πελ./Προμ. RE LT2ReportByCustomersES=Έκθεση του τρίτου IRPF -VATReport=Sale tax report -VATReportByPeriods=Sale tax report by period -VATReportByRates=Sale tax report by rates -VATReportByThirdParties=Sale tax report by third parties -VATReportByCustomers=Sale tax report by customer +VATReport=Έκθεση φορολογίας πώλησης +VATReportByPeriods=Έκθεση φορολογίας πώλησης ανά περίοδο +VATReportByRates=Πώληση φορολογική έκθεση με τιμές +VATReportByThirdParties=Έκδοση φορολογικού δελτίου από τρίτους +VATReportByCustomers=Πώληση φορολογική έκθεση από τον πελάτη VATReportByCustomersInInputOutputMode=Αναφορά από τον ΦΠΑ των πελατών εισπράττεται και καταβάλλεται -VATReportByQuartersInInputOutputMode=Report by Sale tax rate of the tax collected and paid -LT1ReportByQuarters=Report tax 2 by rate -LT2ReportByQuarters=Report tax 3 by rate +VATReportByQuartersInInputOutputMode=Υποβολή φορολογικού συντελεστή πωλήσεων του εισπραχθέντος και καταβληθέντος φόρου +LT1ReportByQuarters=Αναφέρετε τον φόρο 2 με βάση την τιμή +LT2ReportByQuarters=Αναφέρετε τον φόρο 3 με βάση την τιμή LT1ReportByQuartersES=Αναφορά με ποσοστό RE LT2ReportByQuartersES=Αναφορά IRPF επιτόκιο SeeVATReportInInputOutputMode=See report %sVAT encasement%s for a standard calculation SeeVATReportInDueDebtMode=See report %sVAT on flow%s for a calculation with an option on the flow RulesVATInServices=- Για τις υπηρεσίες, η αναφορά περιλαμβάνει τους κανονισμούς ΦΠΑ που πράγματι εισπράχθηκαν ή εκδίδονται με βάση την ημερομηνία πληρωμής. -RulesVATInProducts=- For material assets, the report includes the VAT received or issued on the basis of the date of payment. +RulesVATInProducts=- Για τα περιουσιακά στοιχεία, η αναφορά περιλαμβάνει τον ΦΠΑ που εισπράχθηκε ή εκδόθηκε με βάση την ημερομηνία πληρωμής. RulesVATDueServices=- Για τις υπηρεσίες, η έκθεση περιλαμβάνει τα τιμολόγια ΦΠΑ που οφείλεται, αμειβόμενη ή μη, με βάση την ημερομηνία έκδοσης του τιμολογίου. -RulesVATDueProducts=- For material assets, the report includes the VAT invoices, based on the invoice date. +RulesVATDueProducts=- Για τα περιουσιακά στοιχεία, η αναφορά περιλαμβάνει τα τιμολόγια ΦΠΑ, με βάση την ημερομηνία του τιμολογίου. OptionVatInfoModuleComptabilite=Note: For material assets, it should use the date of delivery to be more fair. -ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values +ThisIsAnEstimatedValue=Πρόκειται για μια προεπισκόπηση που βασίζεται σε επιχειρηματικά γεγονότα και όχι στον τελικό πίνακα, έτσι ώστε τα τελικά αποτελέσματα να διαφέρουν από αυτές τις τιμές προεπισκόπησης PercentOfInvoice=%%/τιμολόγιο NotUsedForGoods=Δεν γίνεται χρήση σε υλικά αγαθά ProposalStats=Στατιστικά στοιχεία σχετικά με τις προτάσεις @@ -211,26 +211,26 @@ Pcg_version=Chart of accounts models Pcg_type=Pcg type Pcg_subtype=Pcg subtype InvoiceLinesToDispatch=Invoice lines to dispatch -ByProductsAndServices=By product and service +ByProductsAndServices=Ανά προϊόν και υπηρεσία RefExt=Εξωτερικές αναφορές ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click onto button "%s". LinkedOrder=Σύνδεση με παραγγελία Mode1=Μέθοδος 1 Mode2=Μέθοδος 2 CalculationRuleDesc=Για να υπολογιστεί το συνολικό ΦΠΑ, υπάρχουν δύο μέθοδοι:
Μέθοδος 1 στρογγυλοποίηση ΦΠΑ για κάθε γραμμή, στη συνέχεια, αθροίζοντας τους.
Μέθοδος 2 αθροίζοντας όλων των ΦΠΑ σε κάθε γραμμή, τότε η στρογγυλοποίηση είναι στο αποτέλεσμα.
Το τελικό αποτέλεσμα μπορεί να διαφέρει από λίγα λεπτά. Προεπιλεγμένη λειτουργία είναι η λειτουργία %s. -CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. -TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced. -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced. +CalculationRuleDescSupplier=Σύμφωνα με τον προμηθευτή, επιλέξτε κατάλληλη μέθοδο για να εφαρμόσετε τον ίδιο κανόνα υπολογισμού και για να λάβετε το ίδιο αποτέλεσμα που αναμένεται από τον προμηθευτή σας. +TurnoverPerProductInCommitmentAccountingNotRelevant=Η αναφορά κύκλου εργασιών που συλλέγεται ανά προϊόν δεν είναι διαθέσιμη. Αυτή η αναφορά είναι διαθέσιμη μόνο για το τιμολόγιο κύκλου εργασιών. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Η αναφορά του κύκλου εργασιών που έχει συγκεντρωθεί ανά φορολογικό συντελεστή πώλησης δεν είναι διαθέσιμη. Αυτή η αναφορά είναι διαθέσιμη μόνο για το τιμολόγιο κύκλου εργασιών. CalculationMode=Τρόπος υπολογισμού -AccountancyJournal=Accounting code journal -ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) -ACCOUNTING_VAT_BUY_ACCOUNT=Accounting account by default for VAT on purchases (used if not defined on VAT dictionary setup) +AccountancyJournal=Λογιστικό περιοδικό λογιστικής +ACCOUNTING_VAT_SOLD_ACCOUNT=Λογαριασμός λογιστικής από προεπιλογή για Φ.Π.Α. στις πωλήσεις (χρησιμοποιείται αν δεν ορίζεται στη ρύθμιση λεξικού ΦΠΑ) +ACCOUNTING_VAT_BUY_ACCOUNT=Λογαριασμός λογιστικής από προεπιλογή για Φ.Π.Α. στις αγορές (χρησιμοποιείται αν δεν έχει οριστεί στη ρύθμιση λεξικού ΦΠΑ) ACCOUNTING_VAT_PAY_ACCOUNT=Accounting account by default for paying VAT ACCOUNTING_ACCOUNT_CUSTOMER=Accounting account used for customer third parties -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accounting account on third party is not defined. -ACCOUNTING_ACCOUNT_SUPPLIER=Accounting account used for vendor third parties -ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated vendor accounting account on third party is not defined. -ConfirmCloneTax=Confirm the clone of a social/fiscal tax +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Ο αποκλειστικός λογιστικός λογαριασμός που ορίζεται σε κάρτα τρίτου μέρους θα χρησιμοποιηθεί μόνο για τη λογιστική της Subledger. Αυτός θα χρησιμοποιηθεί για τη Γενική Λογιστική και ως προεπιλεγμένη αξία της λογιστικής Subledger, εάν δεν έχει οριστεί ειδικό λογαριασμός λογιστικής πελάτη σε τρίτους. +ACCOUNTING_ACCOUNT_SUPPLIER=Λογαριασμός λογιστικής που χρησιμοποιείται για τους τρίτους προμηθευτές +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Ο αποκλειστικός λογιστικός λογαριασμός που ορίζεται σε κάρτα τρίτου μέρους θα χρησιμοποιηθεί μόνο για τη λογιστική της Subledger. Αυτός θα χρησιμοποιηθεί για τη Γενική Λογιστική και ως προεπιλεγμένη αξία της λογιστικής της Subleger εάν δεν έχει καθοριστεί ο λογαριασμός λογιστικής αποκλειστικής προμήθειας σε τρίτους. +ConfirmCloneTax=Επιβεβαιώστε τον κλώνο ενός κοινωνικού / φορολογικού φόρου CloneTaxForNextMonth=Clone it for next month SimpleReport=Απλή αναφορά AddExtraReport=Extra reports (add foreign and national customer report) @@ -244,13 +244,14 @@ ImportDataset_tax_vat=Vat payments ErrorBankAccountNotFound=Error: Bank account not found FiscalPeriod=Accounting period ListSocialContributionAssociatedProject=List of social contributions associated with the project -DeleteFromCat=Remove from accounting group -AccountingAffectation=Accounting assignment -LastDayTaxIsRelatedTo=Last day of period the tax is related to -VATDue=Sale tax claimed -ClaimedForThisPeriod=Claimed for the period -PaidDuringThisPeriod=Paid during this period -ByVatRate=By sale tax rate -TurnoverbyVatrate=Turnover invoiced by sale tax rate -TurnoverCollectedbyVatrate=Turnover collected by sale tax rate -PurchasebyVatrate=Purchase by sale tax rate +DeleteFromCat=Κατάργηση από τη λογιστική ομάδα +AccountingAffectation=Λογιστική εκχώρηση +LastDayTaxIsRelatedTo=Την τελευταία ημέρα της περιόδου ο φόρος σχετίζεται με +VATDue=Φόρος πωλήσεων που αξιώνεται +ClaimedForThisPeriod=Ισχυρίζεται για την περίοδο +PaidDuringThisPeriod=Πληρωμή κατά τη διάρκεια αυτής της περιόδου +ByVatRate=Με φορολογικό συντελεστή πώλησης +TurnoverbyVatrate=Ο κύκλος εργασιών τιμολογείται από το συντελεστή φόρου πώλησης +TurnoverCollectedbyVatrate=Ο κύκλος εργασιών που εισπράττεται από το φορολογικό συντελεστή πώλησης +PurchasebyVatrate=Ποσοστό φόρου επί των πωλήσεων +LabelToShow=Σύντομη ετικέτα diff --git a/htdocs/langs/el_GR/deliveries.lang b/htdocs/langs/el_GR/deliveries.lang index de2c33d9116..cdb0fc9be46 100644 --- a/htdocs/langs/el_GR/deliveries.lang +++ b/htdocs/langs/el_GR/deliveries.lang @@ -2,7 +2,7 @@ Delivery=Παράδοση DeliveryRef=Ref Delivery DeliveryCard=Receipt card -DeliveryOrder=Delivery receipt +DeliveryOrder=Αποδεικτικό παράδοσης DeliveryDate=Ημερ. παράδοσης CreateDeliveryOrder=Generate delivery receipt DeliveryStateSaved=Αποθηκεύτηκε η κατάσταση παράδοσης diff --git a/htdocs/langs/el_GR/donations.lang b/htdocs/langs/el_GR/donations.lang index ea2fdaccb78..35d85de1050 100644 --- a/htdocs/langs/el_GR/donations.lang +++ b/htdocs/langs/el_GR/donations.lang @@ -17,6 +17,7 @@ DonationStatusPromiseNotValidatedShort=Προσχέδιο DonationStatusPromiseValidatedShort=Επικυρωμένη DonationStatusPaidShort=Ληφθήσα DonationTitle=Παραλαβή Δωρεάς +DonationDate=Ημερομηνία δωρεάς DonationDatePayment=Ημερομηνία πληρωμής ValidPromess=Επικύρωση υπόσχεσης DonationReceipt=Απόδειξη δωρεάς @@ -31,4 +32,4 @@ DONATION_ART200=Δείτε το άρθρο 200 από το CGI αν ανησυχ DONATION_ART238=Δείτε το άρθρο 238 από το CGI αν ανησυχείτε DONATION_ART885=Δείτε το άρθρο 885 από το CGI αν ανησυχείτε DonationPayment=Πληρωμή Δωρεάς -DonationValidated=Donation %s validated +DonationValidated=Η δωρεά %s επικυρώθηκε diff --git a/htdocs/langs/el_GR/errors.lang b/htdocs/langs/el_GR/errors.lang index 5a06df1aee1..28e8ac5859e 100644 --- a/htdocs/langs/el_GR/errors.lang +++ b/htdocs/langs/el_GR/errors.lang @@ -109,7 +109,7 @@ ErrorRecordAlreadyExists=Εγγραφή υπάρχει ήδη ErrorLabelAlreadyExists=Αυτή η ετικέτα υπάρχει ήδη ErrorCantReadFile=Αποτυχία ανάγνωσης αρχείου "%s» ErrorCantReadDir=Αποτυχία ανάγνωσης »%s» κατάλογο -ErrorBadLoginPassword=Bad αξία για σύνδεση ή τον κωδικό πρόσβασης +ErrorBadLoginPassword=Το Όνομα Χρήστη ή ο Κωδικός Χρήστη είναι λάθος ErrorLoginDisabled=Ο λογαριασμός σας έχει απενεργοποιηθεί ErrorFailedToRunExternalCommand=Απέτυχε να τρέξει εξωτερική εντολή. Ελέγξτε ότι είναι διαθέσιμο και εκτελέσιμη από PHP server σας. Αν η PHP Safe Mode είναι ενεργοποιημένη, βεβαιωθείτε ότι η εντολή είναι μέσα σε έναν κατάλογο που ορίζεται από safe_mode_exec_dir παράμετρο. ErrorFailedToChangePassword=Αποτυχία να αλλάξετε τον κωδικό πρόσβασης @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Χρήστης με %s login δεν θα μπορ ErrorLoginHasNoEmail=Αυτός ο χρήστης δεν έχει τη διεύθυνση ηλεκτρονικού ταχυδρομείου. Επεξεργασία ματαιώθηκε. ErrorBadValueForCode=Κακό αξία για τον κωδικό ασφαλείας. Δοκιμάστε ξανά με νέα τιμή ... ErrorBothFieldCantBeNegative=Πεδία %s %s και δεν μπορεί να είναι τόσο αρνητικές όσο -ErrorFieldCantBeNegativeOnInvoice=Το πεδίο %s δεν μπορεί να είναι αρνητικό σε αυτόν τον τύπο τιμολογίου. Αν θέλετε να προσθέσετε μια γραμμή έκπτωσης, απλά δημιουργήστε την έκπτωση πρώτα με την σύνδεση %s στην οθόνη και την εφαρμόσετε στο τιμολόγιο. Μπορείτε επίσης να ζητήσετε από το διαχειριστή σας να θέσει την επιλογή FACTURE_ENABLE_NEGATIVE_LINES σε 1 για να επιτρέψει την παλιά συμπεριφορά. +ErrorFieldCantBeNegativeOnInvoice=Το πεδίο %s δεν μπορεί να είναι αρνητικό σε αυτόν τον τύπο τιμολογίου. Εάν πρέπει να προσθέσετε μια γραμμή έκπτωσης, απλώς δημιουργήστε την έκπτωση πρώτα (από το πεδίο '%s' στην κάρτα τρίτου μέρους) και εφαρμόστε την στο τιμολόγιο. Μπορείτε επίσης να ζητήσετε από το διαχειριστή σας να θέσει την επιλογή FACTURE_ENABLE_NEGATIVE_LINES σε 1 για να επιτρέψει την παλιά συμπεριφορά. +ErrorLinesCantBeNegativeOnDeposits=Οι γραμμές δεν μπορούν να είναι αρνητικές σε μια κατάθεση. Θα αντιμετωπίσετε προβλήματα όταν θα χρειαστεί να καταναλώσετε την προκαταβολή στο τελικό τιμολόγιο εάν το κάνετε. ErrorQtyForCustomerInvoiceCantBeNegative=Η ποσότητα στην γραμμή στα τιμολόγια των πελατών δεν μπορεί να είναι αρνητική ErrorWebServerUserHasNotPermission=Λογαριασμό χρήστη %s χρησιμοποιείται για την εκτέλεση του web server δεν έχει άδεια για τη συγκεκριμένη ErrorNoActivatedBarcode=Δεν ενεργοποιείται τύπου barcode @@ -223,7 +224,9 @@ ErrorSearchCriteriaTooSmall=Τα κριτήρια αναζήτησης είνα ErrorObjectMustHaveStatusActiveToBeDisabled=Τα αντικείμενα πρέπει να έχουν την κατάσταση 'Ενεργή' για απενεργοποίηση ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Τα αντικείμενα πρέπει να έχουν την κατάσταση 'Προετοιμασία' ή 'Απενεργοποίηση' για ενεργοποίηση ErrorNoFieldWithAttributeShowoncombobox=Κανένα πεδίο δεν έχει την ιδιότητα 'showoncombobox' στον ορισμό του αντικειμένου '%s'. Κανένας τρόπος να δείξουμε τον συνθέτη. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ErrorFieldRequiredForProduct=Το πεδίο '%s' απαιτείται για το προϊόν %s +ProblemIsInSetupOfTerminal=Πρόβλημα στη ρύθμιση του τερματικού %s. +ErrorAddAtLeastOneLineFirst=Προσθέστε πρώτα τουλάχιστον μια γραμμή # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Η παράμετρος PHP upload_max_filesize (%s) είναι υψηλότερη από την παράμετρο PHP post_max_size (%s). Αυτό δεν είναι μια σταθερή ρύθμιση. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. @@ -249,4 +252,4 @@ WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translatio WarningNumberOfRecipientIsRestrictedInMassAction=Προειδοποίηση, ο αριθμός διαφορετικών παραληπτών περιορίζεται στο %s όταν χρησιμοποιείτε τις μαζικές ενέργειες σε λίστες WarningDateOfLineMustBeInExpenseReportRange=Προειδοποίηση, η ημερομηνία της γραμμής δεν βρίσκεται στο εύρος της έκθεσης δαπανών WarningProjectClosed=Το έργο είναι κλειστό. Πρέπει πρώτα να το ανοίξετε ξανά. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningSomeBankTransactionByChequeWereRemovedAfter=Ορισμένες τραπεζικές συναλλαγές καταργήθηκαν μετά την ενσωμάτωσής τους εκεί οπου δημιουργήθηκαν. Επομένως, οι έλεγχοι και το σύνολο της απόδειξης μπορεί να διαφέρουν από τον αριθμό και το σύνολο της λίστας. diff --git a/htdocs/langs/el_GR/holiday.lang b/htdocs/langs/el_GR/holiday.lang index 1f5405edf86..7f9e53c6a99 100644 --- a/htdocs/langs/el_GR/holiday.lang +++ b/htdocs/langs/el_GR/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Είδος αναγνωριστικού άδειας TypeOfLeaveCode=Τύπος κωδικού άδειας TypeOfLeaveLabel=Τύπος ετικέτας άδειας NbUseDaysCP=Αριθμός των ημερών για τις άδειες που καταναλώνεται +NbUseDaysCPHelp=Ο υπολογισμός λαμβάνει υπόψη τις μη εργάσιμες ημέρες και τις αργίες που ορίζονται στο λεξικό. NbUseDaysCPShort=Ημέρες κατανάλωσης NbUseDaysCPShortInMonth=Ημέρες κατανάλωσης κατά το μήνα +DayIsANonWorkingDay=Η %s είναι μη εργάσιμη μέρα DateStartInMonth=Ημερομηνία έναρξης του μήνα DateEndInMonth=Ημερομηνία λήξης μήνα EditCP=Επεξεργασία @@ -128,4 +130,4 @@ TemplatePDFHolidays=Πρότυπο για αιτήσεις άδειας PDF FreeLegalTextOnHolidays=Δωρεάν κείμενο σε μορφή PDF WatermarkOnDraftHolidayCards=Υδατογραφήματα σε σχέδια αιτήσεων άδειας HolidaysToApprove=Διακοπές για έγκριση -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays +NobodyHasPermissionToValidateHolidays=Κανείς δεν έχει άδεια να επικυρώσει διακοπές diff --git a/htdocs/langs/el_GR/install.lang b/htdocs/langs/el_GR/install.lang index ccc26bcf137..53e77356853 100644 --- a/htdocs/langs/el_GR/install.lang +++ b/htdocs/langs/el_GR/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Αυτή η PHP υποστηρίζει το Curl. PHPSupportCalendar=Αυτή η PHP υποστηρίζει επεκτάσεις ημερολογίων. PHPSupportUTF8=Αυτή η PHP υποστηρίζει τις λειτουργίες UTF8. PHPSupportIntl=Αυτή η PHP υποστηρίζει τις λειτουργίες Intl. +PHPSupport=Η PHP υποστηρίζει %s λειτουργίες . PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Η μνήμη συνεδρίας PHP max έχει οριστεί σε %s bytes. Αυτό είναι πολύ χαμηλό. Αλλάξτε το php.ini για να ρυθμίσετε την παράμετρο memory_limit σε τουλάχιστον bytes %s . Recheck=Κάντε κλικ εδώ για μια λεπτομερέστερη δοκιμή @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Η εγκατάσταση της php δεν υποσ ErrorPHPDoesNotSupportCalendar=Η εγκατάσταση της PHP δεν υποστηρίζει επεκτάσεις του php calendar. ErrorPHPDoesNotSupportUTF8=Η εγκατάσταση της PHP δεν υποστηρίζει λειτουργίες UTF8. Το Dolibarr δεν μπορεί να λειτουργήσει σωστά. Επιλύστε αυτό πριν εγκαταστήσετε Dolibarr. ErrorPHPDoesNotSupportIntl=Η εγκατάσταση της PHP δεν υποστηρίζει τις λειτουργίες Intl. +ErrorPHPDoesNotSupport=Η εγκατάσταση της PHP σας δεν υποστηρίζει %s λειτουργίες . ErrorDirDoesNotExists=Κατάλογος %s δεν υπάρχει. ErrorGoBackAndCorrectParameters=Επιστρέψτε και ελέγξτε / διορθώστε τις παραμέτρους. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. @@ -205,7 +207,7 @@ MigrationRemiseExceptEntity=Ενημέρωση φορέα τιμών πεδίο MigrationUserRightsEntity=Ενημερώστε την τιμή πεδίου οντότητας των llx_user_rights MigrationUserGroupRightsEntity=Ενημερώστε την τιμή πεδίου οντότητας του llx_usergroup_rights MigrationUserPhotoPath=Μετανάστευση φωτογραφικών διαδρομών για χρήστες -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) +MigrationFieldsSocialNetworks=Μετεγκατάσταση χρηστών πεδίων κοινωνικών δικτύων (%s) MigrationReloadModule=Επαναφόρτωση ενθεμάτων %s MigrationResetBlockedLog=Επαναφορά της μονάδας BlockedLog για τον αλγόριθμο v7 ShowNotAvailableOptions=Εμφάνιση μη διαθέσιμων επιλογών diff --git a/htdocs/langs/el_GR/interventions.lang b/htdocs/langs/el_GR/interventions.lang index 762ed134435..f0b5807ab17 100644 --- a/htdocs/langs/el_GR/interventions.lang +++ b/htdocs/langs/el_GR/interventions.lang @@ -4,7 +4,7 @@ Interventions=Παρεμβάσεις InterventionCard=Καρτέλα παρέμβασης NewIntervention=Νέα παρέμβαση AddIntervention=Δημιουργία παρέμβασης -ChangeIntoRepeatableIntervention=Change to repeatable intervention +ChangeIntoRepeatableIntervention=Αλλαγή σε επαναλαμβανόμενη παρέμβαση ListOfInterventions=Λίστα παρεμβάσεων ActionsOnFicheInter=Δράσεις για την παρέμβαση LastInterventions=Τελευταίες %s παρεμβάσεις @@ -20,8 +20,8 @@ ConfirmValidateIntervention=Are you sure you want to validate this intervention ConfirmModifyIntervention=Είστε σίγουρος ότι θέλετε να μεταβάλετε αυτή την παρέμβαση; ConfirmDeleteInterventionLine=Είστε σίγουρος ότι θέλετε να διαγράψετε αυτή τη γραμμή της παρέμβασης; ConfirmCloneIntervention=Are you sure you want to clone this intervention? -NameAndSignatureOfInternalContact=Name and signature of intervening: -NameAndSignatureOfExternalContact=Name and signature of customer: +NameAndSignatureOfInternalContact=Όνομα και υπογραφή των παρεμβαινόντων: +NameAndSignatureOfExternalContact=Όνομα και υπογραφή του πελάτη: DocumentModelStandard=Τυπικό είδος εγγράφου παρέμβασης InterventionCardsAndInterventionLines=Παρεμβάσεις και τις γραμμές των παρεμβάσεων InterventionClassifyBilled=Ταξινομήστε τα "Τιμολογημένα" @@ -29,13 +29,13 @@ InterventionClassifyUnBilled=Ταξινομήστε τα μη "Τιμολογη InterventionClassifyDone=Classify "Done" StatusInterInvoiced=Τιμολογείται SendInterventionRef=Υποβολή παρέμβασης %s -SendInterventionByMail=Send intervention by email +SendInterventionByMail=Αποστολή παρέμβασης μέσω ηλεκτρονικού ταχυδρομείου InterventionCreatedInDolibarr=Παρέμβαση %s δημιουργήθηκε InterventionValidatedInDolibarr=Παρέμβαση %s επικυρώθηκε InterventionModifiedInDolibarr=Παρέμβαση %s τροποποιήθηκε InterventionClassifiedBilledInDolibarr=Σετ Παρέμβασης %s όπως τιμολογείται InterventionClassifiedUnbilledInDolibarr=Σετ Παρέμβαση %s ως μη τιμολογημένο -InterventionSentByEMail=Intervention %s sent by email +InterventionSentByEMail=Η παρέμβαση %s στάλθηκε με ηλεκτρονικό ταχυδρομείο InterventionDeletedInDolibarr=Παρέμβαση %s διαγράφετε InterventionsArea=Περιοχή παρεμβάσεων DraftFichinter=Πρόχειρες παρεμβάσεις @@ -47,12 +47,12 @@ TypeContact_fichinter_external_CUSTOMER=Σε συνέχεια επαφή με τ PrintProductsOnFichinter=Print also lines of type "product" (not only services) on intervention card PrintProductsOnFichinterDetails=παρεμβάσεις που προέρχονται από παραγγελίες UseServicesDurationOnFichinter=Use services duration for interventions generated from orders -UseDurationOnFichinter=Hides the duration field for intervention records -UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records +UseDurationOnFichinter=Κρύβει το πεδίο διάρκειας για εγγραφές παρέμβασης +UseDateWithoutHourOnFichinter=Κρύβει ώρες και λεπτά από το πεδίο ημερομηνίας για τα αρχεία παρέμβασης InterventionStatistics=Στατιστικά παρεμβάσεων -NbOfinterventions=No. of intervention cards -NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) -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. +NbOfinterventions=Αριθ. Καρτών παρέμβασης +NumberOfInterventionsByMonth=Αριθμός καρτών παρέμβασης ανά μήνα (ημερομηνία επικύρωσης) +AmountOfInteventionNotIncludedByDefault=Το ποσό της παρέμβασης δεν συμπεριλαμβάνεται εξ ορισμού στο κέρδος (στις περισσότερες περιπτώσεις, τα φύλλα εργασίας χρησιμοποιούνται για τον υπολογισμό του χρόνου που δαπανάται). Προσθέστε την επιλογή PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT σε 1 στο σπίτι-setup-άλλη για να τις συμπεριλάβετε. ##### Exports ##### InterId=Κωδ παρέμβασης InterRef=Αναφ παρέμβασης @@ -60,6 +60,7 @@ InterDateCreation=Ημερομηνία δημιουργίας παρέμβαση InterDuration=Διάρκεια παρέμβασης InterStatus=Κατάσταση παρέμβασης InterNote=Σημείωση παρέμβασης +InterLine=Γραμμή παρέμβασης InterLineId=Κωδ γραμμής παρέμβασης InterLineDate=Ημερομηνία γραμμής παρέμβασης InterLineDuration=Διάρκεια γραμμής παρέμβασης diff --git a/htdocs/langs/el_GR/main.lang b/htdocs/langs/el_GR/main.lang index 7fb4a680730..669c5c9fb4f 100644 --- a/htdocs/langs/el_GR/main.lang +++ b/htdocs/langs/el_GR/main.lang @@ -171,7 +171,7 @@ NotValidated=Δεν έχει επικυρωθεί Save=Αποθήκευση SaveAs=Αποθήκευση Ως SaveAndStay=Εξοικονομήστε και μείνετε -SaveAndNew=Save and new +SaveAndNew=Αποθήκευση και Νέο TestConnection=Δοκιμή Σύνδεσης ToClone=Κλωνοποίηση ConfirmClone=Επιλέξτε τα δεδομένα που θέλετε να κλωνοποιήσετε: @@ -741,7 +741,7 @@ NotSupported=Χωρίς Υποστήριξη RequiredField=Απαιτούμενο Πεδίο Result=Αποτέλεσμα ToTest=Δοκιμή -ValidateBefore=Item must be validated before using this feature +ValidateBefore=Η καρτέλα πρέπει να επικυρωθεί πριν χρησιμοποιηθεί αυτή τη δυνατότητα Visibility=Ορατότητα Totalizable=Συνολικά TotalizableDesc=Αυτό το πεδίο είναι συνολικά σε λίστα @@ -848,7 +848,7 @@ Progress=Πρόοδος ProgressShort=Progr. FrontOffice=Μπροστινό γραφείο BackOffice=Back office -Submit=Submit +Submit=Υποβολή View=Προβολή Export=Εξαγωγή Exports=Εξαγωγές @@ -1005,11 +1005,14 @@ ContactDefault_contrat=Συμβόλαιο ContactDefault_facture=Τιμολόγιο ContactDefault_fichinter=Παρέμβαση ContactDefault_invoice_supplier=Τιμολόγιο Προμηθευτή -ContactDefault_order_supplier=Παραγγελία Προμηθευτή +ContactDefault_order_supplier=Εντολή αγοράς ContactDefault_project=Έργο ContactDefault_project_task=Εργασία ContactDefault_propal=Πρόταση ContactDefault_supplier_proposal=Πρόταση Προμηθευτή ContactDefault_ticketsup=Εισιτήριο ContactAddedAutomatically=Η επαφή που προστέθηκε από τους ρόλους του τρίτου μέρους επικοινωνίας -More=More +More=Περισσότερα +ShowDetails=Δείξε λεπτομέρειες +CustomReports=Προσαρμοσμένες αναφορές +SelectYourGraphOptionsFirst=Επιλέξτε τις επιλογές γραφήματος για να δημιουργήσετε ένα γράφημα diff --git a/htdocs/langs/el_GR/modulebuilder.lang b/htdocs/langs/el_GR/modulebuilder.lang index 68ae1d43cd1..46cb196f311 100644 --- a/htdocs/langs/el_GR/modulebuilder.lang +++ b/htdocs/langs/el_GR/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Λίστα καταχωρήσεων λεξικών ListOfPermissionsDefined=Λίστα καθορισμένων δικαιωμάτων SeeExamples=Δείτε παραδείγματα εδώ EnabledDesc=Προϋπόθεση να είναι ενεργό αυτό το πεδίο (Παραδείγματα: 1 ή $ 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +VisibleDesc=Είναι το πεδίο ορατό; (Παραδείγματα: 0 = Ποτέ δεν είναι ορατό, 1 = Ορατή στη λίστα και δημιουργία / ενημέρωση / προβολή φορμών, 2 = Ορατή μόνο στη λίστα, 3 = Ορατή στη δημιουργία / ενημέρωση / προβολή της φόρμας(όχι λίστα), 4=Ορατή στη λίστα και ενημέρωση/προβολή φόρμας μόνο (όχι δημιουργία), 5=Ορατή στη λίστα τέλους φόρμας μόνο. (όχι δημιουργία, όχι ενημέρωση). Χρησιμοποιώντας μία αρνητική τιμή σημαίνει ότι το πεδίο δεν εμφανίζεται από προεπιλογή στη λίστα αλλά μπορεί να επιλεγεί για προβολή). Μπορεί να είναι μια έκφραση, για παράδειγμα:
preg_match ('/ public /', $ _SERVER ['PHP_SELF']); 0: 1
($ user-> rights-> holiday-> define_holiday; ? 1 : 0) IsAMeasureDesc=Μπορεί η τιμή του πεδίου να συσσωρευτεί για να πάρει ένα σύνολο σε λίστα; (Παραδείγματα: 1 ή 0) SearchAllDesc=Χρησιμοποιείται το πεδίο για την αναζήτηση από το εργαλείο γρήγορης αναζήτησης; (Παραδείγματα: 1 ή 0) SpecDefDesc=Εισαγάγετε εδώ όλη την τεκμηρίωση που θέλετε να παράσχετε με τη λειτουργική σας μονάδα, η οποία δεν έχει ήδη καθοριστεί από άλλες καρτέλες. Μπορείτε να χρησιμοποιήσετε το .md ή καλύτερα, την πλούσια σύνταξη .asciidoc. @@ -93,7 +93,7 @@ DictionariesDefDesc=Καθορίστε εδώ τα λεξικά που παρέ PermissionsDefDesc=Καθορίστε εδώ τα νέα δικαιώματα που παρέχονται από την ενότητα σας MenusDefDescTooltip=Τα μενού που παρέχονται από την ενότητα / εφαρμογή σας καθορίζονται στα αρχεία $ this-> menus στο αρχείο περιγραφής του module. Μπορείτε να επεξεργαστείτε χειροκίνητα αυτό το αρχείο ή να χρησιμοποιήσετε τον ενσωματωμένο επεξεργαστή.

Σημείωση: Αφού οριστεί (και η ενότητα ενεργοποιηθεί εκ νέου), τα μενού είναι επίσης ορατά στον επεξεργαστή μενού που είναι διαθέσιμος στους χρήστες διαχειριστή στο %s. DictionariesDefDescTooltip=Τα λεξικά που παρέχονται από την υπομονάδα / εφαρμογή σας καθορίζονται στη συστοιχία $ this-> λεξικά στο αρχείο περιγραφής του module. Μπορείτε να επεξεργαστείτε χειροκίνητα αυτό το αρχείο ή να χρησιμοποιήσετε τον ενσωματωμένο επεξεργαστή.

Σημείωση: Αφού οριστεί (και ενεργοποιηθεί ξανά η ενότητα), τα λεξικά είναι επίσης ορατά στην περιοχή εγκατάστασης σε χρήστες διαχειριστή στο %s. -PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

Note: Once defined (and module re-activated), permissions are visible into the default permissions setup %s. +PermissionsDefDescTooltip=Τα δικαιώματα που παρέχονται από την ενότητα/εφαρμογή σας καθορίζονται στη συστοιχία $ this-> rights στην ενότητα περιγραφής αρχείου. Μπορείτε να επεξεργαστείτε χειροκίνητα αυτό το αρχείο ή να χρησιμοποιήσετε τον ενσωματωμένο επεξεργαστή.

Σημείωση: Μόλις οριστεί (και ενεργοποιηθεί ξανά η ενότητα), τα δικαιώματα είναι ορατά στην προεπιλεγμένη ρύθμιση %s. HooksDefDesc=Ορίστε στην ιδιότητα module_parts ['hooks'] , στον περιγραφέα της μονάδας, το πλαίσιο των άγκιστρων που θέλετε να διαχειριστείτε (η λίστα των πλαισίων μπορεί να βρεθεί από μια αναζήτηση στο ' initHooks ' ( 'in core code).
Επεξεργαστείτε το αρχείο αγκίστρου για να προσθέσετε τον κώδικα των αγκιστρωμένων λειτουργιών σας (οι συναρπαστικές λειτουργίες μπορούν να βρεθούν με μια αναζήτηση στο ' executeHooks ' στον βασικό κώδικα). TriggerDefDesc=Ορίστε στο αρχείο σκανδάλης τον κώδικα που θέλετε να εκτελέσετε για κάθε εκδήλωση που εκτελείται. SeeIDsInUse=Δείτε τα αναγνωριστικά που χρησιμοποιούνται στην εγκατάσταση σας @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Δεν είναι δυνατή η επεξεργασία ForeignKey=Ξένο κλειδί TypeOfFieldsHelp=Τύπος πεδίων:
varchar (99), διπλό (24,8), πραγματικό, κείμενο, html, datetime, timestamp, ακέραιος, ακέραιος: ClassName: relativepath / to / classfile.class.php [: 1 [: filter] προσθέτουμε ένα κουμπί + μετά το σύνθετο για να δημιουργήσουμε την εγγραφή, το 'φίλτρο' μπορεί να είναι 'status = 1 AND fk_user = __USER_ID ΚΑΙ η οντότητα IN (__SHARED_ENTITIES__)' για παράδειγμα) +AsciiToHtmlConverter=Μεταροπέας από Ascii σε HTML +AsciiToPdfConverter=Μεταροπέας από Ascii σε PDF diff --git a/htdocs/langs/el_GR/mrp.lang b/htdocs/langs/el_GR/mrp.lang index 21239f361a8..a19b135eb17 100644 --- a/htdocs/langs/el_GR/mrp.lang +++ b/htdocs/langs/el_GR/mrp.lang @@ -24,7 +24,7 @@ WatermarkOnDraftMOs=Υδατογράφημα στο σχέδιο ΜΟ ConfirmCloneBillOfMaterials=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε το λογαριασμό υλικού %s; ConfirmCloneMo=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε την Παραγγελία Παραγωγής %s? ManufacturingEfficiency=Αποτελεσματικότητα κατασκευής -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the production +ValueOfMeansLoss=Η τιμή 0,95 σημαίνει έναν μέσο όρο 5%% απώλειας κατά την παραγωγή DeleteBillOfMaterials=Διαγραφή λογαριασμού υλικών DeleteMo=Διαγραφή Παραγγελίας Παραγωγής ConfirmDeleteBillOfMaterials=Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτό το νομοσχέδιο; @@ -44,22 +44,25 @@ StatusMOProduced=Παράγεται QtyFrozen=Κατεψυγμένη ποσότητα QuantityFrozen=Κατεψυγμένη ποσότητα QuantityConsumedInvariable=Όταν αυτή η σημαία έχει οριστεί, η ποσότητα που καταναλώνεται είναι πάντα η καθορισμένη τιμή και δεν είναι σχετική με την παραγόμενη ποσότητα. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed +DisableStockChange=Η αλλαγή μετοχών απενεργοποιήθηκε +DisableStockChangeHelp=Όταν αυτή η σημαία έχει οριστεί, δεν υπάρχει αλλαγή στο απόθεμα αυτού του προϊόντος, ανεξάρτητα από την παραγόμενη ποσότητα BomAndBomLines=Λογαριασμοί υλικού και γραμμών BOMLine=Γραμμή BOM WarehouseForProduction=Αποθήκη για παραγωγή -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services +CreateMO=Δημιουργία MO +ToConsume=Προς κατανάλωση +ToProduce=Προς παραγωγή +QtyAlreadyConsumed=Η ποσότητα καταναλώθηκε ήδη +QtyAlreadyProduced=Η ποσότητα έχει ήδη παραχθεί +ConsumeOrProduce=Καταναλώστε ή παράγετε +ConsumeAndProduceAll=Καταναλώστε και παράξτε όλα +Manufactured=Κατασκευάστηκε +TheProductXIsAlreadyTheProductToProduce=Το προϊόν που προστέθηκε είναι ήδη το προϊόν που παράγεται. +ForAQuantityOf1=Για μια ποσότητα παραγωγής 1 +ConfirmValidateMo=Είστε βέβαιοι ότι θέλετε να επαληθεύσετε αυτή τη παραγγελία κατασκευής; +ConfirmProductionDesc=Κάνοντας κλικ στο '%s', θα επαληθεύσετε την κατανάλωση ή / και την παραγωγή για τις καθορισμένες ποσότητες. Αυτό θα ενημερώσει επίσης τις μεταβολές αποθεμάτων και θα καταγράψει τις κινήσεις αποθεμάτων. +ProductionForRef=Παραγωγή του %s +AutoCloseMO=Αυτόματo κλείσιμο της Παραγγελίας Παραγωγής εάν επιτευχθούν οι ποσότητες για κατανάλωση και παραγωγή +NoStockChangeOnServices=Καμία αλλαγή αποθέματος στις υπηρεσίες +ProductQtyToConsumeByMO=Ποσότητα προϊόντος ακόμα για κατανάλωση από ανοικτό MO +ProductQtyToProduceByMO=Ποσότητα προϊόντος ακόμα να παραχθεί από ανοιχτό MO diff --git a/htdocs/langs/el_GR/opensurvey.lang b/htdocs/langs/el_GR/opensurvey.lang index bcfb2fb6871..5a3189b3cb9 100644 --- a/htdocs/langs/el_GR/opensurvey.lang +++ b/htdocs/langs/el_GR/opensurvey.lang @@ -1,7 +1,7 @@ # Dolibarr language file - Source file is en_US - opensurvey Survey=Ψηφοφορία Surveys=Ψηφοφορίες -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... +OrganizeYourMeetingEasily=Οργανώστε τις συναντήσεις και τις δημοσκοπήσεις σας εύκολα. Πρώτα επιλέξτε τον τύπο της δημοσκόπησης ... NewSurvey=Νέα δημοσκόπηση OpenSurveyArea=Περιοχή δημοσκοπήσεων AddACommentForPoll=Μπορείτε να προσθέσετε ένα σχόλιο στη δημοσκόπηση ... diff --git a/htdocs/langs/el_GR/orders.lang b/htdocs/langs/el_GR/orders.lang index 9d829d0ad72..f46715b2529 100644 --- a/htdocs/langs/el_GR/orders.lang +++ b/htdocs/langs/el_GR/orders.lang @@ -141,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Τηλέφωνο # Documents models -PDFEinsteinDescription=Ολοκληρωμένο πρότυπο παραγγελίας (λογότυπο...) -PDFEratostheneDescription=Ολοκληρωμένο πρότυπο παραγγελίας (λογότυπο...) +PDFEinsteinDescription=Ένα πλήρες μοντέλο παραγγελίας +PDFEratostheneDescription=Ένα πλήρες μοντέλο παραγγελίας PDFEdisonDescription=Απλό πρότυπο παραγγελίας -PDFProformaDescription=Ένα πλήρες προτιμολόγιο (λογότυπο ...) +PDFProformaDescription=Ένα πλήρες πρότυπο τιμολογίου Proforma CreateInvoiceForThisCustomer=Τιμολογημένες παραγγελίες NoOrdersToInvoice=Δεν υπάρχουν τιμολογημένες παραγγελίες CloseProcessedOrdersAutomatically=Χαρακτηρίστε σε «εξέλιξη» όλες τις επιλεγμένες παραγγελίες. diff --git a/htdocs/langs/el_GR/other.lang b/htdocs/langs/el_GR/other.lang index 7b0cef0b79f..9436e68bae9 100644 --- a/htdocs/langs/el_GR/other.lang +++ b/htdocs/langs/el_GR/other.lang @@ -24,7 +24,7 @@ MessageOK=Μήνυμα στη σελίδα επιστροφής για επικ MessageKO=Μήνυμα στη σελίδα επιστροφής για μια ακυρωμένη πληρωμή ContentOfDirectoryIsNotEmpty=Το περιεχόμενο αυτού του καταλόγου δεν είναι άδειο. DeleteAlsoContentRecursively=Επιλέξτε για να διαγράψετε όλο το περιεχόμενο αναδρομικά - +PoweredBy=Powered by YearOfInvoice=Έτος της ημερομηνίας του τιμολογίου PreviousYearOfInvoice=Προηγούμενο έτος της ημερομηνίας του τιμολογίου NextYearOfInvoice=Μετά το έτος της ημερομηνίας του τιμολογίου @@ -104,7 +104,8 @@ DemoFundation=Διαχειριστείτε τα μέλη του ιδρύματο DemoFundation2=Διαχειριστείτε τα μέλη και τον τραπεζικό λογαριασμό του ιδρύματος DemoCompanyServiceOnly=Εταιρική ή ανεξάρτητη υπηρεσία πώλησης DemoCompanyShopWithCashDesk=Διαχειριστείτε το κατάστημα με ένα ταμείο -DemoCompanyProductAndStocks=Εταιρεία που πωλεί προϊόντα με κατάστημα +DemoCompanyProductAndStocks=Κατάστημα πώλησης προϊόντων με σημείο πώλησης +DemoCompanyManufacturing=Εταιρεία κατασκευής προϊόντων DemoCompanyAll=Εταιρεία με πολλαπλές δραστηριότητες (όλες τις κύριες ενότητες) CreatedBy=Δημιουργήθηκε από %s ModifiedBy=Τροποποίηθηκε από %s @@ -252,7 +253,7 @@ ThirdPartyCreatedByEmailCollector=Το τρίτο μέρος δημιουργή ContactCreatedByEmailCollector=Επαφή / διεύθυνση που δημιουργήθηκε από τον συλλέκτη ηλεκτρονικού ταχυδρομείου από το ηλεκτρονικό ταχυδρομείο MSGID %s ProjectCreatedByEmailCollector=Έργο που δημιουργήθηκε από τον συλλέκτη ηλεκτρονικού ταχυδρομείου από το ηλεκτρονικό ταχυδρομείο MSGID %s TicketCreatedByEmailCollector=Εισιτήριο που δημιουργήθηκε από τον συλλέκτη ηλεκτρονικού ταχυδρομείου από το ηλεκτρονικό ταχυδρομείο MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
Use a space to enter different ranges.
Example: 8-12 14-18 +OpeningHoursFormatDesc=Χρησιμοποιήστε το "-" για να διαχωρίσετε τις ώρες ανοίγματος και κλεισίματος.
Χρησιμοποιήστε "κενό" για να εισάγετε διαφορετικές περιοχές.
Παράδειγμα: 8-12 14-18 ##### Export ##### ExportsArea=Exports area @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=Σύνδεσμος URL της σελίδας WEBSITE_TITLE=Τίτλος WEBSITE_DESCRIPTION=Περιγραφή WEBSITE_IMAGE=Εικόνα -WEBSITE_IMAGEDesc=Σχετική διαδρομή των μέσων εικόνας. Μπορείτε να το κρατήσετε κενό, καθώς σπάνια χρησιμοποιείται (μπορεί να χρησιμοποιηθεί από το δυναμικό περιεχόμενο για να εμφανιστεί μια προεπισκόπηση μιας λίστας αναρτήσεων ιστολογίου). +WEBSITE_IMAGEDesc=Σχετική διαδρομή των μέσων εικόνας. Μπορείτε να το κρατήσετε κενό, καθώς σπάνια χρησιμοποιείται (μπορεί να χρησιμοποιηθεί από το δυναμικό περιεχόμενο για να εμφανιστεί μια μικρογραφία σε μια λίστα με αναρτήσεις ιστολογίου). Χρησιμοποιήστε το __WEBSITEKEY__ στη διαδρομή εάν η διαδρομή εξαρτάται από το όνομα του ιστότοπου. WEBSITE_KEYWORDS=Λέξεις κλειδιά LinesToImport=Γραμμές για εισαγωγή diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang index fc99509fca6..5dfe718e04c 100644 --- a/htdocs/langs/el_GR/products.lang +++ b/htdocs/langs/el_GR/products.lang @@ -199,7 +199,7 @@ unitLM=Γραμικός μετρητής unitM2=Τετραγωνικό μέτρο unitM3=Κυβικό μέτρο unitL=Λίτρο -unitT=ton +unitT=τόνος unitKG=kg unitG=Γραμμάριο unitMG=mg @@ -210,7 +210,7 @@ unitDM=dm unitCM=cm unitMM=mm unitFT=ft -unitIN=in +unitIN=ίντσα unitM2=Τετραγωνικό μέτρο unitDM2=dm² unitCM2=εκ² @@ -219,7 +219,7 @@ unitFT2=ft² unitIN2=in² unitM3=Κυβικό μέτρο unitDM3=dm³ -unitCM3=cm³ +unitCM3=cm3 unitMM3=mm³ unitFT3=ft³ unitIN3=in³ @@ -317,9 +317,9 @@ ProductWeight=Βάρος για 1 προϊόν ProductVolume=Όγκος για 1 προϊόν WeightUnits=Μονάδα βάρους VolumeUnits=Μονάδα έντασης ήχου -WidthUnits=Width unit -LengthUnits=Length unit -HeightUnits=Height unit +WidthUnits=Πλάτος +LengthUnits=Μήκος +HeightUnits=Ύψος SurfaceUnits=Μονάδα επιφάνειας SizeUnits=Μονάδα μεγέθους DeleteProductBuyPrice=Διαγράψτε την τιμή αγοράς diff --git a/htdocs/langs/el_GR/projects.lang b/htdocs/langs/el_GR/projects.lang index 52d90adb9fe..e3c687444bc 100644 --- a/htdocs/langs/el_GR/projects.lang +++ b/htdocs/langs/el_GR/projects.lang @@ -249,9 +249,13 @@ TimeSpentForInvoice=Ο χρόνος που δαπανάται OneLinePerUser=Μια γραμμή ανά χρήστη ServiceToUseOnLines=Υπηρεσία για χρήση σε γραμμές InvoiceGeneratedFromTimeSpent=Το τιμολόγιο %s δημιουργήθηκε από το χρόνο που αφιερώσατε στο έργο -ProjectBillTimeDescription=Ελέγξτε αν εισάγετε φύλλο κατανομής για τα καθήκοντα του έργου και σχεδιάζετε να δημιουργήσετε τιμολόγια από το δελτίο χρόνου για να χρεώσετε τον πελάτη του έργου (μην ελέγξετε εάν σκοπεύετε να δημιουργήσετε τιμολόγιο που δεν βασίζεται σε καταγεγραμμένα φύλλα εργασίας). -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks +ProjectBillTimeDescription=Ελέγξτε αν εισάγετε φύλλο κατανομής για τα καθήκοντα του έργου και σχεδιάζετε να δημιουργήσετε τιμολόγιο(α) από το δελτίο χρόνου για να χρεώσετε τον πελάτη του έργου (μην ελέγξετε αν σκοπεύετε να δημιουργήσετε τιμολόγιο που δεν βασίζεται σε καταγεγραμμένα φύλλα εργασίας). Σημείωση: Για να δημιουργήσετε τιμολόγιο, μεταβείτε στην καρτέλα 'Χρόνος δαπάνης' του έργου και επιλέξτε γραμμές που θα συμπεριληφθούν. +ProjectFollowOpportunity=Ακολουθήστε την ευκαιρία +ProjectFollowTasks=Ακολουθήστε τις εργασίες UsageOpportunity=Χρήση: Ευκαιρία UsageTasks=Χρήση: Εργασίες UsageBillTimeShort=Χρήση: Χρόνος λογαριασμού +InvoiceToUse=Προσχέδιο τιμολογίου προς χρήση +NewInvoice=Νέο τιμολόγιο +OneLinePerTask=Μια γραμμή ανά εργασία +OneLinePerPeriod=Μία γραμμή ανά περίοδο diff --git a/htdocs/langs/el_GR/propal.lang b/htdocs/langs/el_GR/propal.lang index fe747c98ef8..b4fe926330e 100644 --- a/htdocs/langs/el_GR/propal.lang +++ b/htdocs/langs/el_GR/propal.lang @@ -3,7 +3,7 @@ Proposals=Προσφορές Proposal=Προσφορά ProposalShort=Προσφορά ProposalsDraft=Σχέδιο Προσφοράς -ProposalsOpened=Open commercial proposals +ProposalsOpened=Ανοικτές εμπορικές προτάσεις CommercialProposal=Προσφορά PdfCommercialProposalTitle=Προσφορά ProposalCard=Καρτέλα Προσφοράς @@ -13,27 +13,27 @@ Prospect=Προοπτική DeleteProp=Διαγραφή Προσφοράς ValidateProp=Επικύρωση Προσφοράς AddProp=Δημιουργία προσφοράς -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 +ConfirmDeleteProp=Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν την εμπορική πρόταση; +ConfirmValidateProp=Είστε βέβαιοι ότι θέλετε να επικυρώσετε αυτήν την εμπορική πρόταση με το όνομα %s ; +LastPropals=Τελευταίες προτάσεις %s +LastModifiedProposals=Τελευταίες τροποποιημένες προτάσεις %s AllPropals=Όλες οι Προσφορές SearchAProposal=Εύρεση Προσφοράς -NoProposal=No proposal +NoProposal=Δεν υπάρχει πρόταση ProposalsStatistics=Στατιστικά Προσφοράς NumberOfProposalsByMonth=Αριθμός ανά μήνα -AmountOfProposalsByMonthHT=Amount by month (excl. tax) +AmountOfProposalsByMonthHT=Ποσό ανά μήνα (εκτός φόρου) NbOfProposals=Αριθμός Προσφορών ShowPropal=Εμφάνιση Προσφοράς PropalsDraft=Σχέδιο PropalsOpened=Άνοιγμα PropalStatusDraft=Προσχέδιο (χρειάζεται επικύρωση) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Επικυρωμένη (η Προσφορά είναι ανοιχτή) PropalStatusSigned=Υπογραφή (ανάγκες χρέωσης) PropalStatusNotSigned=Δεν έχει υπογραφεί (κλειστό) PropalStatusBilled=Χρεώνεται PropalStatusDraftShort=Προσχέδιο -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=Επικυρωμένο (ανοιχτό) PropalStatusClosedShort=Κλειστό PropalStatusSignedShort=Υπογραφή PropalStatusNotSignedShort=Δεν έχει υπογραφεί @@ -53,11 +53,11 @@ ErrorPropalNotFound=Η Προσφορά %s δεν βρέθηκε AddToDraftProposals=Προσθήκη στο σχέδιο Προσφοράς NoDraftProposals=Δεν υπάρχουν σχέδια Προσφορών CopyPropalFrom=Δημιουργία Προσφοράς με την αντιγραφή υφιστάμενης Προσφοράς -CreateEmptyPropal=Create empty commercial proposal or from list of products/services +CreateEmptyPropal=Δημιουργήστε άδεια εμπορική πρόταση ή από λίστα προϊόντων / υπηρεσιών DefaultProposalDurationValidity=Προεπιλογή διάρκεια Προσφοράς ισχύος (σε ημέρες) -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? +UseCustomerContactAsPropalRecipientIfExist=Χρησιμοποιήστε τη διεύθυνση επαφής / διεύθυνσης με τον τύπο "Πρόταση επικοινωνίας μετά την επικοινωνία", αν ορίζεται αντί της διεύθυνσης τρίτων ως διεύθυνση παραλήπτη της πρότασης +ConfirmClonePropal=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε την εμπορική πρόταση %s ? +ConfirmReOpenProp=Είστε βέβαιοι ότι θέλετε να ανοίξετε την εμπορική πρόταση %s ? ProposalsAndProposalsLines=Προσφορές και γραμμές ProposalLine=Γραμμή Προσφοράς AvailabilityPeriod=Καθυστέρηση Διαθεσιμότητα @@ -74,12 +74,13 @@ AvailabilityTypeAV_1M=1 μήνα TypeContact_propal_internal_SALESREPFOLL=Εκπρόσωπος που παρακολουθεί την Προσφορά TypeContact_propal_external_BILLING=Πελάτης επαφή τιμολόγιο TypeContact_propal_external_CUSTOMER=Πελάτης επαφή που παρακολουθεί την Προσφορά -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_SHIPPING=Επικοινωνία με τον πελάτη για παράδοση # Document models -DocModelAzurDescription=Ένα πλήρες μοντέλο Προσφοράς (logo. ..) -DocModelCyanDescription=Ένα πλήρες μοντέλο Προσφοράς (logo. ..) +DocModelAzurDescription=Ένα πλήρες πρότυπο πρότυπο +DocModelCyanDescription=Ένα πλήρες μοντέλο προτάσεων DefaultModelPropalCreate=Δημιουργία προεπιλεγμένων μοντέλων DefaultModelPropalToBill=Προεπιλεγμένο πρότυπο όταν κλείνει μια Προσφορά (να τιμολογηθεί) DefaultModelPropalClosed=Προεπιλεγμένο πρότυπο όταν κλείνει μια Προσφορά (ατιμολόγητη) -ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Vendor proposals statistics +ProposalCustomerSignature=Γραπτή αποδοχή, σφραγίδα εταιρείας, ημερομηνία και υπογραφή +ProposalsStatisticsSuppliers=Στατιστικά στοιχεία για τις προτάσεις προμηθευτών +CaseFollowedBy=Περίπτωση που ακολουθείται diff --git a/htdocs/langs/el_GR/sendings.lang b/htdocs/langs/el_GR/sendings.lang index d6683b1987d..d72b07464cb 100644 --- a/htdocs/langs/el_GR/sendings.lang +++ b/htdocs/langs/el_GR/sendings.lang @@ -54,10 +54,10 @@ ActionsOnShipping=Εκδηλώσεις για την αποστολή LinkToTrackYourPackage=Σύνδεσμος για να παρακολουθείτε το πακέτο σας ShipmentCreationIsDoneFromOrder=Προς το παρόν, η δημιουργία μιας νέας αποστολής γίνεται από την κάρτα παραγγελίας. ShipmentLine=Σειρά αποστολής -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders +ProductQtyInCustomersOrdersRunning=Ποσότητα προϊόντος από ανοικτές παραγγελίες πώλησης +ProductQtyInSuppliersOrdersRunning=Ποσότητα προϊόντος από ανοικτές εντολές αγοράς ProductQtyInShipmentAlreadySent=Ποσότητα προϊόντος από ανοικτή εντολή πωλήσεων που έχει ήδη αποσταλεί -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received +ProductQtyInSuppliersShipmentAlreadyRecevied=Ποσότητα προϊόντος από ανοικτές παραγγελίες αγοράς που έχουν ήδη παραληφθεί NoProductToShipFoundIntoStock=Δεν βρέθηκε προϊόν στο πλοίο στην αποθήκη %s . Διορθώστε το απόθεμα ή επιστρέψτε για να επιλέξετε μια άλλη αποθήκη. WeightVolShort=Βάρος / Τόμ. ValidateOrderFirstBeforeShipment=Θα πρέπει πρώτα να επικυρώσετε την παραγγελία πριν να μπορέσετε να πραγματοποιήσετε αποστολές. diff --git a/htdocs/langs/el_GR/stocks.lang b/htdocs/langs/el_GR/stocks.lang index eab6fd95f3d..2e766e5fc44 100644 --- a/htdocs/langs/el_GR/stocks.lang +++ b/htdocs/langs/el_GR/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Λογιστική κίνηση ή κωδικός απογραφή IsInPackage=Περιεχόμενα συσκευασίας WarehouseAllowNegativeTransfer=Το απόθεμα μπορεί να είναι αρνητικό qtyToTranferIsNotEnough=Δεν έχετε αρκετό απόθεμα από την αποθήκη προέλευσης και η ρύθμισή σας δεν επιτρέπει αρνητικά αποθέματα. +qtyToTranferLotIsNotEnough=Δεν έχετε αρκετό απόθεμα, για αυτόν τον αριθμό παρτίδας, από την αποθήκη προέλευσης και οι ρυθμίσεις δεν επιτρέπουν αρνητικά αποθέματα (Ποσότητα για το προϊόν '%s' με παρτίδα '%s' είναι %s στην αποθήκη '%s'). ShowWarehouse=Εμφάνιση αποθήκης MovementCorrectStock=Διόρθωση αποθέματος για το προϊόν %s MovementTransferStock=Μετακίνηση του προϊόντος %s σε μια άλλη αποθήκη @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Τελευταία BP CurrentPA=Τρέχουσα BP +RecordedQty=Καταγεγραμμένη ποσότητα RealQty=Πραγματική ποσότητα RealValue=Πραγματική αξία RegulatedQty=Ρυθμιζόμενη ποσότητα @@ -214,5 +216,5 @@ StockIncrease=Αύξηση μετοχών StockDecrease=Μείωση μετοχών InventoryForASpecificWarehouse=Απογραφή για μια συγκεκριμένη αποθήκη InventoryForASpecificProduct=Απογραφή για ένα συγκεκριμένο προϊόν -StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use -ForceTo=Force to +StockIsRequiredToChooseWhichLotToUse=Απόθεμα είναι απαραίτητο για να επιλέξετε ποια παρτίδα πρέπει να χρησιμοποιήσετε +ForceTo=Δύναμη σε diff --git a/htdocs/langs/el_GR/stripe.lang b/htdocs/langs/el_GR/stripe.lang index 7ea74a4bc3e..03d487b055e 100644 --- a/htdocs/langs/el_GR/stripe.lang +++ b/htdocs/langs/el_GR/stripe.lang @@ -16,13 +16,13 @@ StripeDoPayment=Πληρώστε με λωρίδα YouWillBeRedirectedOnStripe=Θα μεταφερθείτε στη σελίδα Ασφαλής σελίδα Stripe για να εισαγάγετε τις πληροφορίες της πιστωτικής σας κάρτας Continue=Επόμενη ToOfferALinkForOnlinePayment=URL για %s πληρωμής -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) +ToOfferALinkForOnlinePaymentOnOrder=URL για την προσφορά %sμιας online πληρωμής σελίδας, για μια παραγγελία πώλησης +ToOfferALinkForOnlinePaymentOnInvoice=URL για την προσφορά %s μιας online πληρωμής, για ένα τιμολόγιο πελάτη +ToOfferALinkForOnlinePaymentOnContractLine=URL για την προσφορά %s μιας online πληρωμής, για μια γραμμή συμβολαίου +ToOfferALinkForOnlinePaymentOnFreeAmount=URL για την προσφορά%s μας online πληρωμής οποιουδήποτε ποσού χωρίς υπάρχον αντικείμενο +ToOfferALinkForOnlinePaymentOnMemberSubscription=URL για την προσφορά %s μιας απευθείας ηλεκτρονικής πληρωμής, για μια συνδρομή μέλους +ToOfferALinkForOnlinePaymentOnDonation=URL για την προσφορά%s μιας online πληρωμής, για την πληρωμή μιας δωρεάς +YouCanAddTagOnUrl=Μπορείτε επίσης να προσθέσετε την παράμετρο url &tag=value σε ένα από αυτά τα URL (απαιτείται μόνο για την ελεύθερη πληρωμής) για να προσθέσετε το δικό σας σχόλιο ετικέτα πληρωμής. .
Για το URL πληρωμών χωρίς να υπάρχει αντικείμενο, μπορείτε να προσθέσετε την παράμετρο &noidempotency=1 όπως το ίδιο σύνδεσμο με το ίδιο tag μπορεί να χρησιμοποιηθεί πολλές φορές (μερικές πληρωμές μπορούν να οριοθετούνται με όριο πληρωμης το 1 για κάθε διαφορετικό σύνδεσμο χωρίς παραμέτρους) SetupStripeToHavePaymentCreatedAutomatically=Ρυθμίστε το Stripe με url %s για να δημιουργηθεί αυτόματα πληρωμή όταν επικυρωθεί από το Stripe. AccountParameter=Παράμετροι λογαριασμού UsageParameter=Παράμετροι χρήσης diff --git a/htdocs/langs/el_GR/supplier_proposal.lang b/htdocs/langs/el_GR/supplier_proposal.lang index 762b1a38357..0f2f6f3913b 100644 --- a/htdocs/langs/el_GR/supplier_proposal.lang +++ b/htdocs/langs/el_GR/supplier_proposal.lang @@ -1,24 +1,24 @@ # Dolibarr language file - Source file is en_US - supplier_proposal -SupplierProposal=Vendor commercial proposals +SupplierProposal=Προτάσεις εμπορικών πωλητών supplier_proposalDESC=Διαχειριστείτε τα αιτήματα των τιμών προς τους προμηθευτές SupplierProposalNew=Νέα αίτηση τιμής CommRequest=Αίτηση τιμής CommRequests=Αιτήματα τιμών SearchRequest=Αναζήτηση αιτήματος DraftRequests=Πρόχειρα αιτήματα -SupplierProposalsDraft=Draft vendor proposals +SupplierProposalsDraft=Σχέδια προτάσεων πωλητών LastModifiedRequests=Τελευταίες %s τροποποιημένες αιτήσεις τιμών RequestsOpened=Ανοιχτές αιτήσεις τιμών -SupplierProposalArea=Vendor proposals area -SupplierProposalShort=Vendor proposal -SupplierProposals=Vendor proposals -SupplierProposalsShort=Vendor proposals +SupplierProposalArea=Τομέας προτάσεων πωλητών +SupplierProposalShort=Πρόταση πωλητή +SupplierProposals=Προτάσεις πωλητών +SupplierProposalsShort=Προτάσεις πωλητών NewAskPrice=Νέα αίτηση τιμής ShowSupplierProposal=Προβολή αίτησης τιμής AddSupplierProposal=Δημιουργία μίας αίτησης τιμής -SupplierProposalRefFourn=Vendor ref +SupplierProposalRefFourn=Αναφορά προμηθευτή SupplierProposalDate=Ημερομηνία παράδοσης -SupplierProposalRefFournNotice=Before closing to "Accepted", think to grasp suppliers references. +SupplierProposalRefFournNotice=Πριν κλείσετε το "Αποδεκτό", σκεφτείτε να κατανοήσετε τις αναφορές των προμηθευτών. ConfirmValidateAsk=Είστε σίγουροι ότι θέλετε να επικυρώσετε την αίτηση τιμής στο όνομα %s ; DeleteAsk=Διαγραφή αίτησης ValidateAsk=Επικύρωση αίτησης @@ -32,23 +32,23 @@ SupplierProposalStatusValidatedShort=Επικυρώθηκε SupplierProposalStatusClosedShort=Κλειστό SupplierProposalStatusSignedShort=Αποδεκτή SupplierProposalStatusNotSignedShort=Αρνήθηκε -CopyAskFrom=Δημιουργία αίτησης τιμής με αντιγραφή υφιστάμενης αίτησης τιμής +CopyAskFrom=Δημιουργήστε ένα αίτημα τιμής, αντιγράφοντας ένα υπάρχον αίτημα CreateEmptyAsk=Δημιουργία κενής αίτησης τιμής ConfirmCloneAsk=Είστε σίγουροι πως θέλετε να κλωνοποιήσετε την αίτηση τιμής %s; ConfirmReOpenAsk=Είστε σίγουροι πως θέλετε να ξαναανοίξετε την αίτηση τιμής %s; SendAskByMail=Αποστολή αίτησης τιμής με email SendAskRef=Αποστέλεται η αίτηση τιμής %s -SupplierProposalCard=Request card +SupplierProposalCard=Ζητήστε κάρτα ConfirmDeleteAsk=Είστε σίγουροι πως θέλετε να διαγράψετε την αίτηση τιμής %s; -ActionsOnSupplierProposal=Events on price request +ActionsOnSupplierProposal=Εκδηλώσεις σχετικά με την αίτηση τιμής DocModelAuroreDescription=Ένα πλήρες μοντέλο αίτησης τιμής (logo. ..) CommercialAsk=Αίτηση τιμής DefaultModelSupplierProposalCreate=Δημιουργία προεπιλεγμένων μοντέλων -DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) -DefaultModelSupplierProposalClosed=Default template when closing a price request (refused) -ListOfSupplierProposals=List of vendor proposal requests -ListSupplierProposalsAssociatedProject=List of vendor proposals associated with project -SupplierProposalsToClose=Vendor proposals to close -SupplierProposalsToProcess=Vendor proposals to process -LastSupplierProposals=Latest %s price requests -AllPriceRequests=All requests +DefaultModelSupplierProposalToBill=Προκαθορισμένο πρότυπο κατά το κλείσιμο αιτήματος τιμής (αποδεκτό) +DefaultModelSupplierProposalClosed=Προκαθορισμένο πρότυπο κατά το κλείσιμο αίτησης τιμής (απορρίφθηκε) +ListOfSupplierProposals=Λίστα αιτημάτων για προτάσεις πωλητών +ListSupplierProposalsAssociatedProject=Κατάλογος προτάσεων πωλητών που σχετίζονται με το έργο +SupplierProposalsToClose=Προτάσεις πωλητών να κλείσουν +SupplierProposalsToProcess=Προτάσεις πωλητών για επεξεργασία +LastSupplierProposals=Τελευταία αιτήματα τιμών %s +AllPriceRequests=Όλες οι αιτήσεις diff --git a/htdocs/langs/el_GR/ticket.lang b/htdocs/langs/el_GR/ticket.lang index a210eaa1c54..e1c9acc462f 100644 --- a/htdocs/langs/el_GR/ticket.lang +++ b/htdocs/langs/el_GR/ticket.lang @@ -34,9 +34,9 @@ TicketTypeShortBUGSOFT=Λογική δυσλειτουργίας TicketTypeShortBUGHARD=Dysfonctionnement υλικά TicketTypeShortCOM=Εμπορική ερώτηση -TicketTypeShortHELP=Request for functionnal help -TicketTypeShortISSUE=Issue, bug or problem -TicketTypeShortREQUEST=Change or enhancement request +TicketTypeShortHELP=Αίτημα για λειτουργική βοήθεια +TicketTypeShortISSUE=Θέμα, σφάλμα ή πρόβλημα +TicketTypeShortREQUEST=Αίτημα αλλαγής ή βελτίωσης TicketTypeShortPROJET=Έργο TicketTypeShortOTHER=Άλλο @@ -142,7 +142,7 @@ TicketViewNonClosedOnly=Δείτε μόνο ανοιχτά εισιτήρια TicketStatByStatus=Εισιτήρια ανά κατάσταση OrderByDateAsc=Ταξινόμηση κατά αύξουσα ημερομηνία OrderByDateDesc=Ταξινόμηση κατά φθίνουσα ημερομηνία -ShowAsConversation=Show as conversation list +ShowAsConversation=Εμφάνιση ως λίστα συνομιλιών MessageListViewType=Εμφάνιση ως λίστα πίνακα # @@ -231,7 +231,7 @@ TicketNotNotifyTiersAtCreate=Μην ειδοποιείτε την εταιρεί Unread=Αδιάβαστος TicketNotCreatedFromPublicInterface=Μη διαθέσιμος. Το εισιτήριο δεν δημιουργήθηκε από το δημόσιο περιβάλλον. PublicInterfaceNotEnabled=Η δημόσια διεπαφή δεν ήταν ενεργοποιημένη -ErrorTicketRefRequired=Ticket reference name is required +ErrorTicketRefRequired=Το όνομα αναφοράς Eισιτηρίου είναι υποχρεωτικό # # Logs @@ -241,7 +241,7 @@ NoLogForThisTicket=Δεν υπάρχει αρχείο για αυτό το ει TicketLogAssignedTo=Το εισιτήριο %s εκχωρήθηκε στο %s TicketLogPropertyChanged=Εισιτήριο %s τροποποιήθηκε: ταξινόμηση από %s σε %s TicketLogClosedBy=Το εισιτήριο %s έκλεισε με %s -TicketLogReopen=Το εισιτήριο %s άνοιξε ξανά +TicketLogReopen=Το Eισιτήριο %s άνοιξε ξανά # # Public pages @@ -251,9 +251,9 @@ ShowListTicketWithTrackId=Εμφάνιση λίστας εισιτηρίων α ShowTicketWithTrackId=Εμφάνιση εισιτηρίου από αναγνωριστικό κομματιού TicketPublicDesc=Μπορείτε να δημιουργήσετε ένα εισιτήριο υποστήριξης ή να ελέγξετε από ένα υπάρχον αναγνωριστικό. YourTicketSuccessfullySaved=Το εισιτήριο αποθηκεύτηκε με επιτυχία! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. +MesgInfosPublicTicketCreatedWithTrackId=Eνα νέο εισιτήριο δημιουργήθηκε με το αναγνωριστικό %sκαι αναφ %s PleaseRememberThisId=Παρακαλούμε να διατηρήσετε τον αριθμό παρακολούθησης που σας ζητάμε αργότερα. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s +TicketNewEmailSubject=Δημιουργία εισιτηρίου - αναφ. %s TicketNewEmailSubjectCustomer=Νέο εισιτήριο υποστήριξης TicketNewEmailBody=Αυτό είναι ένα αυτόματο μήνυμα ηλεκτρονικού ταχυδρομείου για να επιβεβαιώσετε ότι έχετε καταχωρήσει ένα νέο εισιτήριο. TicketNewEmailBodyCustomer=Αυτό είναι ένα αυτόματο μήνυμα ηλεκτρονικού ταχυδρομείου για να επιβεβαιώσετε ότι μόλις δημιουργήθηκε νέο εισιτήριο στο λογαριασμό σας. @@ -272,7 +272,7 @@ Subject=Αντικείμενο ViewTicket=Προβολή εισιτηρίου ViewMyTicketList=Δείτε τη λίστα εισιτηρίων μου ErrorEmailMustExistToCreateTicket=Σφάλμα: η διεύθυνση ηλεκτρονικού ταχυδρομείου δεν βρέθηκε στη βάση δεδομένων μας -TicketNewEmailSubjectAdmin=New ticket created - Ref %s +TicketNewEmailSubjectAdmin=Νέο εισιτήριο δημιουργήθηκε - αναφ. %s TicketNewEmailBodyAdmin=

Το εισιτήριο μόλις δημιουργήθηκε με την ταυτότητα # %s, δείτε τις πληροφορίες:

SeeThisTicketIntomanagementInterface=Δείτε το εισιτήριο στη διεπαφή διαχείρισης TicketPublicInterfaceForbidden=Η δημόσια διεπαφή για τα εισιτήρια δεν ήταν ενεργοποιημένη diff --git a/htdocs/langs/el_GR/users.lang b/htdocs/langs/el_GR/users.lang index 69b3713caaf..b31fdbc0741 100644 --- a/htdocs/langs/el_GR/users.lang +++ b/htdocs/langs/el_GR/users.lang @@ -6,13 +6,13 @@ Permission=Άδεια Permissions=Άδειες EditPassword=Επεξεργασία κωδικού SendNewPassword=Επαναδημιουργία και αποστολή κωδικού -SendNewPasswordLink=Send link to reset password +SendNewPasswordLink=Αποστολή URL για επαναφορά κωδικού ReinitPassword=Επαναδημιουργία κωδικού PasswordChangedTo=Ο κωδικός άλλαξε σε: %s SubjectNewPassword=Ο νέος σας κωδικός για %s GroupRights=Άδειες ομάδας UserRights=Άδειες χρήστη -UserGUISetup=User Display Setup +UserGUISetup=Ρύθμιση εμφάνισης χρήστη DisableUser=Απενεργοποίηση DisableAUser=Απενεργοποίηση ενός χρήστη DeleteUser=Διαγραφή @@ -34,8 +34,8 @@ ListOfUsers=Λίστα χρηστών SuperAdministrator=Υπερδιαχειριστής SuperAdministratorDesc=Διαχειριστής με όλα τα δικαιώματα AdministratorDesc=Διαχειριστής -DefaultRights=Default Permissions -DefaultRightsDesc=Define here the default permissions that are automatically granted to a new user (to modify permissions for existing users, go to the user card). +DefaultRights=Προεπιλεγμένα δικαιώματα +DefaultRightsDesc=Καθορίστε εδώ τα προεπιλεγμένα δικαιώματα που χορηγούνται αυτόματα σε ένα νέο χρήστη (για να τροποποιήσετε τα δικαιώματα για τους υπάρχοντες χρήστες, πηγαίνετε στην κάρτα χρήστη). DolibarrUsers=Χρήστες Dolibarr LastName=Επίθετο FirstName=Όνομα @@ -44,11 +44,11 @@ NewGroup=Νέα ομάδα CreateGroup=Δημιουργία ομάδας RemoveFromGroup=Αφαίρεση από την ομάδα PasswordChangedAndSentTo=Password changed and sent to %s. -PasswordChangeRequest=Request to change password for %s +PasswordChangeRequest=Αίτημα αλλαγής κωδικού πρόσβασης για %s PasswordChangeRequestSent=Request to change password for %s sent to %s. -ConfirmPasswordReset=Confirm password reset +ConfirmPasswordReset=Επιβεβαιώστε την επαναφορά κωδικού πρόσβασης MenuUsersAndGroups=Χρήστες και Ομάδες -LastGroupsCreated=Latest %s groups created +LastGroupsCreated=Οι τελευταίες ομάδες %s δημιουργήθηκαν LastUsersCreated=Τελευταίοι %s χρήστε που δημιουργήθηκαν ShowGroup=Εμφάνιση ομάδας ShowUser=Εμφάνιση χρήστη @@ -66,11 +66,11 @@ CreateDolibarrThirdParty=Create a third party LoginAccountDisableInDolibarr=Account disabled in Dolibarr. UsePersonalValue=Use personal value InternalUser=Internal user -ExportDataset_user_1=Users and their properties +ExportDataset_user_1=Χρήστες και τις ιδιότητές τους DomainUser=Domain user %s Reactivate=Reactivate -CreateInternalUserDesc=This form allows you to create an internal user in your company/organization. To create an external user (customer, vendor etc. ..), use the button 'Create Dolibarr User' from that third-party's contact card. -InternalExternalDesc=An internal user is a user that is part of your company/organization.
An external user is a customer, vendor or other.

In both cases, permissions defines rights on Dolibarr, also external user can have a different menu manager than internal user (See Home - Setup - Display) +CreateInternalUserDesc=Αυτή η φόρμα σάς επιτρέπει να δημιουργήσετε έναν εσωτερικό χρήστη στην εταιρεία / οργανισμό σας. Για να δημιουργήσετε έναν εξωτερικό χρήστη (πελάτη, προμηθευτή κ.λπ.), χρησιμοποιήστε το κουμπί "Δημιουργία χρήστη Dolibarr" από την κάρτα επαφών του τρίτου μέρους. +InternalExternalDesc=Ένας εσωτερικός χρήστης είναι χρήστης που αποτελεί μέρος της εταιρείας / οργανισμού σας.
Ένας εξωτερικός χρήστης είναι πελάτης, πωλητής ή άλλος.

Και στις δύο περιπτώσεις, τα δικαιώματα καθορίζουν δικαιώματα στο Dolibarr, και ο εξωτερικός χρήστης μπορεί να έχει διαφορετικό διαχειριστή μενού από τον εσωτερικό χρήστη (βλέπε Αρχική σελίδα - Εγκατάσταση - Εμφάνιση) PermissionInheritedFromAGroup=Permission granted because inherited from one of a user's group. Inherited=Inherited UserWillBeInternalUser=Δημιουργήθηκε χρήστη θα είναι ένας εσωτερικός χρήστης (επειδή δεν συνδέεται με ένα συγκεκριμένο τρίτο μέρος) @@ -87,26 +87,29 @@ GroupModified=Ομάδα %s τροποποιημένη GroupDeleted=Group %s removed ConfirmCreateContact=Είστε σίγουρος ότι θέλετε να δημιουργήσετε καινούριο λογαριασμό Dolibarr γι΄ αυτή την επαφή; ConfirmCreateLogin=Είστε σίγουρος ότι θέλετε να δημιουργήσετε καινούριο λογαριασμό Dolibarr γι΄ αυτό το μέλος; -ConfirmCreateThirdParty=Are you sure you want to create a third party for this member? +ConfirmCreateThirdParty=Είστε βέβαιοι ότι θέλετε να δημιουργήσετε ένα τρίτο μέρος για αυτό το μέλος; LoginToCreate=Login to create NameToCreate=Name of third party to create YourRole=Your roles YourQuotaOfUsersIsReached=Your quota of active users is reached ! -NbOfUsers=No. of users -NbOfPermissions=No. of permissions +NbOfUsers=Αριθμός χρηστών +NbOfPermissions=Αριθμός αδειών DontDowngradeSuperAdmin=Μόνο μια superadmin μπορεί να προβεί στην ανακατάταξη ενός superadmin HierarchicalResponsible=Επόπτης HierarchicView=Ιεραρχική προβολή UseTypeFieldToChange=Χρησιμοποιήστε είδος πεδίου για να αλλάξετε OpenIDURL=OpenID URL LoginUsingOpenID=Χρησιμοποιήστε το OpenID για να συνδεθείτε -WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +WeeklyHours=Ώρες εργασίας (ανά εβδομάδα) +ExpectedWorkedHours=Αναμενόμενες εργάσιμες ώρες ανά εβδομάδα ColorUser=Χρώμα του χρήστη DisabledInMonoUserMode=Απενεργοποιημένο σε κατάσταση συντήρησης -UserAccountancyCode=User accounting code -UserLogoff=User logout -UserLogged=User logged -DateEmployment=Employment Start Date -DateEmploymentEnd=Employment End Date -CantDisableYourself=You can't disable your own user record +UserAccountancyCode=Κωδικός λογαριασμού χρήστη +UserLogoff=Αποσύνδεση χρήστη +UserLogged=Ο χρήστης καταγράφηκε +DateEmployment=Ημερομηνία έναρξης απασχόλησης +DateEmploymentEnd=Ημερομηνία λήξης απασχόλησης +CantDisableYourself=Δεν μπορείτε να απενεργοποιήσετε το δικό σας αρχείο χρήστη +ForceUserExpenseValidator=Έγκριση έκθεσης εξόδου ισχύος +ForceUserHolidayValidator=Έγκριση αίτησης για άδεια εξόδου +ValidatorIsSupervisorByDefault=Από προεπιλογή, ο επικυρωτής είναι ο επόπτης του χρήστη. Κρατήστε κενό για να διατηρήσετε αυτή τη συμπεριφορά. diff --git a/htdocs/langs/el_GR/website.lang b/htdocs/langs/el_GR/website.lang index e4ddc95cff4..fb55363f570 100644 --- a/htdocs/langs/el_GR/website.lang +++ b/htdocs/langs/el_GR/website.lang @@ -56,7 +56,7 @@ NoPageYet=Δεν υπάρχουν ακόμη σελίδες YouCanCreatePageOrImportTemplate=Μπορείτε να δημιουργήσετε μια νέα σελίδα ή να εισαγάγετε ένα πλήρες πρότυπο ιστότοπου SyntaxHelp=Βοήθεια για συγκεκριμένες συμβουλές σύνταξης YouCanEditHtmlSourceckeditor=Μπορείτε να επεξεργαστείτε τον πηγαίο κώδικα HTML χρησιμοποιώντας το κουμπί "Source" στο πρόγραμμα επεξεργασίας. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs.

You can also include content of another Page/Container with the following syntax:
<?php includeContainer('alias_of_container_to_include'); ?>

You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

To add a link to another page, use the syntax:
<a href="alias_of_page_to_link_to.php">mylink<a>

To include a link to download a file stored into the documents directory, use the document.php wrapper:
Example, for a file into documents/ecm (need to be logged), syntax is:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
For a file shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">

To include an image stored into the documents directory, use the viewimage.php wrapper:
Example, for an image into documents/medias (open directory for public access), syntax is:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">

More examples of HTML or dynamic code available on the wiki documentation
. +YouCanEditHtmlSource=
Μπορείτε να ενσωματώσετε PHP κώδικα μέσα στην πηγή χρησιμοποιώντας tag <?php ?>. Οι ακόλουθες γενικές μεταβλητές είναι διαθέσιμες: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs.

Επίσης, μπορείτε να ενσωματώσετε τα περιεχόμενα μίας άλλης σελίδας με την παρακάτω σύνταξη:
<?php includeContainer('alias_of_container_to_include'); ?>

Μπορείτε να κάνετε ανακατεύθυνση σε άλλη σελίδα/περιεχόμενο με την ακόλουθη σύνταξη (παρατήρηση: μην εξάγετε περιχόμενο πριν την ανακατεύθυνση):
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

Για να προσθέσετε σύνδεσμο προς άλλη σελίδα, χρησιμοποιήστε τη σύνταξη:
<a href="alias_of_page_to_link_to.php">mylink<a>

Για να συμπεριλάβετε ενα σύνδεσμο κατεβάσματος αρχείου αποθηκευμένου στα documents φάκελο, χρησιμοποιήστε document.php wrapper:
Παράδειγμα, για αρχείο στα documents/ecm (χρειάζεται να είναι καταγεγραμμένο), σύνταξη είναι:
<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">
Για κοινό αρχείο με κοινό σύνδεσμο (ανοιχτή πρόσβαση με κοινό κλειδί αρχείου), η σύνταξη είναι:
<a href="/document.php?hashp=publicsharekeyoffile">

Για να ενσωματώσετε μια image αποθηκευμένη στο documents φάκελο, χρησιμοποιήστε τοviewimage.php wrapper:
Παράδειγμα, για μια εικόνα στο documents/medias (ανοιχτός φάκελος για κοινή χρήση), η σύνταξη είναι :
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">

Περισσότερα παραδείγματα HTML ή δυναμικό κώδικα διαθεσιμότητα στο the wiki documentation
. ClonePage=Σελίδα κλωνοποίησης / κοντέινερ CloneSite=Κλωνήστε τον ιστότοπο SiteAdded=Προστέθηκε ιστότοπος @@ -118,6 +118,6 @@ EditInLineOnOff=Η λειτουργία 'Edit inline' είναι %s ShowSubContainersOnOff=Η κατάσταση εκτέλεσης 'δυναμικού περιεχομένου' είναι %s GlobalCSSorJS=Παγκόσμιο αρχείο CSS / JS / Header της ιστοσελίδας BackToHomePage=Επιστροφή στην αρχική σελίδα... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters +TranslationLinks=Μεταφραστικές συνδέσεις +YouTryToAccessToAFileThatIsNotAWebsitePage=Προσπαθείτε να έχετε πρόσβαση σε μια σελίδα που δεν είναι σελίδα ιστότοπου +UseTextBetween5And70Chars=Για καλές πρακτικές SEO, χρησιμοποιήστε ένα κείμενο μεταξύ 5 και 70 χαρακτήρων diff --git a/htdocs/langs/en_AU/admin.lang b/htdocs/langs/en_AU/admin.lang index f792eabe51a..47a5f964e21 100644 --- a/htdocs/langs/en_AU/admin.lang +++ b/htdocs/langs/en_AU/admin.lang @@ -3,5 +3,8 @@ OldVATRates=Old GST rate NewVATRates=New GST rate DictionaryVAT=GST Rates or Sales Tax Rates OptionVatMode=GST due +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice LinkColor=Colour of links OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_AU/bills.lang b/htdocs/langs/en_AU/bills.lang index 33a4c6e7faa..abb55013e77 100644 --- a/htdocs/langs/en_AU/bills.lang +++ b/htdocs/langs/en_AU/bills.lang @@ -11,3 +11,4 @@ MenuCheques=Cheques NewChequeDeposit=New Cheque deposit Cheques=Cheques NbCheque=Number of cheques +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template diff --git a/htdocs/langs/en_AU/main.lang b/htdocs/langs/en_AU/main.lang index 886a1d700dc..dac6a875c2d 100644 --- a/htdocs/langs/en_AU/main.lang +++ b/htdocs/langs/en_AU/main.lang @@ -35,4 +35,3 @@ TTC=Incl GST VAT=GST VATRate=GST Rate Check=Cheque -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/en_CA/admin.lang b/htdocs/langs/en_CA/admin.lang index e5e33b73dd6..2c680a8c3af 100644 --- a/htdocs/langs/en_CA/admin.lang +++ b/htdocs/langs/en_CA/admin.lang @@ -2,5 +2,8 @@ LocalTax1Management=PST Management CompanyZip=Postal code LDAPFieldZip=Postal code +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice FormatZip=Postal code OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_CA/main.lang b/htdocs/langs/en_CA/main.lang index 32b5faf93d8..6d4ce6e30f2 100644 --- a/htdocs/langs/en_CA/main.lang +++ b/htdocs/langs/en_CA/main.lang @@ -26,4 +26,3 @@ TotalVAT=Total GST TotalLT1=Total PST VAT=GST VATRate=GST rate -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/en_GB/admin.lang b/htdocs/langs/en_GB/admin.lang index 29af3e502f6..6f302db7ebc 100644 --- a/htdocs/langs/en_GB/admin.lang +++ b/htdocs/langs/en_GB/admin.lang @@ -46,5 +46,8 @@ DictionaryAccountancyJournal=Finance journals CompanyZip=Postcode LDAPFieldZip=Postcode GenbarcodeLocation=Barcode generation command line tool (used by internal engine for some bar code types). Must be compatible with "genbarcode".
For example: /usr/local/bin/genbarcode +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice FormatZip=Postcode OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_GB/bills.lang b/htdocs/langs/en_GB/bills.lang index f0af87986a4..1a4a7b698d0 100644 --- a/htdocs/langs/en_GB/bills.lang +++ b/htdocs/langs/en_GB/bills.lang @@ -21,5 +21,6 @@ PrettyLittleSentence=Accept the amount of payments due by cheques issued in my n MenuCheques=Cheques Cheques=Cheques NbCheque=Number of cheques +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template MarsNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for deposit invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 CactusNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for deposit invoices where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/en_GB/main.lang b/htdocs/langs/en_GB/main.lang index d0beb1fc73f..5617fe77778 100644 --- a/htdocs/langs/en_GB/main.lang +++ b/htdocs/langs/en_GB/main.lang @@ -40,4 +40,3 @@ Canceled=Cancelled Color=Colour NoPhotoYet=No picture available yet SearchIntoSupplierProposals=Vendor quotes -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/en_GB/orders.lang b/htdocs/langs/en_GB/orders.lang index f6c94348a6e..ef256894fa7 100644 --- a/htdocs/langs/en_GB/orders.lang +++ b/htdocs/langs/en_GB/orders.lang @@ -1,3 +1,8 @@ # Dolibarr language file - Source file is en_US - orders StatusOrderCanceledShort=Cancelled StatusOrderCanceled=Cancelled +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model +PDFProformaDescription=A complete Proforma invoice template +StatusSupplierOrderCanceledShort=Cancelled +StatusSupplierOrderCanceled=Cancelled diff --git a/htdocs/langs/en_GB/propal.lang b/htdocs/langs/en_GB/propal.lang index 6e1de50ae98..31a268f27bd 100644 --- a/htdocs/langs/en_GB/propal.lang +++ b/htdocs/langs/en_GB/propal.lang @@ -1,2 +1,4 @@ # Dolibarr language file - Source file is en_US - propal +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default template creation diff --git a/htdocs/langs/en_IN/admin.lang b/htdocs/langs/en_IN/admin.lang index e3cc80d5cea..b0105c61d00 100644 --- a/htdocs/langs/en_IN/admin.lang +++ b/htdocs/langs/en_IN/admin.lang @@ -13,5 +13,8 @@ ProposalsNumberingModules=Quotation numbering models ProposalsPDFModules=Quotation documents models FreeLegalTextOnProposal=Free text on quotations WatermarkOnDraftProposal=Watermark on draft quotations (none if empty) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice MailToSendProposal=Customer quotations OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/en_IN/bills.lang b/htdocs/langs/en_IN/bills.lang index 762ca939ebb..83d0a715eb1 100644 --- a/htdocs/langs/en_IN/bills.lang +++ b/htdocs/langs/en_IN/bills.lang @@ -1,2 +1,3 @@ # Dolibarr language file - Source file is en_US - bills RelatedCommercialProposals=Related quotations +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template diff --git a/htdocs/langs/en_IN/main.lang b/htdocs/langs/en_IN/main.lang index be43e618a63..3a5f17eda48 100644 --- a/htdocs/langs/en_IN/main.lang +++ b/htdocs/langs/en_IN/main.lang @@ -22,5 +22,4 @@ FormatDateHourText=%B %d, %Y, %I:%M %p CommercialProposalsShort=Quotations LinkToProposal=Link to quotation SearchIntoCustomerProposals=Customer quotations -ContactDefault_order_supplier=Supplier Order ContactDefault_propal=Quotation diff --git a/htdocs/langs/en_IN/propal.lang b/htdocs/langs/en_IN/propal.lang index bb4dd1ca5de..0705f73f70f 100644 --- a/htdocs/langs/en_IN/propal.lang +++ b/htdocs/langs/en_IN/propal.lang @@ -19,3 +19,5 @@ ShowPropal=Show quotation ActionsOnPropal=Events on quotation DatePropal=Date of quotation ProposalLine=Quotation line +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model diff --git a/htdocs/langs/es_AR/main.lang b/htdocs/langs/es_AR/main.lang index 1bc58ef3a8a..c4adad1acf4 100644 --- a/htdocs/langs/es_AR/main.lang +++ b/htdocs/langs/es_AR/main.lang @@ -31,4 +31,3 @@ SearchIntoSupplierInvoices=Facturas de proveedores SearchIntoSupplierOrders=Ordenes de compra SearchIntoCustomerProposals=Propuestas de clientes SearchIntoContracts=Los contratos -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_BO/main.lang b/htdocs/langs/es_BO/main.lang index 9443c7b9b5a..2e691473326 100644 --- a/htdocs/langs/es_BO/main.lang +++ b/htdocs/langs/es_BO/main.lang @@ -19,4 +19,3 @@ 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 -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_CL/admin.lang b/htdocs/langs/es_CL/admin.lang index c0b4598cc17..ec7bf2f2112 100644 --- a/htdocs/langs/es_CL/admin.lang +++ b/htdocs/langs/es_CL/admin.lang @@ -393,7 +393,6 @@ Module25Desc=Gestión de órdenes de venta Module30Name=Facturas Module30Desc=Gestión de facturas y notas de crédito para clientes. Gestión de facturas y notas de crédito para proveedores. Module40Name=Vendedores -Module40Desc=Proveedores y gestión de compras (órdenes de compra y facturación). Module42Desc=Instalaciones de registro (archivo, syslog, ...). Dichos registros son para fines técnicos / de depuración. Module49Desc=Gestión del editor Module51Name=Envíos masivos @@ -418,9 +417,7 @@ Module105Desc=Mailman o interfaz SPIP para el módulo miembro Module200Desc=Sincronización de directorios LDAP Module210Desc=Integración PostNuke Module240Name=Exportación de datos -Module240Desc=Herramienta para exportar datos de Dolibarr (con asistentes). Module250Name=Importaciones de datos -Module250Desc=Herramienta para importar datos a Dolibarr (con asistentes) Module310Desc=Gestión de miembros de la Fundación Module320Desc=Añadir un feed RSS a las páginas de Dolibarr. Module330Name=Marcadores y accesos directos @@ -855,7 +852,6 @@ ParameterActiveForNextInputOnly=Parámetro efectivo solo para la siguiente entra NoEventOrNoAuditSetup=No se ha registrado ningún evento de seguridad. Esto es normal si la auditoría no se ha habilitado en la página "Configuración - Seguridad - Eventos". NoEventFoundWithCriteria=No se ha encontrado ningún evento de seguridad para este criterio de búsqueda. SeeLocalSendMailSetup=Consulte su configuración de sendmail local -BackupDesc2=Realice una copia de seguridad del contenido del directorio "documentos" ( %s ) que contiene todos los archivos cargados y generados. Esto también incluirá todos los archivos de volcado generados en el Paso 1. BackupDesc3=Realice una copia de seguridad de la estructura y el contenido de su base de datos ( %s ) en un archivo de volcado. Para ello, puede utilizar el siguiente asistente. BackupDescX=El directorio archivado debe almacenarse en un lugar seguro. BackupDescY=El archivo de volcado generado debe almacenarse en un lugar seguro. @@ -1277,8 +1273,8 @@ BankOrderESDesc=Orden de exhibición en español ChequeReceiptsNumberingModule=Verifique el módulo de numeración de recibos MultiCompanySetup=Configuración de módulo multi-compañía SuppliersSetup=Configuración del módulo de proveedor -SuppliersCommandModel=Plantilla completa de pedido de compra (logo ...) -SuppliersInvoiceModel=Plantilla completa de la factura del proveedor (logotipo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Facturas de proveedores de numeración de modelos. IfSetToYesDontForgetPermission=Si se establece en un valor no nulo, no olvide proporcionar permisos a grupos o usuarios permitidos para la segunda aprobación PathToGeoIPMaxmindCountryDataFile=Ruta al archivo que contiene Maxmind ip a la traducción del país.
Ejemplos:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb @@ -1317,9 +1313,7 @@ ListOfNotificationsPerUser=Lista de notificaciones automáticas por usuario * ListOfNotificationsPerUserOrContact=Lista de posibles notificaciones automáticas (en eventos comerciales) disponibles por usuario * o por contacto ** ListOfFixedNotifications=Lista de notificaciones automáticas fijas GoOntoUserCardToAddMore=Vaya a la pestaña "Notificaciones" de un usuario para agregar o eliminar notificaciones para usuarios -GoOntoContactCardToAddMore=Vaya a la pestaña "Notificaciones" de un tercero para agregar o eliminar notificaciones de contactos/direcciones Threshold=Límite -BackupDumpWizard=Asistente para construir el archivo de copia de seguridad SomethingMakeInstallFromWebNotPossible=La instalación del módulo externo no es posible desde la interfaz web por el siguiente motivo: SomethingMakeInstallFromWebNotPossible2=Por esta razón, el proceso de actualización descrito aquí es un proceso manual que solo puede realizar un usuario privilegiado. InstallModuleFromWebHasBeenDisabledByFile=La instalación del módulo externo de la aplicación ha sido desactivada por su administrador. Debes pedirle que elimine el archivo %s para permitir esta función. @@ -1457,6 +1451,7 @@ WarningValueHigherSlowsDramaticalyOutput=Advertencia, los valores más altos ral ModuleActivated=El módulo %s está activado y ralentiza la interfaz EXPORTS_SHARE_MODELS=Los modelos de exportación se comparten con todos. IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra un ID de seguimiento en el correo electrónico entrante, el evento se vinculará automáticamente a los objetos relacionados. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=Punto final para %s: %s DeleteEmailCollector=Eliminar el colector de correo electrónico ConfirmDeleteEmailCollector=¿Estás seguro de que deseas eliminar este recopilador de correo electrónico? diff --git a/htdocs/langs/es_CL/bills.lang b/htdocs/langs/es_CL/bills.lang index 6c0dc2d5206..35ef142f835 100644 --- a/htdocs/langs/es_CL/bills.lang +++ b/htdocs/langs/es_CL/bills.lang @@ -319,7 +319,6 @@ PaymentConditionShort14D=14 dias PaymentCondition14D=14 dias PaymentConditionShort14DENDMONTH=14 días de fin de mes PaymentCondition14DENDMONTH=Dentro de los 14 días siguientes al final del mes -FixAmount=Cantidad fija VarAmount=Cantidad variable (%% tot) PaymentTypeVIR=transferencia bancaria PaymentTypeShortVIR=transferencia bancaria @@ -388,7 +387,7 @@ RevenueStamp=Sello de ingresos YouMustCreateInvoiceFromThird=Esta opción solo está disponible cuando se crea una factura desde la pestaña "Cliente" de un tercero YouMustCreateInvoiceFromSupplierThird=Esta opción solo está disponible cuando se crea una factura desde la pestaña "Proveedor" de un tercero YouMustCreateStandardInvoiceFirstDesc=Primero debe crear una factura estándar y convertirla en "plantilla" para crear una nueva factura de plantilla -PDFCrabeDescription=Factura plantilla en PDF Crabe. Una plantilla de factura completa (Plantilla recomendada) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Factura PDF plantilla de esponja. Una plantilla de factura completa. PDFCrevetteDescription=Plantilla de factura en PDF Crevette. Una plantilla de factura completa para facturas de situación TerreNumRefModelDesc1=Número de devolución con formato %saaam-nnnn para facturas estándar y %saaam-nnnn para notas de crédito donde yy es año, mm es mes y nnnn es una secuencia sin interrupción y sin retorno a 0 diff --git a/htdocs/langs/es_CL/companies.lang b/htdocs/langs/es_CL/companies.lang index bbb1760d60a..7a0a843ef86 100644 --- a/htdocs/langs/es_CL/companies.lang +++ b/htdocs/langs/es_CL/companies.lang @@ -151,7 +151,6 @@ 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 prospecto, cliente ni vendedor. VATIntraCheck=Cheque VATIntraCheckDesc=La identificación del IVA debe incluir el prefijo del país. El enlace %s utiliza el servicio europeo de verificación de IVA (VIES), que requiere acceso a Internet desde el servidor Dolibarr. VATIntraCheckableOnEUSite=Compruebe la identificación del IVA intracomunitaria en el sitio web de la Comisión Europea diff --git a/htdocs/langs/es_CL/main.lang b/htdocs/langs/es_CL/main.lang index fc973866b18..341f7b46a19 100644 --- a/htdocs/langs/es_CL/main.lang +++ b/htdocs/langs/es_CL/main.lang @@ -262,7 +262,6 @@ FilterOnInto=Criterio de búsqueda '%s' en los campos %s ChartGenerated=Gráfico generado GeneratedOn=Construir en %s DolibarrWorkBoard=Artículos abiertos -NoOpenedElementToProcess=Sin elemento abierto para procesar NotYetAvailable=No disponible aún Categories=Etiquetas / categorías To=para @@ -536,7 +535,6 @@ ToAcceptRefuse=Aceptar | desperdicios ContactDefault_agenda=Evento ContactDefault_commande=Orden ContactDefault_invoice_supplier=Factura del proveedor -ContactDefault_order_supplier=Pedido de proveedor ContactDefault_propal=Cotización ContactDefault_supplier_proposal=Propuesta de proveedor ContactDefault_ticketsup=Boleto diff --git a/htdocs/langs/es_CL/orders.lang b/htdocs/langs/es_CL/orders.lang index cb8437e20fe..78c024254eb 100644 --- a/htdocs/langs/es_CL/orders.lang +++ b/htdocs/langs/es_CL/orders.lang @@ -54,7 +54,6 @@ ValidateOrder=Validar pedido UnvalidateOrder=Desvalidar orden DeleteOrder=Eliminar orden CancelOrder=Cancelar orden -OrderReopened=Ordene %s Reabierto AddPurchaseOrder=Crear Orden de Compra AddToDraftOrders=Añadir a orden de borrador OrdersOpened=Órdenes para procesar @@ -113,10 +112,10 @@ TypeContact_order_supplier_external_CUSTOMER=Orden de seguimiento de contacto de Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Constante COMMANDE_SUPPLIER_ADDON no definido Error_COMMANDE_ADDON_NotDefined=Constant COMMANDE_ADDON no definido Error_OrderNotChecked=No hay pedidos para facturar seleccionados -PDFEinsteinDescription=Un modelo de pedido completo (logotipo ...) -PDFEratostheneDescription=Un modelo de pedido completo (logo ...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Un modelo de orden simple -PDFProformaDescription=Una factura proforma completa (logotipo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Pagar Pedidos NoOrdersToInvoice=No hay pedidos facturables CloseProcessedOrdersAutomatically=Clasifique "Procesado" todas las órdenes seleccionadas. diff --git a/htdocs/langs/es_CL/other.lang b/htdocs/langs/es_CL/other.lang index 7a51eedfb73..0d92dd33451 100644 --- a/htdocs/langs/es_CL/other.lang +++ b/htdocs/langs/es_CL/other.lang @@ -80,7 +80,6 @@ DemoFundation=Administrar miembros de una fundación DemoFundation2=Administrar miembros y cuenta bancaria de una fundación DemoCompanyServiceOnly=Compañía o servicio de venta independiente solamente DemoCompanyShopWithCashDesk=Administre una tienda con una caja registradora -DemoCompanyProductAndStocks=Compañía que vende productos con una tienda DemoCompanyAll=Empresa con múltiples actividades (todos los módulos principales) CreatedById=ID de usuario que creó ModifiedById=ID de usuario que realizó el último cambio @@ -172,6 +171,5 @@ 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) WebsiteSetup=Configuración del sitio web del módulo -WEBSITE_IMAGEDesc=Ruta relativa de los medios de imagen. Puede mantenerlo vacío, ya que rara vez se utiliza (puede ser utilizado por contenido dinámico para mostrar una vista previa de una lista de publicaciones de blog). WEBSITE_KEYWORDS=Palabras clave LinesToImport=Líneas para importar diff --git a/htdocs/langs/es_CL/projects.lang b/htdocs/langs/es_CL/projects.lang index 13371100b39..b21b59af6e9 100644 --- a/htdocs/langs/es_CL/projects.lang +++ b/htdocs/langs/es_CL/projects.lang @@ -172,5 +172,4 @@ ModuleSalaryToDefineHourlyRateMustBeEnabled=El módulo 'Salarios' debe e NewTaskRefSuggested=Referencia de tarea ya utilizada, se requiere una nueva referencia de tarea TimeSpentForInvoice=Tiempo dedicado InvoiceGeneratedFromTimeSpent=La factura %s se ha generado desde el tiempo invertido en el proyecto -ProjectBillTimeDescription=Verifique si ingresa la hoja de tiempo en las tareas del proyecto Y planea generar facturas de la hoja de tiempo para facturar al cliente del proyecto (no verifique si planea crear una factura que no esté basada en las hojas de tiempo ingresadas). UsageBillTimeShort=Uso: Bill time diff --git a/htdocs/langs/es_CL/propal.lang b/htdocs/langs/es_CL/propal.lang index de37c77b039..ae148ad1029 100644 --- a/htdocs/langs/es_CL/propal.lang +++ b/htdocs/langs/es_CL/propal.lang @@ -25,7 +25,7 @@ NbOfProposals=Número cotizaciones ShowPropal=Ver cotización PropalsOpened=Abierto PropalStatusDraft=Borrador (debe ser validado) -PropalStatusValidated=Validado (propuesta está abierta) +PropalStatusValidated=Validado (cotización abierta) PropalStatusSigned=Firmado (necesita pago) PropalStatusBilled=Pagado PropalStatusBilledShort=Pagado @@ -59,10 +59,11 @@ TypeContact_propal_internal_SALESREPFOLL=Comercial seguimiento cotización TypeContact_propal_external_BILLING=Contacto cliente de facturación cotización TypeContact_propal_external_CUSTOMER=Contacto cliente seguimiento cotización TypeContact_propal_external_SHIPPING=Contacto con el cliente para la entrega -DocModelAzurDescription=Modelo de cotización completa (logo...) -DocModelCyanDescription=Modelo de cotización completa (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Creación de modelo por defecto DefaultModelPropalToBill=Modelo por defecto al cerrar una cotización (a facturar) DefaultModelPropalClosed=Modelo por defecto al cerrar una cotización (no facturado) ProposalCustomerSignature=Aprobación, timbre, fecha y firma ProposalsStatisticsSuppliers=Estadísticas de propuestas de proveedores. +CaseFollowedBy=Caso seguido de diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang index 292d9879e08..d0f68614a5b 100644 --- a/htdocs/langs/es_CO/admin.lang +++ b/htdocs/langs/es_CO/admin.lang @@ -1020,8 +1020,8 @@ BankSetupModule=Configuración del módulo bancario BankOrderShow=Mostrar el orden de las cuentas bancarias para los países que utilizan "número bancario detallado" BankOrderESDesc=Orden de visualización en español MultiCompanySetup=Configuración del módulo multiempresa -SuppliersCommandModel=Plantilla completa de pedido de compra (logo ...) -SuppliersInvoiceModel=Plantilla completa de factura del vendedor (logo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice NoteOnPathLocation=Tenga en cuenta que su archivo de datos de IP a país debe estar dentro de un directorio que su PHP pueda leer (Verifique su configuración de PHP open_basedir y los permisos del sistema de archivos). YouCanDownloadFreeDatFileTo=Puede descargar una versión demo gratuita del archivo de país de Maxmind GeoIP en %s. YouCanDownloadAdvancedDatFileTo=También puede descargar una versión más completa de , con actualizaciones, del archivo de país de Maxmind GeoIP en %s. @@ -1055,7 +1055,6 @@ ExpenseReportsRulesSetup=Configuración de los informes de gastos del módulo - ExpenseReportNumberingModules=Módulo de numeración de informes de gastos. NoModueToManageStockIncrease=No se ha activado ningún módulo capaz de gestionar el aumento automático de stock. El aumento de stock se realizará solo con entrada manual. GoOntoUserCardToAddMore=Vaya a la pestaña "Notificaciones" de un usuario para agregar o eliminar notificaciones para usuarios -GoOntoContactCardToAddMore=Vaya a la pestaña "Notificaciones" de un tercero para agregar o eliminar notificaciones de contactos / direcciones Threshold=Límite SomethingMakeInstallFromWebNotPossible=La instalación de un módulo externo no es posible desde la interfaz web por el siguiente motivo: InstallModuleFromWebHasBeenDisabledByFile=Su administrador ha deshabilitado la instalación del módulo externo desde la aplicación. Debe pedirle que elimine el archivo %s para permitir esta función. @@ -1149,3 +1148,4 @@ DisabledResourceLinkContact=Deshabilitar función para vincular un recurso a con ConfirmUnactivation=Confirmar el reinicio del módulo OnMobileOnly=Solo en pantalla pequeña (teléfono inteligente) DisableProspectCustomerType=Deshabilite el tipo de tercero "Prospect + Customer" (por lo tanto, el tercero debe ser Prospect o Customer pero no pueden ser ambos) +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_CO/bills.lang b/htdocs/langs/es_CO/bills.lang index decd1ce54be..1436d3fdca9 100644 --- a/htdocs/langs/es_CO/bills.lang +++ b/htdocs/langs/es_CO/bills.lang @@ -338,7 +338,7 @@ ListOfYourUnpaidInvoices=Lista de facturas impagadas NoteListOfYourUnpaidInvoices=Nota: Esta lista solo contiene facturas para terceros a los que está vinculado como representante de ventas. RevenueStamp=Sello de ingresos YouMustCreateStandardInvoiceFirstDesc=Primero debe crear una factura estándar y convertirla en "plantilla" para crear una nueva factura de plantilla -PDFCrabeDescription=Plantilla PDF factura Crabe. Una plantilla de factura completa (Plantilla recomendada) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Factura PDF plantilla de esponja. Una plantilla de factura completa. PDFCrevetteDescription=Plantilla PDF factura Crevette. Una plantilla de factura completa para facturas de situación. TerreNumRefModelDesc1=Número de devolución con formato %syymm-nnnn para facturas estándar y %syymm-nnnn para notas de crédito donde yy es año, mm es mes y nnnn es una secuencia sin interrupción y sin retorno a 0 diff --git a/htdocs/langs/es_CO/main.lang b/htdocs/langs/es_CO/main.lang index b56208e2213..6711dc4e08e 100644 --- a/htdocs/langs/es_CO/main.lang +++ b/htdocs/langs/es_CO/main.lang @@ -116,7 +116,6 @@ Accountant=Contador Completed=Terminado RequestAlreadyDone=La solicitud ya ha sido procesada FilterOnInto=Los criterios de búsqueda ' %s ' en los campos %s -NoOpenedElementToProcess=No hay elemento abierto para procesar Categories=Etiquetas / categorías Topic=Tema NoItemLate=Sin artículo atrasado @@ -252,5 +251,4 @@ SelectAThirdPartyFirst=Seleccione un tercero primero ... YouAreCurrentlyInSandboxMode=Actualmente se encuentra en el modo "sandbox" %s ContactDefault_agenda=Acción ContactDefault_commande=Orden -ContactDefault_order_supplier=Supplier Order ContactDefault_propal=Propuesta diff --git a/htdocs/langs/es_CO/orders.lang b/htdocs/langs/es_CO/orders.lang index e78e5fec048..a4848d8c926 100644 --- a/htdocs/langs/es_CO/orders.lang +++ b/htdocs/langs/es_CO/orders.lang @@ -7,3 +7,9 @@ StatusOrderCanceled=Cancelado StatusOrderDraft=Borrador (necesita ser validado) TypeContact_commande_external_BILLING=Contacto factura cliente TypeContact_commande_external_SHIPPING=Contacto de envío del cliente +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model +PDFProformaDescription=A complete Proforma invoice template +StatusSupplierOrderCanceledShort=Cancelado +StatusSupplierOrderCanceled=Cancelado +StatusSupplierOrderDraft=Borrador (necesita ser validado) diff --git a/htdocs/langs/es_CO/propal.lang b/htdocs/langs/es_CO/propal.lang index 295deaf06cc..d23240befd3 100644 --- a/htdocs/langs/es_CO/propal.lang +++ b/htdocs/langs/es_CO/propal.lang @@ -4,3 +4,5 @@ ProposalShort=Propuesta PropalsDraft=Borradores PropalStatusDraft=Borrador (necesita ser validado) TypeContact_propal_external_BILLING=Contacto factura cliente +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model diff --git a/htdocs/langs/es_DO/admin.lang b/htdocs/langs/es_DO/admin.lang index 79fb1cc6155..985dcfadd4e 100644 --- a/htdocs/langs/es_DO/admin.lang +++ b/htdocs/langs/es_DO/admin.lang @@ -7,4 +7,7 @@ Permission93=Eliminar impuestos e ITBIS DictionaryVAT=Tasa de ITBIS (Impuesto sobre ventas en EEUU) UnitPriceOfProduct=Precio unitario sin ITBIS de un producto OptionVatMode=Opción de carga de ITBIS +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_DO/main.lang b/htdocs/langs/es_DO/main.lang index 9443c7b9b5a..2e691473326 100644 --- a/htdocs/langs/es_DO/main.lang +++ b/htdocs/langs/es_DO/main.lang @@ -19,4 +19,3 @@ 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 -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_EC/admin.lang b/htdocs/langs/es_EC/admin.lang index 038c57eb268..e53b51127c3 100644 --- a/htdocs/langs/es_EC/admin.lang +++ b/htdocs/langs/es_EC/admin.lang @@ -389,7 +389,6 @@ Module23Desc=Monitoreo del consumo de energías Module30Name=Facturas Module30Desc=Gestión de facturas y notas de crédito para clientes. Gestión de facturas y notas de crédito para proveedores. Module40Name=Vendedores / Proveedores -Module40Desc=Proveedores y gestión de compras (órdenes de compra y facturación). Module42Desc=Instalaciones de registro (archivo, syslog, ...). Dichos registros son para fines técnicos / depuración. Module49Desc=Administración del editor Module51Name=Correo Electrónico Masivos @@ -415,9 +414,7 @@ Module105Desc=Interfaz de Mailman o SPIP para el módulo miembro Module200Desc=Sincronización de directorios LDAP Module210Desc=Integración PostNuke Module240Name=Exportar datos -Module240Desc=Herramienta para exportar los datos de Dolibarr (con asistentes) Module250Name=Importar datos -Module250Desc=Herramienta para importar datos a Dolibarr (con asistentes) Module310Desc=Administración de miembros de la Fundación Module320Name=RSS Module320Desc=Añadir un feed RSS a las páginas de Dolibarr. @@ -824,7 +821,6 @@ NoEventOrNoAuditSetup=No se ha registrado ningún evento de seguridad. Esto es n NoEventFoundWithCriteria=No se ha encontrado ningún evento de seguridad para este criterio de búsqueda. SeeLocalSendMailSetup=Ver configuración de sendmail local BackupDesc=Una copia de seguridad completa de una instalación de Dolibarr requiere dos pasos. -BackupDesc2=Realice una copia de seguridad del contenido del directorio "documentos" (%s) que contiene todos los archivos cargados y generados. Esto también incluirá todos los archivos de volcado generados en el Paso 1. BackupDesc3=Realice una copia de seguridad de la estructura y el contenido de su base de datos (%s) en un archivo de volcado. Para ello, puede utilizar el siguiente asistente. BackupDescX=El directorio archivado debe almacenarse en un lugar seguro. BackupDescY=El archivo de volcado generado se debe almacenar en un lugar seguro. @@ -1251,8 +1247,8 @@ BankOrderESDesc=Orden de exhibición en español ChequeReceiptsNumberingModule=Verifique el módulo de numeración de recibos MultiCompanySetup=Configuración del módulo de varias empresas SuppliersSetup=Configuración del módulo de proveedor -SuppliersCommandModel=Plantilla completa de pedido de compra (logo ...) -SuppliersInvoiceModel=Plantilla completa de la factura del proveedor (logo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Facturas de proveedores de numeración de modelos. NoteOnPathLocation=Tenga en cuenta que su IP es un archivo de datos de un país debe estar en un directorio que su PHP puede leer. YouCanDownloadFreeDatFileTo=Puede descargar una versión de demostración gratuita del archivo de país Maxmind GeoIP en %s. @@ -1287,9 +1283,7 @@ TemplatePDFExpenseReports=Plantillas para generar el documento de informe de gas NoModueToManageStockIncrease=No se ha activado ningún módulo capaz de gestionar el aumento automático de existencias. El aumento de existencias se realiza sólo en la entrada manual. YouMayFindNotificationsFeaturesIntoModuleNotification=Puede encontrar opciones para notificaciones por correo electrónico habilitando y configurando el módulo "Notificación". GoOntoUserCardToAddMore=Vaya a la pestaña "Notificaciones" de un usuario para agregar o eliminar notificaciones para usuarios -GoOntoContactCardToAddMore=Vaya a la pestaña "Notificaciones" de un cliente / proveedor para eliminar o eliminar notificaciones de contactos / direcciones Threshold=Límite -BackupDumpWizard=Asistente para construir el archivo de copia de seguridad SomethingMakeInstallFromWebNotPossible=La instalación del módulo externo no es posible desde la interfaz web por el siguiente motivo: SomethingMakeInstallFromWebNotPossible2=Por esta razón, el proceso de actualización que se describe aquí es un proceso manual que solo puede realizar un usuario privilegiado. InstallModuleFromWebHasBeenDisabledByFile=La instalación del módulo externo de la aplicación ha sido deshabilitada por su administrador. Debe solicitarle que elimine el archivo %s para permitir esta característica. @@ -1401,3 +1395,4 @@ DisabledResourceLinkContact=Deshabilitar la característica para vincular un rec ConfirmUnactivation=Confirmar restablecimiento del módulo OnMobileOnly=Solo en pantalla pequeña (teléfono inteligente) DisableProspectCustomerType=Deshabilite el tipo de tercero "Prospecto + Cliente" (por lo tanto, el tercero debe ser Prospecto o Cliente, pero no pueden ser ambos) +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_EC/main.lang b/htdocs/langs/es_EC/main.lang index a4f0230d46c..334b37cc089 100644 --- a/htdocs/langs/es_EC/main.lang +++ b/htdocs/langs/es_EC/main.lang @@ -241,7 +241,6 @@ RemoveFilter=Retirar filtro ChartGenerated=Gráfico generado ChartNotGenerated=Gráfico no genera GeneratedOn=Construir el %s -NoOpenedElementToProcess=Ningún elemento abierto para procesar NotYetAvailable=No disponible aún Categories=Etiquetas/categorías ChangedBy=Cambiado por @@ -495,5 +494,4 @@ YouAreCurrentlyInSandboxMode=Actualmente estás en el modo%s "sandbox" ToProcess=Para procesar ContactDefault_agenda=Evento ContactDefault_commande=Orden -ContactDefault_order_supplier=Supplier Order ContactDefault_propal=Propuesta diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang index 56ff69e19b9..32599a13411 100644 --- a/htdocs/langs/es_ES/accountancy.lang +++ b/htdocs/langs/es_ES/accountancy.lang @@ -200,7 +200,7 @@ DeleteMvt=Eliminar líneas del Libro Mayor DelMonth=Mes a eliminar DelYear=Año a eliminar DelJournal=Diario a eliminar -ConfirmDeleteMvt=Esto eliminará todas las líneas del Libro mayor para el año / mes y / o de un diario específico (se requiere al menos un criterio). Deberá volver a utilizar la función 'Registro en contabilidad' para que el registro eliminado vuelva al libro mayor. +ConfirmDeleteMvt=Esto eliminará todas las líneas del Libro mayor para el año/mes y/o de un diario específico (se requiere al menos un criterio). Deberá volver a utilizar la función 'Registro en contabilidad' para que el registro eliminado vuelva al libro mayor. ConfirmDeleteMvtPartial=Esto eliminará la transacción del libro mayor (se eliminarán todas las líneas relacionadas con la misma transacción) FinanceJournal=Diario financiero ExpenseReportsJournal=Diario informe de gastos @@ -224,6 +224,7 @@ ListAccounts=Listado de cuentas contables UnknownAccountForThirdparty=Cuenta contable de tercero desconocida, usaremos %s UnknownAccountForThirdpartyBlocking=Cuenta contable de tercero desconocida. Error de bloqueo ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Cuenta de tercero no definida o tercero desconocido. Usaremos %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tercero desconocido y cuenta auxiliar no definida en el pago. Se mantendrá vacío el valor de la cuenta auxiliar. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Cuenta del tercero desconocida o tercero desconocido. Error de bloqueo UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Cuenta del tercero desconocida y cuenta de espera no definida. Error de bloqueo PaymentsNotLinkedToProduct=Pagos no vinculados a un producto/servicio diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang index 9d607ea3ba1..8a771a72bd6 100644 --- a/htdocs/langs/es_ES/admin.lang +++ b/htdocs/langs/es_ES/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Gestión de Pedidos Module30Name=Facturas y abonos Module30Desc=Gestión de facturas y abonos a clientes. Gestión facturas y abonos de proveedores Module40Name=Proveedores -Module40Desc=Proveedores y gestión de compras (pedidos de compra y facturación) +Module40Desc=Proveedores y gestión de compras (órdenes de compra y facturación de facturas de proveedores) Module42Name=Registros de depuración Module42Desc=Generación de logs (archivos, syslog,...). Dichos registros son para propósitos técnicos/de depuración. Module49Name=Editores @@ -878,7 +878,7 @@ Permission1251=Lanzar las importaciones en masa a la base de datos (carga de dat Permission1321=Exportar facturas a clientes, campos adicionales y cobros Permission1322=Reabrir una factura pagada Permission1421=Exportar pedidos y atributos -Permission2401=Leer acciones (eventos o tareas) vinculadas a su cuenta de usuario (si es el propietario del evento) +Permission2401=Leer acciones (eventos o tareas) vinculadas a su cuenta de usuario (si es el propietario del evento o si se le acaba de asignar) Permission2402=Crear/modificar acciones (eventos o tareas) vinculadas a su cuenta de usuario (si es propietario del evento) Permission2403=Eliminar acciones (eventos o tareas) vinculadas a su cuenta de usuario (si es propietario del evento) Permission2411=Leer acciones (eventos o tareas) de otros @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No se han registrado eventos de seguridad todavía. Esto p NoEventFoundWithCriteria=No se han encontrado eventos de seguridad para tales criterios de búsqueda. SeeLocalSendMailSetup=Ver la configuración local de sendmail BackupDesc=Una copia de seguridad completa de una instalación de Dolibarr requiere dos pasos. -BackupDesc2=Guardar el contenido del directorio de documentos (%s) el cual contiene todos los archivos subidos y generados. Esto también incluirá todos los archivos auxiliares generados en el Paso 1. +BackupDesc2=Realizar copia de seguridad del contenido del directorio "documentos" ( %s ) que contiene todos los archivos cargados y generados. Esto también incluirá todos los archivos de volcado generados en el Paso 1. Esta operación puede llevar varios minutos. BackupDesc3=Guardar el contenido de su base de datos (%s) en un archivo de volcado. Para ello puede utilizar el asistente a continuación. BackupDescX=El directorio archivado deberá guardarse en un lugar seguro. BackupDescY=El archivo de volcado generado deberá guardarse en un lugar seguro. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restaurar el archivo de volcado guardado en la base de datos de la RestoreMySQL=Importación MySQL ForcedToByAModule= Esta regla está forzada a %s por uno de los módulos activados PreviousDumpFiles=Archivos de copia de seguridad existentes +PreviousArchiveFiles=Archivos existentes WeekStartOnDay=Primer día de la semana RunningUpdateProcessMayBeRequired=Parece necesario realizar el proceso de actualización (la versión del programa %s difiere de la versión de la base de datos %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Debe ejecutar el comando desde un shell después de haber iniciado sesión con la cuenta %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Consultar por el método preferido de envío a ter FieldEdition=Edición del campo %s FillThisOnlyIfRequired=Ejemplo: +2 (Complete sólo si se registra una desviación del tiempo en la exportación) GetBarCode=Obtener código de barras +NumberingModules=Módulos de numeración ##### Module password generation PasswordGenerationStandard=Devuelve una contraseña generada por el algoritmo interno Dolibarr: 8 caracteres, números y caracteres en minúsculas mezcladas. PasswordGenerationNone=No sugerir ninguna contraseña generada. La contraseña debe ser escrita manualmente. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Módulo de numeración de las remesas de cheques MultiCompanySetup=Configuración del módulo Multi-empresa ##### Suppliers ##### SuppliersSetup=Configuración del módulo de proveedores -SuppliersCommandModel=Modelo de pedidos a proveedores completo (logo...) -SuppliersInvoiceModel=Modelo de facturas de proveedores completo (logo...) +SuppliersCommandModel=Plantilla completa de Pedidos a proveedores +SuppliersCommandModelMuscadet=Plantilla completa de la orden de compra +SuppliersInvoiceModel=Plantilla completa de Factura de proveedor SuppliersInvoiceNumberingModel=Modelos de numeración de facturas de proveedor IfSetToYesDontForgetPermission=Si se establece en un valor no nulo, no olvide proporcionar permisos a los grupos o usuarios permitidos para la segunda aprobación ##### GeoIPMaxmind ##### @@ -1764,7 +1767,8 @@ ListOfFixedNotifications=Listado de notificaciones automáticas fijas GoOntoUserCardToAddMore=Vaya a la pestaña "Notificaciones" de un usuario para añadir o elliminar notificaciones a usuarios GoOntoContactCardToAddMore=Vaya a la pestaña "Notificaciones" de un contacto de tercero para añadir o eliminar notificaciones para contactos/direcciones Threshold=Valor mínimo/umbral -BackupDumpWizard=Asistente para crear una copia de seguridad de la base de datos +BackupDumpWizard=Asistente para compilar el archivo de volcado de la base de datos +BackupZipWizard=Asistente para construir el directorio de archivo de documentos SomethingMakeInstallFromWebNotPossible=No es posible la instalación de módulos externos desde la interfaz web por la siguiente razón: SomethingMakeInstallFromWebNotPossible2=Por esta razón, explicaremos aquí los pasos del proceso de actualización manual que puede realizar un usuario con privilegios. InstallModuleFromWebHasBeenDisabledByFile=La instalación de módulos externos desde la aplicación se encuentra desactivada por el administrador. Debe requerirle que elimine el archivo %s para habilitar esta funcionalidad. @@ -1953,6 +1957,8 @@ SmallerThan=Menor que LargerThan=Mayor que IfTrackingIDFoundEventWillBeLinked=Tenga en cuenta que si se encuentra un ID de seguimiento en el e-mail entrante, el evento se vinculará automáticamente a los objetos relacionados. WithGMailYouCanCreateADedicatedPassword=Con una cuenta de GMail, si habilitó la validación de 2 pasos, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar su propia contraseña de https://myaccount.google.com/. +EmailCollectorTargetDir=Puede que mover el email a otra etiqueta / directorio cuando haya sido procesado correctamente sea un funcionamiento deseado. Simplemente establezca un valor aquí para usar esta función. Tenga en cuenta que también debe usar una cuenta de inicio de sesión con permisos de lectura / escritura. +EmailCollectorLoadThirdPartyHelp=Puede usar esta acción para usar el contenido del email para encontrar y cargar un tercero existente en su base de datos. El tercero encontrado (o creado) se utilizará para las siguientes acciones que lo necesiten. En el campo de parámetros puede usar, por ejemplo, 'EXTRACT: BODY: Name: \\ s ([^ \\ s] *)' si desea extraer el nombre del tercero de una cadena 'Name: nombre a encontrar' encontrado en el body. EndPointFor=End point for %s : %s DeleteEmailCollector=Eliminar el recolector de e-mail ConfirmDeleteEmailCollector=¿Está seguro de que querer eliminar este recolector de e-mail? diff --git a/htdocs/langs/es_ES/agenda.lang b/htdocs/langs/es_ES/agenda.lang index b8240834112..2a6058e4744 100644 --- a/htdocs/langs/es_ES/agenda.lang +++ b/htdocs/langs/es_ES/agenda.lang @@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=Suscripción %s del miembro %s modificada MemberSubscriptionDeletedInDolibarr=Suscripción %s del miembro %s eliminada ShipmentValidatedInDolibarr=Expedición %s validada ShipmentClassifyClosedInDolibarr=Expedición %s clasificada como pagada -ShipmentUnClassifyCloseddInDolibarr=Expedición %s clasificada como reabierta +ShipmentUnClassifyCloseddInDolibarr=Envío %s clasificado como reabierto ShipmentBackToDraftInDolibarr=Envío %s ha sido devuelto al estado de borrador ShipmentDeletedInDolibarr=Expedición %s eliminada OrderCreatedInDolibarr=Pedido %s creado diff --git a/htdocs/langs/es_ES/banks.lang b/htdocs/langs/es_ES/banks.lang index d666bb32231..fc06946d7ef 100644 --- a/htdocs/langs/es_ES/banks.lang +++ b/htdocs/langs/es_ES/banks.lang @@ -73,7 +73,7 @@ BankTransaction=Registro bancario ListTransactions=Listado registros ListTransactionsByCategory=Listado registros/categoría TransactionsToConciliate=Registros a conciliar -TransactionsToConciliateShort=To reconcile +TransactionsToConciliateShort=A conciliar Conciliable=Conciliable Conciliate=Conciliar Conciliation=Conciliación @@ -169,3 +169,7 @@ FindYourSEPAMandate=Este es su mandato SEPA para autorizar a nuestra empresa a r AutoReportLastAccountStatement=Rellenar automáticamente el campo 'número de extracto bancario' con el último número de extracto cuando realice la conciliación CashControl=Caja de efectivo POS NewCashFence=Nueva Caja de efectivo +BankColorizeMovement=Colorear movimientos +BankColorizeMovementDesc=Si esta función está activada, puede elegir un color de fondo específico para los movimientos de débito o crédito +BankColorizeMovementName1=Color de fondo para el movimiento de débito +BankColorizeMovementName2=Color de fondo para el movimiento de crédito diff --git a/htdocs/langs/es_ES/bills.lang b/htdocs/langs/es_ES/bills.lang index a8d68968ab9..85df7663bb0 100644 --- a/htdocs/langs/es_ES/bills.lang +++ b/htdocs/langs/es_ES/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 días PaymentCondition14D=14 días PaymentConditionShort14DENDMONTH=14 días fin de mes PaymentCondition14DENDMONTH=14 días a fin de més -FixAmount=Importe fijo +FixAmount=Cantidad fija -1 línea con la etiqueta '%s' VarAmount=Importe variable (%% total) VarAmountOneLine=Cantidad variable (%% tot.) - 1 línea con la etiqueta '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Timbre fiscal YouMustCreateInvoiceFromThird=Esta opción solo está disponible al crear una factura desde la pestaña 'cliente' del tercero YouMustCreateInvoiceFromSupplierThird=Esta opción solo está disponible al crear una factura desde la pestaña 'proveedor' del tercero YouMustCreateStandardInvoiceFirstDesc=Tiene que crear una factura estandar antes de convertirla a "plantilla" para crear una nueva plantilla de factura -PDFCrabeDescription=Modelo de factura completo (modelo recomendado por defecto) +PDFCrabeDescription=Factura PDF plantilla Crabe. Una plantilla de factura completa PDFSpongeDescription=Modelo de factura Esponja. Una plantilla de factura completa. PDFCrevetteDescription=Modelo PDF de factura Crevette. Un completo modelo de facturas de situación TerreNumRefModelDesc1=Devuelve el número bajo el formato %syymm-nnnn para las facturas, %syymm-nnnn para las facturas rectificativas y %syymm-nnnn para los abonos donde yy es el año, mm. el mes y nnnn un contador secuencial sin ruptura y sin permanencia a 0 diff --git a/htdocs/langs/es_ES/categories.lang b/htdocs/langs/es_ES/categories.lang index 013158c2dea..4dbbafaf546 100644 --- a/htdocs/langs/es_ES/categories.lang +++ b/htdocs/langs/es_ES/categories.lang @@ -62,7 +62,7 @@ ContactCategoriesShort=Etiquetas/categorías de contactos AccountsCategoriesShort=Categorías contables ProjectsCategoriesShort=Etiquetas/categorías de Proyectos UsersCategoriesShort=Área etiquetas/categorías Usuarios -StockCategoriesShort=Etiquetas / categorías almacenes +StockCategoriesShort=Etiquetas/categorías almacenes ThisCategoryHasNoProduct=Esta categoría no contiene ningún producto. ThisCategoryHasNoSupplier=Esta categoría no contiene ningún proveedor. ThisCategoryHasNoCustomer=Esta categoría no contiene ningún cliente. @@ -89,5 +89,6 @@ AddProductServiceIntoCategory=Añadir el siguiente producto/servicio ShowCategory=Mostrar etiqueta/categoría ByDefaultInList=Por defecto en lista ChooseCategory=Elija una categoría -StocksCategoriesArea=Área de Categorías de Almacenes +StocksCategoriesArea=Área Categorías de Almacenes +ActionCommCategoriesArea=Área Categorías de Eventos UseOrOperatorForCategories=Uso u operador para categorías diff --git a/htdocs/langs/es_ES/companies.lang b/htdocs/langs/es_ES/companies.lang index 1289c7a48f0..3beee367458 100644 --- a/htdocs/langs/es_ES/companies.lang +++ b/htdocs/langs/es_ES/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=CUI +ProfId2RO=Prof ID 2 (Numero de registro) +ProfId3RO=CAEN +ProfId4RO=- +ProfId5RO=EUID +ProfId6RO=- ProfId1RU=OGRN ProfId2RU=INN ProfId3RU=KPP @@ -339,7 +345,7 @@ MyContacts=Mis contactos Capital=Capital CapitalOf=Capital de %s EditCompany=Modificar empresa -ThisUserIsNot=Este usuario no es ni un cliente potencial, ni un cliente, ni un proveedor +ThisUserIsNot=Este usuario no es un cliente potencial, cliente o proveedor VATIntraCheck=Verificar VATIntraCheckDesc=El CIF Intracomunitario debe de incluir el prefijo del país. El enlace %s permite consultar al servicio europeo de control de números de IVA intracomunitario (VIES). Se requiere acceso a internet para que el servicio funcione. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Asignado a comercial Organization=Organismo FiscalYearInformation=Información del año fiscal FiscalMonthStart=Mes de inicio de ejercicio +SocialNetworksInformation=Redes sociales +SocialNetworksFacebookURL=URL de Facebook +SocialNetworksTwitterURL=URL de Twitter +SocialNetworksLinkedinURL=URL de Linkedin +SocialNetworksInstagramURL=URL de Instagram +SocialNetworksYoutubeURL=URL de YouTube +SocialNetworksGithubURL=URL de Github YouMustAssignUserMailFirst=Primero debes asignar un e-mail para este usuario para poder añadirlo en notificaciones de e-mail. YouMustCreateContactFirst=Para poder añadir notificaciones por e-mail, primero debe definir contactos con e-mails válidos en el tercero ListSuppliersShort=Listado de proveedores diff --git a/htdocs/langs/es_ES/compta.lang b/htdocs/langs/es_ES/compta.lang index 36aaaff0177..c2c829d861d 100644 --- a/htdocs/langs/es_ES/compta.lang +++ b/htdocs/langs/es_ES/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Por tasa de impuesto TurnoverbyVatrate=Volumen de ventas emitidas por tipo de impuesto TurnoverCollectedbyVatrate=Volumen de ventas cobradas por tipo de impuesto PurchasebyVatrate=Compra por tasa de impuestos +LabelToShow=Etiqueta corta diff --git a/htdocs/langs/es_ES/contracts.lang b/htdocs/langs/es_ES/contracts.lang index 8e901af802c..8945acb55f3 100644 --- a/htdocs/langs/es_ES/contracts.lang +++ b/htdocs/langs/es_ES/contracts.lang @@ -51,7 +51,7 @@ ListOfClosedServices=Listado de servicios cerrados ListOfRunningServices=Listado de servicios activos NotActivatedServices=Servicios no activados (con los contratos validados) BoardNotActivatedServices=Servicios a activar con los contratos validados -BoardNotActivatedServicesShort=Services to activate +BoardNotActivatedServicesShort=Servicios a activar LastContracts=Últimos %s contratos LastModifiedServices=Últimos %s servicios modificados ContractStartDate=Fecha inicio diff --git a/htdocs/langs/es_ES/cron.lang b/htdocs/langs/es_ES/cron.lang index fca72585f66..27dcaa7e9e9 100644 --- a/htdocs/langs/es_ES/cron.lang +++ b/htdocs/langs/es_ES/cron.lang @@ -76,8 +76,9 @@ CronType_method=Llamar a un método de clase Dolibarr CronType_command=Comando Shell CronCannotLoadClass=No se puede cargar el archivo de la clase %s (para usar la clase %s) CronCannotLoadObject=El archivo de la clase %s ha sido cargado, pero no se ha encontrado en ella el objeto %s -UseMenuModuleToolsToAddCronJobs=Vaya al menú "Inicio - Utilidades administración - Tareas programadas" para ver y editar tareas programadas. +UseMenuModuleToolsToAddCronJobs=Vaya al menú "Inicio - Herramientas de administración - Tareas programadas" para ver y editar tareas programadas. JobDisabled=Tarea desactivada MakeLocalDatabaseDumpShort=Copia local de la base de datos MakeLocalDatabaseDump=Crear una copia local de la base de datos. Los parámetros son: compresión ('gz' o 'bz' o 'ninguno'), tipo de copia de seguridad ('mysql' o 'pgsql'), 1, 'auto' o nombre de archivo para construir, nº de archivos de copia de seguridad a mantener WarningCronDelayed=Atención: para mejorar el rendimiento, cualquiera que sea la próxima fecha de ejecución de las tareas activas, sus tareas pueden retrasarse un máximo de %s horas antes de ejecutarse +DATAPOLICYJob=Limpiador de datos y anonimizador diff --git a/htdocs/langs/es_ES/errors.lang b/htdocs/langs/es_ES/errors.lang index a8ea7f91e05..b88bb280acf 100644 --- a/htdocs/langs/es_ES/errors.lang +++ b/htdocs/langs/es_ES/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=La cuenta de usuario de %s no se ha encontrado. ErrorLoginHasNoEmail=Este usuario no tiene e-mail. Imposible continuar. ErrorBadValueForCode=Valor incorrecto para el código. Vuelva a intentar con un nuevo valor... ErrorBothFieldCantBeNegative=Los campos %s y %s no pueden ser negativos -ErrorFieldCantBeNegativeOnInvoice=El campo %s no puede ser negativo en este tipo de factura. Si desea agregar una línea de descuento, primero cree el descuento con el enlace %s en la pantalla y aplíquelo a la factura. También puede pedir a su administrador que establezca la opción FACTURE_ENABLE_NEGATIVE_LINES en 1 para restaurar el comportamiento anterior. +ErrorFieldCantBeNegativeOnInvoice=El campo %s no puede ser negativo en este tipo de factura. Si necesita agregar una línea de descuento, simplemente cree el descuento primero (del campo '%s' en la tarjeta de terceros) y aplíquelo a la factura. También puede pedirle a su administrador que establezca la opción FACTURE_ENABLE_NEGATIVE_LINES en 1 para permitir el comportamiento anterior. +ErrorLinesCantBeNegativeOnDeposits=Las líneas no pueden ser negativas en un depósito. Si lo hace, tendrá problemas para consumir el depósito en la factura final. ErrorQtyForCustomerInvoiceCantBeNegative=Las cantidades en las líneas de facturas a clientes no pueden ser negativas ErrorWebServerUserHasNotPermission=La cuenta de ejecución del servidor web %s no dispone de los permisos para esto ErrorNoActivatedBarcode=No hay activado ningún tipo de código de barras @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Los objetos deben tener el estado 'A ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Los objetos deben tener el estado 'Borrador' o 'Deshabilitad' para ser habilitados ErrorNoFieldWithAttributeShowoncombobox=Ningún campo tiene la propiedad 'showoncombobo' en la definición del objeto '%s'. No hay forma de mostrar el combolist. ErrorFieldRequiredForProduct=El campo '%s' es obligatorio para el producto %s +ProblemIsInSetupOfTerminal=Problema en la configuración del terminal %s. +ErrorAddAtLeastOneLineFirst=Introduzca al menos una opción # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=El parámetro PHP upload_max_filesize (%s) es más alto que el parámetro PHP post_max_size (%s). Esta no es una configuración consistente. WarningPasswordSetWithNoAccount=Se fijó una contraseña para este miembro. Sin embargo, no se ha creado ninguna cuenta de usuario. Así que esta contraseña no se puede utilizar para acceder a Dolibarr. Puede ser utilizada por un módulo/interfaz externo, pero si no necesitar definir accesos de un miembro, puede desactivar la opción "Administrar un inicio de sesión para cada miembro" en la configuración del módulo miembros. Si necesita administrar un inicio de sesión, pero no necesita ninguna contraseña, puede dejar este campo vacío para evitar esta advertencia. Nota: También puede usarse el correo electrónico como inicio de sesión si el miembro está vinculada a un usuario. diff --git a/htdocs/langs/es_ES/holiday.lang b/htdocs/langs/es_ES/holiday.lang index 42663488e69..1e3cc2add0b 100644 --- a/htdocs/langs/es_ES/holiday.lang +++ b/htdocs/langs/es_ES/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=ID tipo de vacaciones TypeOfLeaveCode=Código tipo de vacaciones TypeOfLeaveLabel=Tipo de etiqueta de vacaciones NbUseDaysCP=Número de días libres consumidos +NbUseDaysCPHelp=El cálculo tiene en cuenta los días no laborables y los días festivos definidos en el diccionario. NbUseDaysCPShort=Días consumidos NbUseDaysCPShortInMonth=Días consumidos en mes +DayIsANonWorkingDay=%s es un día no laborable DateStartInMonth=Fecha de inicio en mes DateEndInMonth=Fecha de finalización en mes EditCP=Modificar diff --git a/htdocs/langs/es_ES/hrm.lang b/htdocs/langs/es_ES/hrm.lang index e99e9fee8fb..f93ad4e0554 100644 --- a/htdocs/langs/es_ES/hrm.lang +++ b/htdocs/langs/es_ES/hrm.lang @@ -9,6 +9,7 @@ ConfirmDeleteEstablishment=¿Está seguro de querer eliminar este establecimient OpenEtablishment=Abrir establecimiento CloseEtablishment=Cerrar establecimiento # Dictionary +DictionaryPublicHolidays=RRHH: días festivos DictionaryDepartment=R.R.H.H. Listado departamentos DictionaryFunction=R.R.H.H. Listado funciones # Module diff --git a/htdocs/langs/es_ES/install.lang b/htdocs/langs/es_ES/install.lang index 5152fc60d05..54cc059fa0d 100644 --- a/htdocs/langs/es_ES/install.lang +++ b/htdocs/langs/es_ES/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Este PHP soporta Curl PHPSupportCalendar=Este PHP admite extensiones de calendarios. PHPSupportUTF8=Este PHP soporta las funciones UTF8. PHPSupportIntl=Este PHP soporta las funciones Intl. +PHPSupport=Este PHP soporta las funciones %s. PHPMemoryOK=Su memoria máxima de sesión PHP esta definida a %s. Esto debería ser suficiente. PHPMemoryTooLow=Su memoria máxima de sesión PHP está definida en %s bytes. Esto es muy poco. Se recomienda modificar el parámetro memory_limit de su archivo php.ini a por lo menos %s bytes. Recheck=Haga click aquí para realizar un test más exhaustivo @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Su PHP no soporta Curl. ErrorPHPDoesNotSupportCalendar=Su instalación de PHP no admite extensiones de calendario. ErrorPHPDoesNotSupportUTF8=Este PHP no soporta las funciones UTF8. Resuelva el problema antes de instalar Dolibarr ya que no podrá funcionar correctamente. ErrorPHPDoesNotSupportIntl=Este PHP no soporta las funciones Intl. +ErrorPHPDoesNotSupport=Su instalación de PHP no soporta las funciones %s. ErrorDirDoesNotExists=El directorio %s no existe o no es accesible. ErrorGoBackAndCorrectParameters=Vuelva atrás y corrija los parámetros inválidos... ErrorWrongValueForParameter=Indicó quizá un valor incorrecto para el parámetro '%s'. diff --git a/htdocs/langs/es_ES/mails.lang b/htdocs/langs/es_ES/mails.lang index c8a8896187b..a8d72baaba2 100644 --- a/htdocs/langs/es_ES/mails.lang +++ b/htdocs/langs/es_ES/mails.lang @@ -115,7 +115,7 @@ ToAddRecipientsChooseHere=Para añadir destinatarios, escoja los que figuran en NbOfEMailingsReceived=E-Mailings en masa recibidos NbOfEMailingsSend=Emailings masivos enviados IdRecord=ID registro -DeliveryReceipt=Acuse de recibo. +DeliveryReceipt=Acuse de recibo YouCanUseCommaSeparatorForSeveralRecipients=Puede usar el carácter de separación coma para especificar múltiples destinatarios. TagCheckMail=Seguimiento de la apertura del email TagUnsubscribe=Link de desuscripción diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang index a955760efff..fe3db20e665 100644 --- a/htdocs/langs/es_ES/main.lang +++ b/htdocs/langs/es_ES/main.lang @@ -471,7 +471,7 @@ TotalDuration=Duración total Summary=Resumen DolibarrStateBoard=Estadísticas de la base de datos DolibarrWorkBoard=Tickets abiertos -NoOpenedElementToProcess=Sin elementos a procesar +NoOpenedElementToProcess=Sin elementos abiertos a procesar Available=Disponible NotYetAvailable=Aún no disponible NotAvailable=No disponible @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contrato ContactDefault_facture=Factura ContactDefault_fichinter=Intervención ContactDefault_invoice_supplier=Factura de proveedor -ContactDefault_order_supplier=Pedido a proveedor +ContactDefault_order_supplier=Pedir a proveedor ContactDefault_project=Proyecto ContactDefault_project_task=Tarea ContactDefault_propal=Presupuesto @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Presupuesto de proveedor ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contacto agregado desde roles de contactos de terceros More=Más +ShowDetails=Mostrar detalles +CustomReports=Reportes personalizados +SelectYourGraphOptionsFirst=Seleccione sus opciones de gráfico para construir un gráfico diff --git a/htdocs/langs/es_ES/modulebuilder.lang b/htdocs/langs/es_ES/modulebuilder.lang index 404a41e7ad7..f13d35f690e 100644 --- a/htdocs/langs/es_ES/modulebuilder.lang +++ b/htdocs/langs/es_ES/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Listado de entradas de diccionarios ListOfPermissionsDefined=Listado de permisos definidos SeeExamples=Vea ejemplos aquí 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 solamente (no en listados),4=Visible en listado y en formularios actualización/visualización solamente (no en creación) . Usar un valor negativo significa que no se muestra el campo predeterminado en el listado pero se puede seleccionar para verlo) Puede ser una expresión, por ejemplo:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +VisibleDesc=¿El campo es visible? (Ejemplos: 0=Nunca visible, 1=Visible en la lista y en formularios de creación/actualización/visualización, 2=Visible únicamente en la lista, 3=Visible únicamente en formularios de creación/actualización/visualización (no en la lista),4=Visible en la lista y en formularios únicamente de actualización/visualización (no en creación),5=Visible en la lista y en formularios únicamente de visualización (ni en creación ni en actualización). Usar un valor negativo significa que por defecto no se muestra el campo en la lista pero puede ser seleccionado para su visualización) Puede ser una expresión, por ejemplo:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=¿Se puede acumular el valor del campo para obtener un total en el listado? (Ejemplos: 1 o 0) SearchAllDesc=¿El campo se usa para realizar una búsqueda desde la herramienta de búsqueda rápida? (Ejemplos: 1 o 0) SpecDefDesc=Ingrese aquí toda la documentación que desea proporcionar con su módulo que aún no está definido por otras pestañas. Puede usar .md o mejor, la rica sintaxis .asciidoc. @@ -135,3 +135,5 @@ CSSClass=Clase CSS NotEditable=No editable ForeignKey=Foreign key TypeOfFieldsHelp=Tipo de campos:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' significa que agregamos un botón + después del combo para crear el registro, 'filtro' puede ser 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' por ejemplo) +AsciiToHtmlConverter=Conversor de ASCII a HTML +AsciiToPdfConverter=Conversor de ASCII a PDF diff --git a/htdocs/langs/es_ES/mrp.lang b/htdocs/langs/es_ES/mrp.lang index e30e32c1c0d..83e1d339308 100644 --- a/htdocs/langs/es_ES/mrp.lang +++ b/htdocs/langs/es_ES/mrp.lang @@ -21,14 +21,14 @@ FreeLegalTextOnBOMs=Texto libre en el documento BOM WatermarkOnDraftBOMs=Marca de agua en el proyecto BOM FreeLegalTextOnMOs=Texto libre en el documento OF WatermarkOnDraftMOs=Marca de agua en el documento OF -ConfirmCloneBillOfMaterials=¿Está seguro de que quiere clonar la lista de materiales %s? -ConfirmCloneMo=¿Esta seguro que quiere clonar la Orden de Fabricación %s? +ConfirmCloneBillOfMaterials=¿Está seguro de querer clonar la lista de materiales %s? +ConfirmCloneMo=¿Esta seguro de querer clonar la Orden de Fabricación %s? ManufacturingEfficiency=Eficiencia de fabricación ValueOfMeansLoss=El valor de 0.95 significa un promedio de 5%% de pérdida durante la producción DeleteBillOfMaterials=Eliminar Lista de material DeleteMo=Eliminar Orden de Fabricación -ConfirmDeleteBillOfMaterials=¿Está seguro de que quiere eliminar esta lista de materiales? -ConfirmDeleteMo=¿Está seguro de que quiere eliminar esta lista de materiales? +ConfirmDeleteBillOfMaterials=¿Está seguro de querer eliminar esta lista de materiales? +ConfirmDeleteMo=¿Está seguro de querer eliminar esta lista de materiales? MenuMRP=Órdenes de fabricación NewMO=Nueva orden de fabricación QtyToProduce=Cant. a fabricar @@ -37,9 +37,9 @@ DateEndPlannedMo=Fecha de finalización planeada KeepEmptyForAsap=Vacío significa 'Tan pronto como sea posible' EstimatedDuration=Duración estimada EstimatedDurationDesc=Duración estimada para fabricar este producto utilizando esta lista de materiales -ConfirmValidateBom=¿Está seguro de que quiere validar la lista de materiales con la referencia %s (podrá usarla para crear nuevas Órdenes de Fabricación) -ConfirmCloseBom=¿Está seguro de que desea cancelar esta lista de materiales (ya no podrá usarla para crear nuevas Órdenes de Fabricación)? -ConfirmReopenBom=¿Está seguro de que desea volver a abrir esta lista de materiales (podrá usarla para crear nuevas Órdenes de Fabricación) +ConfirmValidateBom=¿Está seguro de querer validar la lista de materiales con la referencia %s (podrá usarla para crear nuevas Órdenes de Fabricación) +ConfirmCloseBom=¿Está seguro de querer cancelar esta lista de materiales (ya no podrá usarla para crear nuevas Órdenes de Fabricación)? +ConfirmReopenBom=¿Está seguro de querer volver a abrir esta lista de materiales (podrá usarla para crear nuevas Órdenes de Fabricación) StatusMOProduced=Producido QtyFrozen=Cantidad reservada QuantityFrozen=Cantidad reservada @@ -54,12 +54,15 @@ ToConsume=A Consumir ToProduce=A producir QtyAlreadyConsumed=Cant. ya consumida QtyAlreadyProduced=Cant. ya producida +ConsumeOrProduce=Consumir o producir ConsumeAndProduceAll=Consumir y producir todo Manufactured=Fabricado TheProductXIsAlreadyTheProductToProduce=El producto a agregar ya es el producto a producir. ForAQuantityOf1=Para una cantidad a producir de 1 ConfirmValidateMo=¿Está seguro de querer validar esta orden de fabricación? ConfirmProductionDesc=Al hacer clic en '%s', validará el consumo y/o la producción de las cantidades establecidas. También se actualizará el stock y registrará los movimientos de stock. -ProductionForRefAndDate=Producción %s - %s +ProductionForRef=Producción de %s AutoCloseMO=Cierre automáticamente la orden de fabricación si se alcanzan las cantidades para consumir y producir NoStockChangeOnServices=Sin cambio de stock en servicios +ProductQtyToConsumeByMO=Cantidad de producto aún por consumir por MO abierto +ProductQtyToProduceByMO=Cantidad de producto todavía para producir por MO abierto diff --git a/htdocs/langs/es_ES/orders.lang b/htdocs/langs/es_ES/orders.lang index bf9f2302b02..12b15246da7 100644 --- a/htdocs/langs/es_ES/orders.lang +++ b/htdocs/langs/es_ES/orders.lang @@ -11,7 +11,7 @@ OrderDate=Fecha pedido OrderDateShort=Fecha de pedido OrderToProcess=Pedido a procesar NewOrder=Nuevo pedido -NewOrderSupplier=Nuevo pedido a proveedord +NewOrderSupplier=Nuevo pedido a proveedor ToOrder=Realizar pedido MakeOrder=Realizar pedido SupplierOrder=Pedido a proveedor @@ -141,10 +141,10 @@ OrderByEMail=Correo OrderByWWW=En línea OrderByPhone=Teléfono # Documents models -PDFEinsteinDescription=Modelo de pedido completo (logo...) -PDFEratostheneDescription=Modelo de pedido completo (logo...) +PDFEinsteinDescription=Una plantilla de orden completo +PDFEratostheneDescription=Una plantilla de orden completa PDFEdisonDescription=Modelo de pedido simple -PDFProformaDescription=Una factura proforma completa (logo...) +PDFProformaDescription=Una plantilla de factura Proforma completa CreateInvoiceForThisCustomer=Facturar pedidos NoOrdersToInvoice=Sin pedidos facturables CloseProcessedOrdersAutomatically=Clasificar automáticamente como "Procesados" los pedidos seleccionados. diff --git a/htdocs/langs/es_ES/other.lang b/htdocs/langs/es_ES/other.lang index 6e627f909f5..5db3df091bd 100644 --- a/htdocs/langs/es_ES/other.lang +++ b/htdocs/langs/es_ES/other.lang @@ -24,7 +24,7 @@ MessageOK=Mensaje en la página de retorno de pago confirmado MessageKO=Mensaje en la página de retorno de pago cancelado ContentOfDirectoryIsNotEmpty=Este directorio no está vacío DeleteAlsoContentRecursively=Compruebe para eliminar todo el contenido recursivamente - +PoweredBy=Powered by YearOfInvoice=Año de la fecha de la factura PreviousYearOfInvoice=Año anterior de la fecha de la factura NextYearOfInvoice=Mes siguiente de la fecha de la factura @@ -104,7 +104,8 @@ DemoFundation=Gestión de miembros de una asociación DemoFundation2=Gestión de miembros y tesorería de una asociación DemoCompanyServiceOnly=Empresa o trabajador por cuenta propia realizando servicios DemoCompanyShopWithCashDesk=Gestión de una tienda con caja -DemoCompanyProductAndStocks=Empresa con venta de productos +DemoCompanyProductAndStocks=Tienda de venta de productos con punto de venta +DemoCompanyManufacturing=Empresa de fabricación de productos DemoCompanyAll=Empresa con actividades múltiples (todos los módulos principales) CreatedBy=Creado por %s ModifiedBy=Modificado por %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL de la página WEBSITE_TITLE=Título WEBSITE_DESCRIPTION=Descripción WEBSITE_IMAGE=Imagen -WEBSITE_IMAGEDesc=Ruta relativa de las imágenes. Puede mantenerla vacío, ya que rara vez se usa (puede ser usada por el contenido dinámico para mostrar una vista previa de una lista de publicaciones de blog). +WEBSITE_IMAGEDesc=Ruta relativa de las imágenes. Puede mantenerla vacía, ya que rara vez se usa (puede ser usada por el contenido dinámico para mostrar una vista previa de una lista de publicaciones de blog). Use __WEBSITEKEY__ en la ruta si depende del nombre del sitio web. WEBSITE_KEYWORDS=Claves LinesToImport=Líneas a importar diff --git a/htdocs/langs/es_ES/projects.lang b/htdocs/langs/es_ES/projects.lang index ed913d46e5f..b8af4ef9f1f 100644 --- a/htdocs/langs/es_ES/projects.lang +++ b/htdocs/langs/es_ES/projects.lang @@ -249,9 +249,13 @@ TimeSpentForInvoice=Tiempos dedicados OneLinePerUser=Una línea por usuario ServiceToUseOnLines=Servicio a utilizar en lineas. InvoiceGeneratedFromTimeSpent=Se ha generado la factura %s a partir del tiempo empleado en el proyecto -ProjectBillTimeDescription=Verifique si ingresa la hoja de tiempo en las tareas del proyecto y planea generar facturas de la hoja de tiempo para facturar al cliente del proyecto (No lo compruebe si planea crear una factura que no se base en los tiempos indicados). +ProjectBillTimeDescription=Verifique si ingresa la hoja de horas trabajadas en las tareas del proyecto y planea generar factura(s) a partir de la hoja para facturar al cliente del proyecto (no lo verifique si planea crear una factura que no se base en las hojas de horas trabajadas ingresadas). Nota: Para generar la factura, vaya a la pestaña 'Tiempo empleado' del proyecto y seleccione las líneas a incluir. ProjectFollowOpportunity=Seguir oportunidad ProjectFollowTasks=Seguir tareas UsageOpportunity=Uso: Oportunidad UsageTasks=Uso: Tareas UsageBillTimeShort=Uso: Facturar tiempo +InvoiceToUse=Borrador de factura para usar +NewInvoice=Nueva factura +OneLinePerTask=Una línea por tarea +OneLinePerPeriod=Una línea por período diff --git a/htdocs/langs/es_ES/propal.lang b/htdocs/langs/es_ES/propal.lang index 35af3a51cf4..5497fab57e8 100644 --- a/htdocs/langs/es_ES/propal.lang +++ b/htdocs/langs/es_ES/propal.lang @@ -76,8 +76,8 @@ TypeContact_propal_external_BILLING=Contacto cliente de facturación presupuesto TypeContact_propal_external_CUSTOMER=Contacto cliente seguimiento presupuesto TypeContact_propal_external_SHIPPING=Contacto cliente para envíos # Document models -DocModelAzurDescription=Modelo de presupuesto completo (logo...) -DocModelCyanDescription=Modelo de presupuesto completo (logo...) +DocModelAzurDescription=Una plantilla de propuesta completa +DocModelCyanDescription=Una plantilla de propuesta completa DefaultModelPropalCreate=Modelo por defecto DefaultModelPropalToBill=Modelo por defecto al cerrar un presupuesto (a facturar) DefaultModelPropalClosed=Modelo por defecto al cerrar un presupuesto (no facturado) diff --git a/htdocs/langs/es_ES/stocks.lang b/htdocs/langs/es_ES/stocks.lang index dda12a6373e..09732c02ce4 100644 --- a/htdocs/langs/es_ES/stocks.lang +++ b/htdocs/langs/es_ES/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movimiento o código de inventario IsInPackage=Contenido en el paquete WarehouseAllowNegativeTransfer=El stock puede ser negativvo qtyToTranferIsNotEnough=No tiene suficiente existencias en el almacen de referencia y la actual configuracion no permite existencias negativas +qtyToTranferLotIsNotEnough=No tiene suficientes existencias para este número de lote en el almacén de origen, y la actual configuración no permite existencias negativas (cantidad del producto '%s' con el lote '%s' es de %s en el almacén '%s'). ShowWarehouse=Mostrar almacén MovementCorrectStock=Correción de sotck del producto %s MovementTransferStock=Transferencia de stock del producto %s a otro almacén @@ -192,6 +193,7 @@ TheoricalQty=Cant. teórica TheoricalValue=Cant. teórica LastPA=Último BP CurrentPA=BP actual +RecordedQty=Cantidad registrada RealQty=Cant. real RealValue=Valor Real RegulatedQty=Cant. Regulada diff --git a/htdocs/langs/es_ES/supplier_proposal.lang b/htdocs/langs/es_ES/supplier_proposal.lang index 1d419d1af38..14c74f9721c 100644 --- a/htdocs/langs/es_ES/supplier_proposal.lang +++ b/htdocs/langs/es_ES/supplier_proposal.lang @@ -32,7 +32,7 @@ SupplierProposalStatusValidatedShort=Validado SupplierProposalStatusClosedShort=Cerrado SupplierProposalStatusSignedShort=Aceptado SupplierProposalStatusNotSignedShort=Rechazado -CopyAskFrom=Crear presupuesto por copia de uno existente +CopyAskFrom=Crear presupuesto copiando uno existente CreateEmptyAsk=Crear un presupuesto en blanco ConfirmCloneAsk=¿Está seguro de querer clonar el presupuesto %s? ConfirmReOpenAsk=¿Está seguro de querer reabrir el presupuesto %s? diff --git a/htdocs/langs/es_ES/website.lang b/htdocs/langs/es_ES/website.lang index b673dd43b95..46fba4d14a1 100644 --- a/htdocs/langs/es_ES/website.lang +++ b/htdocs/langs/es_ES/website.lang @@ -56,7 +56,7 @@ NoPageYet=No hay páginas todavía YouCanCreatePageOrImportTemplate=Puede crear una nueva página o importar una plantilla de sitio web completa SyntaxHelp=Ayuda en la sintaxis del código YouCanEditHtmlSourceckeditor=Puede editar código fuente HTML utilizando el botón "Origen" en el editor. -YouCanEditHtmlSource=
Puede incluir código PHP en esta fuente usando las etiquetas <? Php?> . Las siguientes variables globales están disponibles: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs.

También puede incluir contenido de otra página / contenedor con la siguiente sintaxis:
<? php includeContainer ('alias_of_container_to_include'); ?>

Puede hacer una redirección a otra página / contenedor con la siguiente sintaxis (Nota: no envíe ningún contenido antes de una redirección):
<? php redirectToContainer ('alias_of_container_to_redirect_to'); ?>

Para agregar un enlace a otra página, use la sintaxis:
<a href="alias_of_page_to_link_to.php"> mylink <a>

Para incluir un enlace para descargar un archivo almacenado en el directorio de documentos , use el contenedor document.php :
Ejemplo, para un archivo en documentos / ecm (debe registrarse), la sintaxis es:
<a href="/document.php?modulepart=ecm&file=[relative_dir/font>filename.ext">
Para un archivo en documentos / medios (directorio abierto para acceso público), la sintaxis es:
<a href="/document.php?modulepart=medias&file=[relative_dir/font>filename.ext">
Para un archivo compartido con un enlace compartido (acceso abierto utilizando la clave hash para compartir archivos), la sintaxis es:
<a href="/document.php?hashp=publicsharekeyoffile">

Para incluir una imagen almacenada en el directorio de documentos , use el contenedor viewimage.php :
Ejemplo, para una imagen en documentos / medios (directorio abierto para acceso público), la sintaxis es:
<img src = "/ viewimage.php? modulepart = medias & file = [relative_dir /] filename.ext">

Más ejemplos de HTML o código dinámico disponibles en la documentación wiki
. +YouCanEditHtmlSource=
Puede incluir código PHP en esta fuente usando las etiquetas <? Php?> . Las siguientes variables globales están disponibles: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs.

También puede incluir contenido de otra página / contenedor con la siguiente sintaxis:
<? php includeContainer ('alias_of_container_to_include'); ?>

Puede hacer una redirección a otra página / contenedor con la siguiente sintaxis (Nota: no envíe ningún contenido antes de una redirección):
<? php redirectToContainer ('alias_of_container_to_redirect_to'); ?>

Para agregar un enlace a otra página, use la sintaxis:
<a href="alias_of_page_to_link_to.php"> mylink <a>

Para incluir un enlace para descargar un archivo almacenado en el directorio de documentos , use el contenedor document.php :
Ejemplo, para un archivo en documentos / ecm (debe registrarse), la sintaxis es:
<a href="/document.php?modulepart=ecm&file=[relative_dir/font>filename.ext">
Para un archivo en documentos / medios (directorio abierto para acceso público), la sintaxis es:
<a href="/document.php?modulepart=medias&file=[relative_dir/font>filename.ext">
Para un archivo compartido con un enlace compartido (acceso abierto utilizando la clave hash para compartir archivos), la sintaxis es:
<a href="/document.php?hashp=publicsharekeyoffile">

Para incluir una imagen almacenada en el directorio de documentos , use el contenedor viewimage.php :
Ejemplo, para una imagen en documentos / medios (directorio abierto para acceso público), la sintaxis es:
<img src = "/ viewimage.php? modulepart = medias & file = [relative_dir /] filename.ext">

Más ejemplos de HTML o código dinámico disponibles en la documentación wiki
. ClonePage=Clonar página/contenedor CloneSite=Clonar sitio SiteAdded=Sitio web agregado diff --git a/htdocs/langs/es_ES/withdrawals.lang b/htdocs/langs/es_ES/withdrawals.lang index 4c961783175..0f07b85d0e5 100644 --- a/htdocs/langs/es_ES/withdrawals.lang +++ b/htdocs/langs/es_ES/withdrawals.lang @@ -76,7 +76,7 @@ WithdrawalFile=Archivo de la domiciliación SetToStatusSent=Clasificar como "Archivo enviado" ThisWillAlsoAddPaymentOnInvoice=Se crearán los pagos de las facturas y las clasificarán como pagadas si el resto a pagar es 0 StatisticsByLineStatus=Estadísticas por estados de líneas -RUM=Referencia de mandato único (UMR) +RUM=RUM DateRUM=Fecha de firma del mandato RUMLong=Referencia Única de Mandato RUMWillBeGenerated=Si está vacío,se generará un número RUM (Referencia Unica de Mandato) una vez que se guarde la información de la cuenta bancaria diff --git a/htdocs/langs/es_HN/main.lang b/htdocs/langs/es_HN/main.lang index 29da3acaab6..0d6b013ca18 100644 --- a/htdocs/langs/es_HN/main.lang +++ b/htdocs/langs/es_HN/main.lang @@ -19,4 +19,3 @@ 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 -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_MX/admin.lang b/htdocs/langs/es_MX/admin.lang index c22b1eda65d..7cfe22050e0 100644 --- a/htdocs/langs/es_MX/admin.lang +++ b/htdocs/langs/es_MX/admin.lang @@ -133,6 +133,7 @@ ImportPostgreSqlCommand=%s %s miarchivoderespaldo.sql FileNameToGenerate=Nombre de archivo para copia de respaldo: CommandsToDisableForeignKeysForImport=Comando para deshabilitar claves foráneas en la importación CommandsToDisableForeignKeysForImportWarning=Obligatorio si desea restaurar su copia de seguridad de SQL más tarde +ExportUseMySQLQuickParameterHelp=El parámetro '--quick' ayuda a limitar la memoria RAM para tablas grandes MySqlExportParameters=Parámetros de exportación de MySQL PostgreSqlExportParameters=Parámetros de exportación de PostgreSQL UseTransactionnalMode=Usar modo transaccional @@ -140,6 +141,8 @@ FullPathToPostgreSQLdumpCommand=Ruta completa del comando pg_dump AddDropDatabase=Agregar comando DROP DATABASE AddDropTable=Agregar comando DROP TABLE NameColumn=Nombre de columnas +ExtendedInsert=INSERT extendido +NoLockBeforeInsert=No hay comandos de bloqueo alrededor de INSERT EncodeBinariesInHexa=Codificar datos binarios en hexadecimal IgnoreDuplicateRecords=Ignorar errores de registro duplicados (INSERT IGNORE) AutoDetectLang=Autodetectar (lenguaje del navegador) @@ -156,23 +159,77 @@ ModulesDevelopDesc=Tu también podrias desarrollar tu propio módulo o encontrar DOLISTOREdescriptionLong=En vez de cambiar al sitio www.dolistore.com para encontrar un módulo externo, tu puedes usar esta herramienta integrada que desempeñará la busqueda en el mercado externo por ti (podria ser lento, necesario tener acceso a internet)... NotCompatible=Este módulo no parece ser compatible con tu Dolibarr %s (Min %s- Max %s). CompatibleAfterUpdate=Este módulo requiere una actualización de tu Dolibarr %s (Min %s - Max %s). +BoxesAvailable=Widgets disponibles +BoxesActivated=Widgets activados ActivateOn=Activar ActiveOn=Activado SourceFile=Archivo fuente AvailableOnlyIfJavascriptAndAjaxNotDisabled=Disponible solo si JavaScript no esta deshabilitado +MainDbPasswordFileConfEncrypted=Cifre la contraseña de la base de datos almacenada en conf.php. Se recomienda encarecidamente activar esta opción. +InstrucToEncodePass=Para tener una contraseña codificada en el archivo conf.php , reemplace la línea
$ dolibarr_main_db_pass = "...";
por
$ dolibarr_main_db_pass = "crypted: %s"; +InstrucToClearPass=Para que la contraseña se decodifique (borre) en el archivo conf.php , reemplace la línea
$ dolibarr_main_db_pass = "crypted: ...";
por
$ dolibarr_main_db_pass = "%s"; +ProtectAndEncryptPdfFiles=Proteger los archivos PDF generados. Esto NO se recomienda ya que interrumpe la generación masiva de PDF. Feature=Característica Developpers=Desarrolladores/Contribuidores +OfficialWiki=Documentación Dolibarr en Wiki OfficialDemo=Dolibarr demo en línea +OfficialMarketPlace=Tienda oficial para módulos / complementos +OfficialWebHostingService=Servicios de alojamiento web referenciados (alojamiento en la nube) +SocialNetworks=Redes Sociales +ForDocumentationSeeWiki=Para la documentación del usuario o desarrollador (Doc, Preguntas frecuentes ...),
Echa un vistazo a la Wiki Dolibarr:
%s +ForAnswersSeeForum=Para cualquier otra pregunta o ayuda, puede usar el foro Dolibarr:
%s +HelpCenterDesc1=Aquí hay algunos recursos para obtener ayuda y apoyo con Dolibarr. +HelpCenterDesc2=Algunos de estos recursos solo están disponibles en inglés . +CurrentMenuHandler=Administrador de menú actual +Emails=Correos electrónicos +EMailsSetup=Configuración de correos electrónicos +EMailsDesc=Esta página le permite sobrescribir sus parámetros PHP predeterminados para el envío de correo electrónico. En la mayoría de los casos en el sistema operativo Unix / Linux, la configuración de PHP es correcta y estos parámetros son innecesarios. +MAIN_MAIL_SMTP_PORT=Puerto SMTP / SMTPS (valor predeterminado en php.ini: %s ) +MAIN_MAIL_SMTP_SERVER=Host SMTP / SMTPS (valor predeterminado en php.ini: %s ) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto SMTP / SMTPS (no definido en PHP en sistemas tipo Unix) +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP / SMTPS (No definido en PHP en sistemas tipo Unix) +MAIN_MAIL_EMAIL_FROM=Correo electrónico del remitente para correos electrónicos automáticos (valor predeterminado en php.ini: %s ) +MAIN_MAIL_SENDMODE=Método de envío de correo electrónico +MAIN_MAIL_SMTPS_ID=ID de SMTP (si el servidor de envío requiere autenticación) +MAIN_MAIL_SMTPS_PW=Contraseña SMTP (si el servidor de envío requiere autenticación) +MAIN_MAIL_EMAIL_TLS=Usar cifrado TLS (SSL) +MAIN_DISABLE_ALL_SMS=Deshabilitar todo el envío de SMS (para fines de prueba o demostraciones) +MAIN_SMS_SENDMODE=Método a utilizar para enviar SMS +MAIN_MAIL_SMS_FROM=Número de teléfono predeterminado del remitente para el envío de SMS +FeatureNotAvailableOnLinux=Característica no disponible en sistemas similares a Unix. Prueba tu programa de envio de correo localmente. +SubmitTranslation=Si la traducción de este idioma no está completa o encuentra errores, puede corregir esto editando archivos en el directorio langs / %s y envíe su cambio a www.transifex.com/dolibarr-association/dolibarr/ +ModulesSetup=Configuración de Módulos/Aplicación +FindPackageFromWebSite=Encuentre un paquete que proporcione las funciones que necesita (por ejemplo, en el sitio web oficial %s). +DownloadPackageFromWebSite=Descargue el paquete (por ejemplo, del sitio web oficial %s). +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 de configuración de módulo: %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 (por ejemplo: personalizado).
LastActivationIP=IP de activación más reciente +GenericMaskCodes4c=Ejemplo de producto creado el 2007-03-01:
+GenericNumRefModelDesc=Devuelve un número personalizable de acuerdo con una máscara definida. +ServerAvailableOnIPOrPort=El servidor está disponible en la dirección %s en el puerto %s +ServerNotAvailableOnIPOrPort=El servidor no está disponible en la dirección %s en el puerto %s +DoTestServerAvailability=Probar la conectividad con el servidor +DoTestSendHTML=Probar envío de HTML +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, no se puede usar la opción @ si la secuencia {aa} {mm} o {aaaa} {mm} no está en la máscara. +UMask=Parámetro UMask para archivos nuevos en el sistema de archivos Unix / Linux / BSD / Mac. +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 lectura y escritura para todos).
Este parámetro es inútil en un servidor de Windows. +SeeWikiForAllTeam=Eche un vistazo a la página Wiki para obtener una lista de colaboradores y su organización. +DisableLinkToHelpCenter=Ocultar enlace " Necesita ayuda o soporte " en la página de inicio de sesión +DisableLinkToHelp=Ocultar enlace a ayuda en línea " %s " WarningSettingSortOrder=Advertencia, establecer un orden predeterminado puede resultar en un error técnico al pasar a la página de lista si "campo" es un campo desconocido. Si experimenta un error de este tipo, vuelva a esta página para eliminar el orden predeterminado y restaurar el comportamiento predeterminado. Module20Name=Propuestas Module30Name=Facturas DictionaryAccountancyJournal=Diarios de contabilidad +DictionarySocialNetworks=Redes Sociales DictionaryProspectStatus=Estatus del cliente potencial Upgrade=Actualizar LDAPFieldFirstName=Nombre(s) AGENDA_SHOW_LINKED_OBJECT=Mostrar objeto vinculado en la vista de agenda +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice ConfFileMustContainCustom=Instalar o construir un módulo externo desde la aplicación necesita guardar los archivos del módulo en el directorio %s . Para que este directorio sea procesado por Dolibarr, debe configurar su conf/conf.php para agregar las 2 líneas de directiva: $dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; MailToSendProposal=Propuestas de clientes MailToSendInvoice=Facturas de clientes OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_MX/bills.lang b/htdocs/langs/es_MX/bills.lang index 8a0e2be81d3..368c469ae9e 100644 --- a/htdocs/langs/es_MX/bills.lang +++ b/htdocs/langs/es_MX/bills.lang @@ -43,4 +43,5 @@ CreditNote=Nota de crédito ReasonDiscount=Razón PaymentTypeCB=Tarjeta de crédito PaymentTypeShortCB=Tarjeta de crédito +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template situationInvoiceShortcode_S=D diff --git a/htdocs/langs/es_MX/main.lang b/htdocs/langs/es_MX/main.lang index f18bbad3970..16bf9b6bbec 100644 --- a/htdocs/langs/es_MX/main.lang +++ b/htdocs/langs/es_MX/main.lang @@ -271,4 +271,3 @@ SearchIntoCustomerProposals=Propuestas de clientes SearchIntoExpenseReports=Reporte de gastos AssignedTo=Asignado a ContactDefault_agenda=Evento -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_MX/orders.lang b/htdocs/langs/es_MX/orders.lang index bfa371a2396..b3dd3396422 100644 --- a/htdocs/langs/es_MX/orders.lang +++ b/htdocs/langs/es_MX/orders.lang @@ -1,3 +1,8 @@ # Dolibarr language file - Source file is en_US - orders StatusOrderCanceledShort=Cancelado StatusOrderCanceled=Cancelado +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model +PDFProformaDescription=A complete Proforma invoice template +StatusSupplierOrderCanceledShort=Cancelado +StatusSupplierOrderCanceled=Cancelado diff --git a/htdocs/langs/es_MX/propal.lang b/htdocs/langs/es_MX/propal.lang index 8abf292c056..0fd71841602 100644 --- a/htdocs/langs/es_MX/propal.lang +++ b/htdocs/langs/es_MX/propal.lang @@ -3,3 +3,5 @@ Proposals=Propuestas comerciales PropalsDraft=Borradores PropalsOpened=Abierta PropalStatusClosedShort=Cerrada +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model diff --git a/htdocs/langs/es_PA/admin.lang b/htdocs/langs/es_PA/admin.lang index 5f6898087d4..99443ee80a7 100644 --- a/htdocs/langs/es_PA/admin.lang +++ b/htdocs/langs/es_PA/admin.lang @@ -1,3 +1,6 @@ # Dolibarr language file - Source file is en_US - admin VersionUnknown=Desconocido +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_PA/main.lang b/htdocs/langs/es_PA/main.lang index dc348afd89f..1602d6a7ffa 100644 --- a/htdocs/langs/es_PA/main.lang +++ b/htdocs/langs/es_PA/main.lang @@ -19,4 +19,3 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_PE/admin.lang b/htdocs/langs/es_PE/admin.lang index bd862300eb2..a5feb37ac56 100644 --- a/htdocs/langs/es_PE/admin.lang +++ b/htdocs/langs/es_PE/admin.lang @@ -8,5 +8,8 @@ Permission93=Eliminar impuestos e IGV DictionaryVAT=Tasa de IGV o tasa de impuesto a las ventas UnitPriceOfProduct=Precio unitario sin IGV de un producto OptionVatMode=IGV adeudado +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice MailToSendInvoice=Facturas de Clientes OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_PE/bills.lang b/htdocs/langs/es_PE/bills.lang index 2fd3f965557..1ee68b8d746 100644 --- a/htdocs/langs/es_PE/bills.lang +++ b/htdocs/langs/es_PE/bills.lang @@ -10,4 +10,4 @@ ConfirmClassifyPaidPartiallyReasonDiscountNoVat=El resto a pagar (%s %s) AmountOfBillsByMonthHT=Importe de las facturas por mes (Sin IGV) CreditNote=Nota de crédito VATIsNotUsedForInvoice=* IGV no aplicable art-293B del CGI -PDFCrabeDescription=Modelo de factura completo (IGV, método de pago a mostrar, logotipo...) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template diff --git a/htdocs/langs/es_PE/main.lang b/htdocs/langs/es_PE/main.lang index 6e4aef8918a..f6216220edc 100644 --- a/htdocs/langs/es_PE/main.lang +++ b/htdocs/langs/es_PE/main.lang @@ -60,6 +60,5 @@ Drafts=Borrador Opened=Abrir SearchIntoCustomerInvoices=Facturas de Clientes ContactDefault_invoice_supplier=Factura de Proveedor -ContactDefault_order_supplier=Orden de Proveedor ContactDefault_propal=Cotización ContactDefault_supplier_proposal=Cotización de Proveedor diff --git a/htdocs/langs/es_PE/propal.lang b/htdocs/langs/es_PE/propal.lang index 44abe174e6f..d1ca5d2c29c 100644 --- a/htdocs/langs/es_PE/propal.lang +++ b/htdocs/langs/es_PE/propal.lang @@ -1,3 +1,5 @@ # Dolibarr language file - Source file is en_US - propal ProposalShort=Cotización PropalsOpened=Abrir +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model diff --git a/htdocs/langs/es_PY/main.lang b/htdocs/langs/es_PY/main.lang index dc348afd89f..1602d6a7ffa 100644 --- a/htdocs/langs/es_PY/main.lang +++ b/htdocs/langs/es_PY/main.lang @@ -19,4 +19,3 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_UY/main.lang b/htdocs/langs/es_UY/main.lang index dc348afd89f..1602d6a7ffa 100644 --- a/htdocs/langs/es_UY/main.lang +++ b/htdocs/langs/es_UY/main.lang @@ -19,4 +19,3 @@ FormatDateHourShort=%d/%m/%Y %H:%M FormatDateHourSecShort=%d/%m/%Y %H:%M:%S FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_VE/admin.lang b/htdocs/langs/es_VE/admin.lang index 32f0a99168f..7b2b8ecef64 100644 --- a/htdocs/langs/es_VE/admin.lang +++ b/htdocs/langs/es_VE/admin.lang @@ -30,4 +30,7 @@ WatermarkOnDraftSupplierProposal=Marca de agua en solicitudes de precios a prove LDAPMemberObjectClassListExample=Lista de ObjectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) LDAPUserObjectClassListExample=Lista de ObjectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) LDAPContactObjectClassListExample=Lista de objectClass que definen los atributos de un registro (ej: top,inetOrgPerson o top,user for active directory) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/es_VE/bills.lang b/htdocs/langs/es_VE/bills.lang index 4e32a0119fd..586147fb4db 100644 --- a/htdocs/langs/es_VE/bills.lang +++ b/htdocs/langs/es_VE/bills.lang @@ -8,4 +8,5 @@ PaymentConditionShortPT_ORDER=Pedido PaymentTypeShortTRA=A validar VATIsNotUsedForInvoice=- LawApplicationPart1=- +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template situationInvoiceShortcode_S=D diff --git a/htdocs/langs/es_VE/main.lang b/htdocs/langs/es_VE/main.lang index ca0ac6e1ad1..1de75d20c42 100644 --- a/htdocs/langs/es_VE/main.lang +++ b/htdocs/langs/es_VE/main.lang @@ -41,4 +41,3 @@ Progress=Progresión Export=Exportación ExpenseReports=Gastos SearchIntoExpenseReports=Gastos -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/es_VE/orders.lang b/htdocs/langs/es_VE/orders.lang index f4130fdc0c4..bcd93fae704 100644 --- a/htdocs/langs/es_VE/orders.lang +++ b/htdocs/langs/es_VE/orders.lang @@ -1,2 +1,16 @@ # Dolibarr language file - Source file is en_US - orders StatusOrderDeliveredShort=Emitido +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model +PDFProformaDescription=A complete Proforma invoice template +StatusSupplierOrderDraftShort=A validar +StatusSupplierOrderValidatedShort=Validada +StatusSupplierOrderDelivered=Emitido +StatusSupplierOrderDeliveredShort=Emitido +StatusSupplierOrderToBillShort=Emitido +StatusSupplierOrderApprovedShort=Aprovado +StatusSupplierOrderRefusedShort=Devuelta +StatusSupplierOrderValidated=Validada +StatusSupplierOrderToBill=Emitido +StatusSupplierOrderApproved=Aprovado +StatusSupplierOrderRefused=Devuelta diff --git a/htdocs/langs/es_VE/propal.lang b/htdocs/langs/es_VE/propal.lang index f3e7695176c..e0b6658e037 100644 --- a/htdocs/langs/es_VE/propal.lang +++ b/htdocs/langs/es_VE/propal.lang @@ -1,2 +1,4 @@ # Dolibarr language file - Source file is en_US - propal PropalsOpened=Abierta +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang index 094d1b826de..4115267bb28 100644 --- a/htdocs/langs/et_EE/admin.lang +++ b/htdocs/langs/et_EE/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Müügitellimuste haldamine Module30Name=Arved Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Tarnijad -Module40Desc=Tarnijad ja ostuhaldus (ostutellimused ja arveldus) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Toimetajad @@ -561,9 +561,9 @@ Module200Desc=LDAP kausta sünkroniseerimine Module210Name=PostNuke Module210Desc=PostNuke integratsioon Module240Name=Andmete eksport -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Andmete import -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Liikmed Module310Desc=Ühenduse liikmete haldamine Module320Name=RSS voog @@ -878,7 +878,7 @@ Permission1251=Väliste andmete massiline import andmebaasi (andmete laadimine) Permission1321=Müügiarvete, atribuutide ja maksete eksport Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Teiste kontodega seotud juhtumite (tegevuste või ülesannete) vaatamine @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Vaata oma kohaliku sendmaili seadistust BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=Loodud tõmmisfaili peaks säilitama turvalises kohas. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQLi import ForcedToByAModule= Aktiveeritud moodul on antud reegli väärtuseks sundinud %s PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Antud käsu peab käivitama käsurealt pärast kasutajaga %s sisse logimist või lisades -W võtme käsu lõppu parooli %s kasutamiseks. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Välja %s muutmine FillThisOnlyIfRequired=Näide: +2 (täida vaid siis, kui koged ajavööndi nihkega probleeme) GetBarCode=Hangi triipkood +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Tagastab parooli, mis vastab Dolibarri sisemisele algoritmile: 8 tähemärki pikk ja koosneb väikestest tähtedest ja numbritest. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Mitme ettevõtte mooduli seadistamine ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/et_EE/bills.lang b/htdocs/langs/et_EE/bills.lang index 1f7c7c850c7..7999a55f011 100644 --- a/htdocs/langs/et_EE/bills.lang +++ b/htdocs/langs/et_EE/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Muutuv summa (%% kogusummast) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Maksumärk YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=PDF mall Crabe arvete jaoks. Täielik arve mall (soovitatav mall). +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Tagastab numbri formaadiga %syymm-nnnn tavaliste arvete jaoks ja %syymm-nnnn kreeditarvete jaoks, kus yy on aasta, mm on kuu ja nnnn on katkestusteta jada, mis ei lähe kunagi 0 tagasi. diff --git a/htdocs/langs/et_EE/categories.lang b/htdocs/langs/et_EE/categories.lang index 7b5f53913a5..7bd10e2857a 100644 --- a/htdocs/langs/et_EE/categories.lang +++ b/htdocs/langs/et_EE/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Antud kategooria ei sisalda ühtki toodet. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Antud kategooria ei sisalda ühtki klienti @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/et_EE/companies.lang b/htdocs/langs/et_EE/companies.lang index 7b08420f9f6..99c3f2219cf 100644 --- a/htdocs/langs/et_EE/companies.lang +++ b/htdocs/langs/et_EE/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Minu kontaktid Capital=Kapital CapitalOf=%s kapital EditCompany=Muuda ettevõtet -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Kontrolli VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organisatsioon FiscalYearInformation=Fiscal Year FiscalMonthStart=Majandusaasta esimene kuu +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/et_EE/compta.lang b/htdocs/langs/et_EE/compta.lang index 501fd91bdd1..7b481d6ec18 100644 --- a/htdocs/langs/et_EE/compta.lang +++ b/htdocs/langs/et_EE/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF ost LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=KM kogutud -ToPay=Maksta +StatusToPay=Maksta SpecialExpensesArea=Kõigi erimaksete ala SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Näita käibemaksu makset TotalToPay=Kokku maksta BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Konto number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/et_EE/errors.lang b/htdocs/langs/et_EE/errors.lang index 871da2bd400..eb3b3a131f6 100644 --- a/htdocs/langs/et_EE/errors.lang +++ b/htdocs/langs/et_EE/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Kasutajanime %s ei leitud. ErrorLoginHasNoEmail=Antud kasutajal ei ole e-posti aadressi. Protsess katkestatud. ErrorBadValueForCode=Turvakoodi halb väärtus. Proovi uuesti... ErrorBothFieldCantBeNegative=Mõlemad väljad %s ja %s ei saa olla negatiivse väärtusega -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Veebiserveri käivitamiseks kasutataval kontrol %s ei ole selleks õigusi ErrorNoActivatedBarcode=Ühtki vöötkoodi tüüpi pole aktiveeritud @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/et_EE/holiday.lang b/htdocs/langs/et_EE/holiday.lang index 80aa294684b..74e6329d6dc 100644 --- a/htdocs/langs/et_EE/holiday.lang +++ b/htdocs/langs/et_EE/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Muuda diff --git a/htdocs/langs/et_EE/install.lang b/htdocs/langs/et_EE/install.lang index c2f150becb8..ef78246530a 100644 --- a/htdocs/langs/et_EE/install.lang +++ b/htdocs/langs/et_EE/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Antud PHP poolt kasutatav sessiooni maksimaalne mälu on %s. See peaks olema piisav. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Kausta %s ei ole olemas. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Parameetri "%s" väärtus on ilmselt valesti sisestatud. diff --git a/htdocs/langs/et_EE/main.lang b/htdocs/langs/et_EE/main.lang index ca8f20214a1..e567eb0e23b 100644 --- a/htdocs/langs/et_EE/main.lang +++ b/htdocs/langs/et_EE/main.lang @@ -471,7 +471,7 @@ TotalDuration=Kogukestus Summary=Kokkuvõte DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Saadaval NotYetAvailable=Pole veel saadaval NotAvailable=Pole saadaval @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Leping ContactDefault_facture=Arve ContactDefault_fichinter=Sekkumine ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Ülesanne ContactDefault_propal=Pakkumine @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/et_EE/modulebuilder.lang b/htdocs/langs/et_EE/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/et_EE/modulebuilder.lang +++ b/htdocs/langs/et_EE/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/et_EE/mrp.lang b/htdocs/langs/et_EE/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/et_EE/mrp.lang +++ b/htdocs/langs/et_EE/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/et_EE/orders.lang b/htdocs/langs/et_EE/orders.lang index 8c792f3fc7b..d9bcab4cab8 100644 --- a/htdocs/langs/et_EE/orders.lang +++ b/htdocs/langs/et_EE/orders.lang @@ -11,6 +11,7 @@ OrderDate=Telllimuse kuupäev OrderDateShort=Tellimuse kuupäev OrderToProcess=Töödeldav tellimus NewOrder=Uus tellimus +NewOrderSupplier=New Purchase Order ToOrder=Telli MakeOrder=Telli SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Tühistatud StatusOrderDraftShort=Mustand StatusOrderValidatedShort=Kinnitatud @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Saadetud StatusOrderToBillShort=Saadetud StatusOrderApprovedShort=Heaks kiidetud StatusOrderRefusedShort=Keeldutud -StatusOrderBilledShort=Arve esitatud StatusOrderToProcessShort=Töödelda StatusOrderReceivedPartiallyShort=Osaliselt kohale jõudnud StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Töödeldud StatusOrderToBill=Saadetud StatusOrderApproved=Heaks kiidetud StatusOrderRefused=Keeldutud -StatusOrderBilled=Arve esitatud StatusOrderReceivedPartially=Osaliselt kohale jõudnud StatusOrderReceivedAll=All products received ShippingExist=Saadetis on olemas @@ -68,8 +69,9 @@ ValidateOrder=Kinnita tellimus UnvalidateOrder=Ava tellimus DeleteOrder=Kustuta tellimus CancelOrder=Tühista tellimus -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Lisa tellimuse mustandile ShowOrder=Näita tellimust OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=E-post OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Täielik tellimuse mudel (logo jne) -PDFEratostheneDescription=Täielik tellimuse mudel (logo jne) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Lihtne tellimuse mude -PDFProformaDescription=Täielik proforma arve (logo jne) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Koosta tellimuste kohta arved NoOrdersToInvoice=Pole ühtki tellimust, mille kohta arve esitada CloseProcessedOrdersAutomatically=Liigita kõik valitud tellimused "Töödeldud". @@ -152,7 +154,35 @@ OrderCreated=Sinu tellimused on loodud OrderFail=Sinu tellimuste loomise ajal tekkis viga CreateOrders=Loo tellimused ToBillSeveralOrderSelectCustomer=Mitme erineva tellimuse põhjal müügiarve loomiseks klõpsa kõigepealt kliendi kaardile ning seejärel vali "%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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Tühistatud +StatusSupplierOrderDraftShort=Mustand +StatusSupplierOrderValidatedShort=Kinnitatud +StatusSupplierOrderSentShort=Töötlemisel +StatusSupplierOrderSent=Saatmine töötlemisel +StatusSupplierOrderOnProcessShort=Tellitud +StatusSupplierOrderProcessedShort=Töödeldud +StatusSupplierOrderDelivered=Saadetud +StatusSupplierOrderDeliveredShort=Saadetud +StatusSupplierOrderToBillShort=Saadetud +StatusSupplierOrderApprovedShort=Heaks kiidetud +StatusSupplierOrderRefusedShort=Keeldutud +StatusSupplierOrderToProcessShort=Töödelda +StatusSupplierOrderReceivedPartiallyShort=Osaliselt kohale jõudnud +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Tühistatud +StatusSupplierOrderDraft=Mustand (vajab kinnitamist) +StatusSupplierOrderValidated=Kinnitatud +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Töödeldud +StatusSupplierOrderToBill=Saadetud +StatusSupplierOrderApproved=Heaks kiidetud +StatusSupplierOrderRefused=Keeldutud +StatusSupplierOrderReceivedPartially=Osaliselt kohale jõudnud +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/et_EE/other.lang b/htdocs/langs/et_EE/other.lang index 7efe72ff21a..656abc7aeb2 100644 --- a/htdocs/langs/et_EE/other.lang +++ b/htdocs/langs/et_EE/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Halda ühenduse liikmeid DemoFundation2=Halda ühenduse liikmeid ja pangakontosid DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Halda kassaga poodi -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Lõi %s ModifiedBy=Muutis %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Tiitel WEBSITE_DESCRIPTION=Kirjeldus WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/et_EE/projects.lang b/htdocs/langs/et_EE/projects.lang index 857dce6bc39..3ef2e584989 100644 --- a/htdocs/langs/et_EE/projects.lang +++ b/htdocs/langs/et_EE/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Efektiivne kestus ProgressDeclared=Deklareeritud progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Arvutatud progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Aega kulutatud OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Uus arve +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/et_EE/propal.lang b/htdocs/langs/et_EE/propal.lang index ad640357eae..0098abfc1e4 100644 --- a/htdocs/langs/et_EE/propal.lang +++ b/htdocs/langs/et_EE/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Näita pakkumist PropalsDraft=Mustandid PropalsOpened=Ava PropalStatusDraft=Mustand (vajab kinnitamist) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Kinnitatud (pakkumine lahti) PropalStatusSigned=Allkirjastatud (vaja arve esitada) PropalStatusNotSigned=Allkirjastamata (suletud) PropalStatusBilled=Arve esitatud @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Müügiarve kontakt TypeContact_propal_external_CUSTOMER=Kliendi kontakt pakkumise järelkaja jaoks TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Pakkumise täielik mudel (logo jne) -DocModelCyanDescription=Pakkumise täielik mudel (logo jne) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Vaikimisi mudeli loomine DefaultModelPropalToBill=Vaikimisi mall pakkumise sulgemiseks (arve esitada) DefaultModelPropalClosed=Vaikimisi mall pakkumise sulgemiseks (arvet ei esitata) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/et_EE/stocks.lang b/htdocs/langs/et_EE/stocks.lang index 6f5abebb18f..8a08684c5c2 100644 --- a/htdocs/langs/et_EE/stocks.lang +++ b/htdocs/langs/et_EE/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Näita ladu MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/eu_ES/admin.lang b/htdocs/langs/eu_ES/admin.lang index 0915b299200..a7568a96394 100644 --- a/htdocs/langs/eu_ES/admin.lang +++ b/htdocs/langs/eu_ES/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Fakturak Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editoreak @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integrazioa Module240Name=Daten esportazioa -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Daten inportazioa -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Kideak Module310Desc=Foundation members management Module320Name=RSS kanala @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/eu_ES/bills.lang b/htdocs/langs/eu_ES/bills.lang index a95ddd64eae..7a590393db0 100644 --- a/htdocs/langs/eu_ES/bills.lang +++ b/htdocs/langs/eu_ES/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/eu_ES/categories.lang b/htdocs/langs/eu_ES/categories.lang index a6c3ffa01b0..7207bbacc38 100644 --- a/htdocs/langs/eu_ES/categories.lang +++ b/htdocs/langs/eu_ES/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/eu_ES/companies.lang b/htdocs/langs/eu_ES/companies.lang index 69368caffee..b5af0e3f49c 100644 --- a/htdocs/langs/eu_ES/companies.lang +++ b/htdocs/langs/eu_ES/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/eu_ES/compta.lang b/htdocs/langs/eu_ES/compta.lang index 4b74056ff87..ab097bae3e3 100644 --- a/htdocs/langs/eu_ES/compta.lang +++ b/htdocs/langs/eu_ES/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/eu_ES/errors.lang b/htdocs/langs/eu_ES/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/eu_ES/errors.lang +++ b/htdocs/langs/eu_ES/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/eu_ES/holiday.lang b/htdocs/langs/eu_ES/holiday.lang index 920f3339704..5c9cf7c23ba 100644 --- a/htdocs/langs/eu_ES/holiday.lang +++ b/htdocs/langs/eu_ES/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Editatu diff --git a/htdocs/langs/eu_ES/install.lang b/htdocs/langs/eu_ES/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/eu_ES/install.lang +++ b/htdocs/langs/eu_ES/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/eu_ES/main.lang b/htdocs/langs/eu_ES/main.lang index 5705cb22f4e..f43d0e4fe79 100644 --- a/htdocs/langs/eu_ES/main.lang +++ b/htdocs/langs/eu_ES/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/eu_ES/modulebuilder.lang b/htdocs/langs/eu_ES/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/eu_ES/modulebuilder.lang +++ b/htdocs/langs/eu_ES/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/eu_ES/mrp.lang b/htdocs/langs/eu_ES/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/eu_ES/mrp.lang +++ b/htdocs/langs/eu_ES/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/eu_ES/orders.lang b/htdocs/langs/eu_ES/orders.lang index 827695dbc9b..ea157944645 100644 --- a/htdocs/langs/eu_ES/orders.lang +++ b/htdocs/langs/eu_ES/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=E-posta OrderByWWW=Online OrderByPhone=Telefonoa # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/eu_ES/other.lang b/htdocs/langs/eu_ES/other.lang index bce872ad1fd..9b1f27b11ab 100644 --- a/htdocs/langs/eu_ES/other.lang +++ b/htdocs/langs/eu_ES/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Deskribapena WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/eu_ES/projects.lang b/htdocs/langs/eu_ES/projects.lang index 8c3d24f46b1..f6544333058 100644 --- a/htdocs/langs/eu_ES/projects.lang +++ b/htdocs/langs/eu_ES/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/eu_ES/propal.lang b/htdocs/langs/eu_ES/propal.lang index 7fce5107356..39bfdea31c8 100644 --- a/htdocs/langs/eu_ES/propal.lang +++ b/htdocs/langs/eu_ES/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/eu_ES/stocks.lang b/htdocs/langs/eu_ES/stocks.lang index 847793f1ca0..2800f377205 100644 --- a/htdocs/langs/eu_ES/stocks.lang +++ b/htdocs/langs/eu_ES/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang index a9d80fdf837..184464d4869 100644 --- a/htdocs/langs/fa_IR/admin.lang +++ b/htdocs/langs/fa_IR/admin.lang @@ -519,7 +519,7 @@ Module25Desc=مدیریت سفارشات فروش Module30Name=صورت‌حساب‌ Module30Desc=مدیریت صورت‌حساب‌ها و یادداشت‌های اعتباری برای مشتریان.\nمدیریت صورت‌حساب‌ها و یادداشت‌های اعتباری برای تامین‌کنندگان Module40Name=فروشندگان -Module40Desc=مدیریت فروشندگان و خریدها ( سفارشات خرید و صورت‌حساب‌ها) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=گزارش‌کار اشکال‌یابی Module42Desc=امکانات گزارش‌برداری (فایل، گزارش‌کار سامانه، ...). این گزارش کارها مربوط به مقاصد فنی/اشکال‌یابی هستند. Module49Name=ویراستاران @@ -561,9 +561,9 @@ Module200Desc=همگام‌سازی پوشۀ LDAP Module210Name=PostNuke Module210Desc=یکپارچه‌سازی با PostNuke Module240Name=صادرات داده‌ها -Module240Desc=ابزار صادرات داده‌های Dolibarr (به‌همراه کمک‌کننده‌ها) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=واردات داده‌ها -Module250Desc=ابزار وارد کردن داده به Dolibarr (به‌همراه کمک‌کننده‌ها) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=عضوها Module310Desc=مدیریت اعضای مؤسسه Module320Name=خوراک RSS @@ -878,7 +878,7 @@ Permission1251=اجرای واردات گستردۀ داده‌های خارجی Permission1321=صادرکردن صورت‌حساب‌های مشتریان، صفت‌ها و پرداخت‌ها Permission1322=بازکردن دوبارۀ یک صورت‌حساب پرداخت‌شده Permission1421=صادرکردن سفارش‌های فروش و صفات -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=ملاحظۀ فعالیت‌ها (رخدادها یا وظایف) پیوند شده به دیگران @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=هیچ رخداد امنیتی گزارش نشده است. NoEventFoundWithCriteria=با توجه به شرایط جستجو، هیچ رخداد امنیتی یافت نشد. SeeLocalSendMailSetup=تنظیمات محلی ارسال رایانامۀ خود را بررسی کنید BackupDesc=یک پشتیبان‌گیری کامل از نسخۀ نصب‌شدۀ Dolibarr نیازمند دو گام است. -BackupDesc2=پشتیبان‌گیری از محتوای پوشۀ "documents" (%s) که دربردارندۀ همۀ فایل‌های ارسال شده و مستندات تولید شده است. که این البته شامل همۀ فایل‌ها نسخه‌برداری-dump که در گام 1 تولید شده نیز هست. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=پشتیبان‌گیر از ساختار و ومحتوای پایگاه‌دادۀ شما (%s) در یک فایل dump. برای این کار دستیار زیر را استفاده نمائید. BackupDescX=پوشۀ بایگانی شده باید در یک مکان امن نگهداری شود. BackupDescY=فایل رونوشت-dump باید در یک محل امن ذخیره شود. @@ -1167,6 +1167,7 @@ RestoreDesc3=بازآوری ساختار و داده‌های پایگاه دا RestoreMySQL=وارد‌کردن MySQL ForcedToByAModule= این مقررات برای %s توسط یک واحد فعال، الزام شده است PreviousDumpFiles=فایل‌های موجود پشتیبان +PreviousArchiveFiles=Existing archive files WeekStartOnDay=اولین روز هفته RunningUpdateProcessMayBeRequired=به نظر لازم است روند به‌هنگام‌سازی اجرا شود (نسخۀ برنامه %s از نسخۀ پایگاه‌داده %s متفاوت است) YouMustRunCommandFromCommandLineAfterLoginToUser=شما باید این سطر دستور را پس از ورود به خط فرمان با کاربر %s اجرا کنید یا این‌که گزینۀ -W را در انتهای فرمان برای اعلام گذرواژۀ %s به‌کار گیرید. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=پرسش برای روش ارسال ترجیحی FieldEdition=ویرایش بخش %s FillThisOnlyIfRequired=مثال: +2 (تنها در صورتی که با مشکل ناحیۀ زمانی مواجه شوید) GetBarCode=دریافت بارکد +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=بازگرداندن یک گذرواژه که با توجه به الگوریتم‌ Dolibarr تولید شده است: 8 نویسه، متشکل از اعداد و حروف کوچک. PasswordGenerationNone=گذرواژۀ پیشنهادی ارائه نشود. گذرواژه‌ها باید به شکل دستی وارد شوند. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=واحد شماره‌گذاری رسیدهای چ MultiCompanySetup=برپاسازی واحد چندشرکتی ##### Suppliers ##### SuppliersSetup=برپاسازی واحد فروشندگان -SuppliersCommandModel=قالب کامل سفارش خرید (نشان...) -SuppliersInvoiceModel=قالب کامل صورت‌حساب فروشنده (نشان...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=روش‌های شماره‌گذاری صورت‌حساب فروشندگان IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=فهرست اطلاع‌رسانی‌های خودک ListOfNotificationsPerUserOrContact=فهرست اطلاع‌رسانی‌های خودکار قابل استفاده (مربوط به روی‌دادی تجاری) فعال برای کاربر* یا بر حسب طرف‌تماس** ListOfFixedNotifications=فهرست اطلاع‌رسانی‌های خودکار ثابت GoOntoUserCardToAddMore=به زبانۀ "آگاهی‌رسانی" یک کاربر رفته تا آگاهی‌رسانی‌های مربوط به کاربران را اضافه یا حذف نمائید -GoOntoContactCardToAddMore=به زبانۀ "آگاهی رسانی" یک طرف‌سوم رفته تا آگاهی‌رسانی‌های مربوط به یک طرف تماس/نشانی‌ها را اضافه یا حذف نمائید +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=آستانه -BackupDumpWizard=جادوهای ساخت فایل پشتیبانی +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=نصب یک واحد خارجی از طریق رابط وب به دلایل ذیل ممکن نیست: SomethingMakeInstallFromWebNotPossible2=به این دلیل، روند به‌هنگام‌سازی توضیح داده شده تنها به صورت دستی ممکن خواهد بود که تنها یک کاربر مجاز امکان انجام آن را دارد. InstallModuleFromWebHasBeenDisabledByFile=نصب یک واحد خارجی از داخل برنامه توسط مدیر شما غیرفعال شده است. می‌توانید از وی بخواهید فایل %s را برای ایجاد اجازۀ نصب حذف نماید. @@ -1953,6 +1957,8 @@ SmallerThan=کوچک‌تر از LargerThan=بزرگتر از IfTrackingIDFoundEventWillBeLinked=توجه کنید در صورتی که یک شناسۀ ره‌گیری در یک رایانامۀ دریافتی یافت شود، روی‌داد به طور خودکار به اشیاء مربوطه متصل خواهد شد WithGMailYouCanCreateADedicatedPassword=با یک حساب GMail در صورتی که تائید 2 گامی را انتخاب کرده باشید، پیشنهاد می‌شود یک گذرواژۀ دوم برای استفادۀ برنامه به‌جای گذرواژۀ خودتان برای حساب بسازید. این کار از https://myaccount.google.com/ قابل انجام است. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=نقطۀ آخر برای %s : %s DeleteEmailCollector=حذف جمع‌آورندۀ رایانامه ConfirmDeleteEmailCollector=آیا مطمئن هستید می‌خواهید این جمع‌آورندۀ رایانامه را حذف کنید؟ diff --git a/htdocs/langs/fa_IR/bills.lang b/htdocs/langs/fa_IR/bills.lang index 95dd533b405..b263603d8a4 100644 --- a/htdocs/langs/fa_IR/bills.lang +++ b/htdocs/langs/fa_IR/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 روزه PaymentCondition14D=14 روزه PaymentConditionShort14DENDMONTH=14 روز از آخر ماه PaymentCondition14DENDMONTH=ظرف 14 روز پس از آخرماه -FixAmount=مبلغ ثابت +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=مبلغ متغیر ( %% کل ) VarAmountOneLine=مبلغ متغیر ( %% کل ) - 1 سطر با برچسب "%s" # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=تمبر درآمد YouMustCreateInvoiceFromThird=این گزینه تنها وقتی فعال است که شما صورت‌حساب را از زبانۀ "مشتری" یک شخص سوم می‌سازید YouMustCreateInvoiceFromSupplierThird=این گزینه تنها وقتی فعال است که شما صورت‌حساب را از زبانۀ "فروشنده" یک شخص سوم می‌سازید YouMustCreateStandardInvoiceFirstDesc=شما باید ابتدا یک صورت‌حساب استاندارد ساخته و سپس آن را تبدیل به "قالب" کنید تا یک صورت‌حساب قالبی ساخته باشید -PDFCrabeDescription=قالب PDF صورت‌حساب Crabe. یک قالب کامل صورت‌حساب (قالب پیشنهادی) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=قالب PDF صورت‌حساب Sponge. یک قالب کامل صورت‌حساب PDFCrevetteDescription=قالب PDF صورت‌حساب Crevette. یک قالب کامل صورت‌حساب برای صورت‌حساب‌های وضعیت TerreNumRefModelDesc1=بازگرداندن عدد با شکل %syymm-nnnn برای صورت‌حساب‌های استاندارد و %syymm-nnnn برای یادداشت‌های اعتباری که در آن yy نمایندۀ سال، mm ماه و nnnn یک شمارنده بدون توقف و بدون بازگشت به 0 است diff --git a/htdocs/langs/fa_IR/categories.lang b/htdocs/langs/fa_IR/categories.lang index f05ebaa2867..06271b4456a 100644 --- a/htdocs/langs/fa_IR/categories.lang +++ b/htdocs/langs/fa_IR/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=کلیدواژه/دسته‌بندی‌های طرف‌ه AccountsCategoriesShort=کلیدواژه/دسته‌بندی‌های حساب‌ها ProjectsCategoriesShort=کلیدواژه/دسته‌بندی‌های طرح‌ها UsersCategoriesShort=کلیدواژه/دسته‌بندی‌های کاربران +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=این رده در کل حاوی هر محصول نیست. ThisCategoryHasNoSupplier=این دسته‌بندی دربردارندۀ هیچ فروشنده‌ای نیست. ThisCategoryHasNoCustomer=این رده در کل حاوی هر مشتری نیست. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=افزودن پیگیری محصول/سرویس ShowCategory=نمایش کلیدواژه/دسته‌بندی ByDefaultInList=به طور پیش‌فرض در فهرست ChooseCategory=انتخاب دسته‌بندی +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/fa_IR/companies.lang b/htdocs/langs/fa_IR/companies.lang index d347987e7d1..5b6ec1024b6 100644 --- a/htdocs/langs/fa_IR/companies.lang +++ b/htdocs/langs/fa_IR/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=شناسۀ کاری 1 (OGRN) ProfId2RU=شناسۀ کاری 2 (INN) ProfId3RU=شناسۀ کاری 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=طرف‌تماس‌های من Capital=سرمایه CapitalOf=سرمایۀ %s EditCompany=ویرایش شرکت -ThisUserIsNot=این کاربر یک مشتری‌احتمالی، مشتری یا فروشنده نیست +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=چک VATIntraCheckDesc=شناسۀ م‌.ب.ا.ا. باید با پیش‌وند کشور بیاید. پیوند %s از خدمات European VAT checker service (VIES) استفاده می‌کند که نیاز به اتصال اینترنتی از سرور Dolibarr دارد VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=به‌عنوان نمایندۀ فروش نسبت‌داده Organization=سازمان FiscalYearInformation=سال مالی FiscalMonthStart=ماه شروع سال مالی +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=برای این‌که بتوانید به این کاربر یادآورندۀ از طریق رایانامه بفرستید شما باید برای این کاربر یک رایانامه بسازید YouMustCreateContactFirst=برای افزودن یادآورنده از طریق رایانامه، شما ابتدا باید برای این شخص سوم طرف‌تماس با رایانامۀ معتبر بسازید ListSuppliersShort=فهرست فروشندگان diff --git a/htdocs/langs/fa_IR/compta.lang b/htdocs/langs/fa_IR/compta.lang index f9d8b9d0a1b..ff0da8dc752 100644 --- a/htdocs/langs/fa_IR/compta.lang +++ b/htdocs/langs/fa_IR/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=خریدهای IRPF LT2CustomerIN=فروش‌های SGST LT2SupplierIN=خریدهای SGST VATCollected=مالیات‌بر‌ارزش‌افزودۀ جمع‌آوری شده -ToPay=قابل پرداخت +StatusToPay=قابل پرداخت SpecialExpensesArea=ناحیۀ انجام همۀ پرداخت‌های خاص SocialContribution=مالیات اجتماعی و ساختاری SocialContributions=مالیات‌های اجتماعی و ساختاری @@ -112,7 +112,7 @@ ShowVatPayment=نمایش پرداخت م.ب.ا.ا TotalToPay=مجموع قابل پرداخت BalanceVisibilityDependsOnSortAndFilters=موجودی در این فهرست تنها در صورتی قابل مشاهده خواهد بود که جدول به صورت صعودی برای %s انجام شده باشد و صافی برای 1 حساب بانکی تنظیم شده باشد CustomerAccountancyCode=کد حسابداری مشتری -SupplierAccountancyCode=کد حساب‌داری فروشنده +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=کد حساب‌داری مشتری SupplierAccountancyCodeShort=کد حساب‌داری فروشنده AccountNumber=شماره حساب @@ -254,3 +254,4 @@ ByVatRate=بر حسب نرخ مالیات‌برفروش TurnoverbyVatrate=گردش‌مالی صورت‌حساب‌شده بر حسب نرخ مالیات بر فروش TurnoverCollectedbyVatrate=گردش‌مالی دریافت‌شده بر حسب نرخ مالیات بر فروش PurchasebyVatrate=خریدها بر اساس نرخ مالیات بر فروش +LabelToShow=برچسب کوتاه diff --git a/htdocs/langs/fa_IR/errors.lang b/htdocs/langs/fa_IR/errors.lang index 7120ae9cdcc..6827e5fd10b 100644 --- a/htdocs/langs/fa_IR/errors.lang +++ b/htdocs/langs/fa_IR/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=کاربری که از نام‌ورود %s اس ErrorLoginHasNoEmail=کاربر هیچ نشانی رایانامه‌‌ای ندارد. پردازش متوقف شد. ErrorBadValueForCode=مقدار نادرست برای کد امنیتی. با یک مقدار جدید امتحان کنید... ErrorBothFieldCantBeNegative=بخش‌های %s و %s نمی‌توانند هر دو منفی باشند -ErrorFieldCantBeNegativeOnInvoice=بخش %s در این نوع از صورت‌حساب نمی‌تواند منفی باشد. در صورتی که می‌خواهید یک سطر تخفیف داشته باشید، ابتدا در روی صفحه با استفاده از پیوند %s تخفیف را ساخته و سپس آن را به این صورت‌حساب نسبت دهید. شما همچنین می‌توانید از مدیر بخواهید گزینۀ FACTURE_ENABLE_NEGATIVE_LINES  را به 1 تغییر دهد تا این رفتار قدیمی را تجویز کند. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=در صورت‌حساب مشتری تعداد برای یک سطر نمی‌‌تواند رقمی منفی باشد ErrorWebServerUserHasNotPermission=حساب کاربری %s برای اجرای یک سرور وب انتخاب شده اما مجوز آن را ندارد ErrorNoActivatedBarcode=هیچ نوع بارکدی فعال نشده @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=یک گذرواژه برای این عضو تنظیم شده است. با این‌حال هیچ حساب کاربری‌ای ساخته نشده است. بنابراین این گذرواژه برای ورود به Dolibarr قابل استفاده نیست. ممکن است برای یک رابط/واحد بیرونی قابل استفاده باشد، اما اگر شما نخواهید هیچ نام کاربری ورود و گذرواژه‌ای برای یک عضو استفاده کنید، شما می‌توانید گزینۀ "ایجاد یک نام‌ورد برای هر عضو" را از برپاسازی واحد اعضاء غیرفعال کنید. در صورتی که نیاز دارید که نام‌ورود داشته باشید اما گذرواژه نداشته باشید، می‌توانید این بخش را خالی گذاشته تا از این هشدار بر حذر باشید. نکته: همچنین نشانی رایانامه می‌تواند در صورتی که عضو به یک‌کاربر متصل باشد، می‌‌تواند مورد استفاده قرار گیرد diff --git a/htdocs/langs/fa_IR/holiday.lang b/htdocs/langs/fa_IR/holiday.lang index 41bf2a31c77..583c4c810a0 100644 --- a/htdocs/langs/fa_IR/holiday.lang +++ b/htdocs/langs/fa_IR/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=شناسۀ نوع درخواست مرخصی TypeOfLeaveCode=کد نوع درخواست مرخصی TypeOfLeaveLabel=برچسب نوع درخواست مرخصی NbUseDaysCP=تعداد روزهای مصرف شدۀ مرخصی +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=جمع روزهای مصرف‌شده NbUseDaysCPShortInMonth=جمع‌روزهای مصرف شده در ماه +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=تاریخ شروع در ماه DateEndInMonth=تاریخ پایان در ماه EditCP=ویرایش diff --git a/htdocs/langs/fa_IR/install.lang b/htdocs/langs/fa_IR/install.lang index 8b200b486a3..dc13fca46d2 100644 --- a/htdocs/langs/fa_IR/install.lang +++ b/htdocs/langs/fa_IR/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=این PHP از Curl پشتیبان می‌کند. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=این PHP از توابع UTF8 پشتیبانی می‌کند. PHPSupportIntl=این PHP از توابع Intl پشتیبانی می‌کند +PHPSupport=This PHP supports %s functions. PHPMemoryOK=حداکثر حافظۀ اختصاص داده شده به نشست به %s تنظیم شده است. این باید کافی باشد. PHPMemoryTooLow=حداکثر حافظۀ مورد استفاده در یک نشست در PHP شما در حد %s بایت تنظیم شده است. این میزان بسیار کمی است. فایل php.ini را ویرایش نموده و مقدار memory_limit را حداقل برابر %s بایت تنظیم کنید Recheck=برای یک آزمایش دقیق‌تر این‌جا کلیک کنید @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=نسخۀ PHP نصب شدۀ شما از Curl پشتی ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=نسخۀ PHP نصب شدۀ شما از توابع UTF8 پشتیبانی نمی‌کند. Dolibarr نمی‌تواند به درستی کار کند. قبل از نصب Dolibarr این مشکل را حل کنید. ErrorPHPDoesNotSupportIntl=نسخۀ نصب شدۀ PHP شما از توابع Intl پشتیبانی نمی‌کند. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=پوشۀ %s وجود ندارد. ErrorGoBackAndCorrectParameters=به عقب برگردید و مقادیر را بررسی/اصلاح کنید. ErrorWrongValueForParameter=ممکن است شما یک مقدار اشتباه برای مؤلفۀ '%s' وارد کرده باشید diff --git a/htdocs/langs/fa_IR/main.lang b/htdocs/langs/fa_IR/main.lang index 1f11e972ea4..c6cd128de6a 100644 --- a/htdocs/langs/fa_IR/main.lang +++ b/htdocs/langs/fa_IR/main.lang @@ -471,7 +471,7 @@ TotalDuration=مدت‌زمان کل Summary=خلاصه DolibarrStateBoard=آمار پایگاه داده DolibarrWorkBoard=موارد باز -NoOpenedElementToProcess=عنصر باز برای پردازش وجود ندارد +NoOpenedElementToProcess=No open element to process Available=فعال NotYetAvailable=فعلا غیرفعال NotAvailable=در دسترس نیست @@ -1005,7 +1005,7 @@ ContactDefault_contrat=قرارداد ContactDefault_facture=صورت‌حساب ContactDefault_fichinter=پادرمیانی ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=طرح ContactDefault_project_task=وظیفه ContactDefault_propal=پیشنهاد @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=برگۀ پشتیبانی ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/fa_IR/modulebuilder.lang b/htdocs/langs/fa_IR/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/fa_IR/modulebuilder.lang +++ b/htdocs/langs/fa_IR/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/fa_IR/mrp.lang b/htdocs/langs/fa_IR/mrp.lang index efeaffecdc9..667379f5436 100644 --- a/htdocs/langs/fa_IR/mrp.lang +++ b/htdocs/langs/fa_IR/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/fa_IR/orders.lang b/htdocs/langs/fa_IR/orders.lang index 10a85ab8185..c1eb5ddfe45 100644 --- a/htdocs/langs/fa_IR/orders.lang +++ b/htdocs/langs/fa_IR/orders.lang @@ -11,6 +11,7 @@ OrderDate=تاریخ سفارش OrderDateShort=تاریخ سفارش OrderToProcess=سفارش قابل پردازش NewOrder=سفارش جدید +NewOrderSupplier=New Purchase Order ToOrder=ایجاد سفارش MakeOrder=ساخت سفارش SupplierOrder=سفارش خرید @@ -25,6 +26,8 @@ OrdersToBill=سفارش‌های فروش تحویل شده OrdersInProcess=سفارش‌های فروش در حال پردازش OrdersToProcess=سفارش‌های فروش قابل پردازش SuppliersOrdersToProcess=سفارش‌های خرید قابل پردازش +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=لغو شده StatusOrderDraftShort=پیش‌نویس StatusOrderValidatedShort=تائیداعتبار شده @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=تحویل‌شده StatusOrderToBillShort=تحویل‌شده StatusOrderApprovedShort=مجاز شده StatusOrderRefusedShort=رد شده -StatusOrderBilledShort=صورت‌حساب شده StatusOrderToProcessShort=برای پردازش StatusOrderReceivedPartiallyShort=بخشی دریافت شده StatusOrderReceivedAllShort=محصولات دریافت شده @@ -50,7 +52,6 @@ StatusOrderProcessed=پردازش‌شده StatusOrderToBill=تحویل شده StatusOrderApproved=تایید شدهمجاز شده StatusOrderRefused=رد شده -StatusOrderBilled=صورت‌حساب شده StatusOrderReceivedPartially=بخشی دریافت شده StatusOrderReceivedAll=همۀ محصولات دریافت شده ShippingExist=یک حمل‌ونقل در جریان است @@ -68,8 +69,9 @@ ValidateOrder=تائیداعتبار سفارش UnvalidateOrder=عدم تائید اعتبار سفارش DeleteOrder=حذف سفارش CancelOrder=لغو سفارش -OrderReopened= سفارش %s بازگشائی شد +OrderReopened= Order %s re-open AddOrder=ساخت سفارش +AddPurchaseOrder=Create purchase order AddToDraftOrders=افزودن به سفارش پیش‌نویس ShowOrder=نمایش سفارش OrdersOpened=سفارش‌های قابل پردازش @@ -139,10 +141,10 @@ OrderByEMail=رایانامه OrderByWWW=برخط OrderByPhone=تلفن # Documents models -PDFEinsteinDescription=یک نمونۀ کامل سفارش (نشان...) -PDFEratostheneDescription=یک نمونۀ کامل سفارش (نشان...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=یک نمونۀ سادۀ سفارش -PDFProformaDescription=یک نمونۀ کامل پیش‌صورت‌حساب (نشان....) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=صدور صورت‌حساب سفارش‌ها NoOrdersToInvoice=هیچ سفارشی قابل صدور صورت‌حساب نیست CloseProcessedOrdersAutomatically=همۀ سفارش‌های انتخاب شده را "پردازش شده" طبقه‌بندی کن. @@ -152,7 +154,35 @@ OrderCreated=سفارش‌های شما ساخته شد OrderFail=یک خطا در هنگام ساخت سفارش مورد نظر شما رخ داد CreateOrders=ساخت سفارش ToBillSeveralOrderSelectCustomer=برای ساخت یک صورت‌حساب برای چند سفارش، ابتدا روی مشتری کلیک کرده و سپس گزینۀ "%s" را برگزینید -OptionToSetOrderBilledNotEnabled=از گزینۀ (از واحد گردش کار) برای تائید خودکار سفارش به شکل "صورت‌حساب‌شده" در هنگامی که "صورت‌حساب تائید شده" خاموش است استفاده کنید، بنابراین نیاز دارید که وضعیت سفارش را به شکل دستی به حالت "صورت‌حساب شده" در بیاورید. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=در صورتی‌که تائیداعتبار صورت‌حساب به "خیر" تنظیم شده باشد، سفارش تا زمان تائیداعتبار صورت‌حساب به حالت "صورت‌حساب نشده" خواهد بود. -CloseReceivedSupplierOrdersAutomatically=بستن خودکار سفارش به حالت "%s" در صورتی که همۀ محصولات دریافت شدند. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=تنظیم حالت حمل‌ونقل +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=لغو ظده +StatusSupplierOrderDraftShort=پیش‌نویس +StatusSupplierOrderValidatedShort=معتبر شد +StatusSupplierOrderSentShort=در حال پردازش +StatusSupplierOrderSent=در حال پردازش ارسال +StatusSupplierOrderOnProcessShort=سفارش‌داده‌شد +StatusSupplierOrderProcessedShort=پردازش‌شده +StatusSupplierOrderDelivered=تحویل شده +StatusSupplierOrderDeliveredShort=تحویل شده +StatusSupplierOrderToBillShort=تحویل شده +StatusSupplierOrderApprovedShort=تایید شدهمجاز شده +StatusSupplierOrderRefusedShort=رد شده +StatusSupplierOrderToProcessShort=برای پردازش +StatusSupplierOrderReceivedPartiallyShort=بخشی دریافت شده +StatusSupplierOrderReceivedAllShort=محصولات دریافت شده +StatusSupplierOrderCanceled=لغو ظده +StatusSupplierOrderDraft=پیش نویس (نیاز به تائیداعتبار) +StatusSupplierOrderValidated=معتبر شد +StatusSupplierOrderOnProcess=سفارش داده شده - در انتظار دریافت +StatusSupplierOrderOnProcessWithValidation=سفارش داده شده - در انتظار دریافت یا تائید اعتبار +StatusSupplierOrderProcessed=پردازش‌شده +StatusSupplierOrderToBill=تحویل شده +StatusSupplierOrderApproved=تایید شدهمجاز شده +StatusSupplierOrderRefused=رد شده +StatusSupplierOrderReceivedPartially=بخشی دریافت شده +StatusSupplierOrderReceivedAll=همۀ محصولات دریافت شده diff --git a/htdocs/langs/fa_IR/other.lang b/htdocs/langs/fa_IR/other.lang index 9830dbcd7f7..d00722bc209 100644 --- a/htdocs/langs/fa_IR/other.lang +++ b/htdocs/langs/fa_IR/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=مدیریت اعضای پایه DemoFundation2=مدیریت اعضا و حساب بانکی از یک پایه DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=مدیریت یک فروشگاه با یک میز نقدی -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=ایجاد شده توسط٪ s ModifiedBy=اصلاح شده توسط٪ s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=عنوان WEBSITE_DESCRIPTION=توصیف WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/fa_IR/projects.lang b/htdocs/langs/fa_IR/projects.lang index c1aa059f5b9..634ecd2df89 100644 --- a/htdocs/langs/fa_IR/projects.lang +++ b/htdocs/langs/fa_IR/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=بخش طرح‌های مربوط به من DurationEffective=مدت‌زمان مفید ProgressDeclared=پیشرفت اظهار شده TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=پیشرفت محاسبه شده @@ -249,9 +249,13 @@ TimeSpentForInvoice=زمان صرف شده OneLinePerUser=هر سطر یک کاربر ServiceToUseOnLines=خدمات برای استفاده بر سطور InvoiceGeneratedFromTimeSpent=صورت‌حساب %s بر اساس زمان صرف شده روی طرح تولید شد -ProjectBillTimeDescription=علامت بزنید در صورتی که بخواهید برگۀ زمان را بر روی وظایف طرح‌ها وارد می‌کنید و قصد دارید صورت‌حسابی از این برگۀ زمان ایجاد کنید تا از مشتری طرح مبلغ اخذ کنید. (اگر نمی‌خواهید صورت‌حسابی که مبتنی بر برگۀ زمان است ایجاد کنید، علامت نزنید). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=صورت‌حساب جدید +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/fa_IR/propal.lang b/htdocs/langs/fa_IR/propal.lang index 350a62579f7..ccfe3108814 100644 --- a/htdocs/langs/fa_IR/propal.lang +++ b/htdocs/langs/fa_IR/propal.lang @@ -28,7 +28,7 @@ ShowPropal=نمایش پیشنهاد PropalsDraft=نوعی بازی چکرز PropalsOpened=باز PropalStatusDraft=پیش نویس (نیاز به تایید می شود) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=اعتبار (پیشنهاد باز است) PropalStatusSigned=امضا (نیازهای حسابداری و مدیریت) PropalStatusNotSigned=امضا نشده (بسته شده) PropalStatusBilled=ثبت شده در صورتحساب یا لیست @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=تماس با فاکتور به مشتری TypeContact_propal_external_CUSTOMER=تماس با مشتری را در پی بالا پیشنهاد TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=یک مدل پیشنهاد کامل (logo. ..) -DocModelCyanDescription=یک مدل پیشنهاد کامل (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=ایجاد مدل پیش فرض DefaultModelPropalToBill=قالب پیش فرض هنگام بستن یک طرح کسب و کار (به صورتحساب می شود) DefaultModelPropalClosed=قالب پیش فرض هنگام بستن یک طرح کسب و کار (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/fa_IR/stocks.lang b/htdocs/langs/fa_IR/stocks.lang index 5f913095072..d7ee2d5d1b6 100644 --- a/htdocs/langs/fa_IR/stocks.lang +++ b/htdocs/langs/fa_IR/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=کد فهرست یا جابجائی IsInPackage=در یک بسته قرار گرفته است WarehouseAllowNegativeTransfer=موجودی می‌تواند منفی باشد qtyToTranferIsNotEnough=شما در انبار منبع خود موجودی کافی ندارید و تنظیمات شما اجازۀ موجودی منفی نمی‌دهد. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=نمایش انبار MovementCorrectStock=تصحیح موجودی برای محصول %s MovementTransferStock=جابجائی موجودی محصول %s به یک انبار دیگر @@ -192,6 +193,7 @@ TheoricalQty=تعداد تئوریک TheoricalValue=تعداد تئوریک LastPA=آخرین BP CurrentPA=BP فعلی +RecordedQty=Recorded Qty RealQty=تعدا واقعی RealValue=مقدار واقعی RegulatedQty=تعداد تنظیم شده diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang index d992218c698..bea266f2618 100644 --- a/htdocs/langs/fi_FI/admin.lang +++ b/htdocs/langs/fi_FI/admin.lang @@ -121,7 +121,7 @@ Destination=Kohde IdModule=Moduulin tunniste IdPermissions=Permissions ID LanguageBrowserParameter=Parametri %s -LocalisationDolibarrParameters=Localization parameters +LocalisationDolibarrParameters=Lokalisaation parametrit ClientTZ=Asiakkaan aikavyöhyke (käyttäjä) ClientHour=Asiakkaan aika (käyttäjä) OSTZ=Palvelimen aikavyöhyke @@ -519,7 +519,7 @@ Module25Desc=Asiakastilausten hallinnointi Module30Name=Laskut Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Toimittajat -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logit Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Toimitus @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke yhdentyminen Module240Name=Tietojen vienti -Module240Desc=Työkalu Dolibarr tietojen vientiin (avustuksella) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Tietojen tuonti -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Jäsenet Module310Desc=Säätiön jäsenten hallintaan Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Suorita massa tuonnin ulkoisten tiedot tietokantaan (tiedot kuorm Permission1321=Vienti asiakkaan laskut, ominaisuudet ja maksut Permission1322=Avaa uudelleen maksettu lasku Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Lue toimet (tapahtumien tai tehtävien) muiden @@ -949,7 +949,7 @@ DictionaryActions=Types of agenda events DictionarySocialContributions=Types of social or fiscal taxes DictionaryVAT=Alv DictionaryRevenueStamp=Amount of tax stamps -DictionaryPaymentConditions=Payment Terms +DictionaryPaymentConditions=Maksuehdot DictionaryPaymentModes=Payment Modes DictionaryTypeContact=Yhteystiedot tyypit DictionaryTypeOfContainer=Website - Type of website pages/containers @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Katso paikallisen sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=Luotu dump tiedosto on säilytettävä turvallisessa paikassa. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL vienti ForcedToByAModule= Tämä sääntö on pakko %s on aktivoitu moduuli PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Sinun on suoritettava tämä komento komentoriviltä jälkeen kirjautua kuori käyttäjän %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Alalla painos %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Hanki viivakoodi +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Palauta salasana luodaan mukaan sisäinen Dolibarr algoritmi: 8 merkkiä sisältävät jaettua numerot ja merkit pieniä. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-yhtiö moduulin asetukset ##### Suppliers ##### SuppliersSetup='Toimittaja' - moduulin asetukset -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Pienempi kuin LargerThan=Suurempi kuin IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/fi_FI/banks.lang b/htdocs/langs/fi_FI/banks.lang index 215f5afbe74..96ef9ff98e8 100644 --- a/htdocs/langs/fi_FI/banks.lang +++ b/htdocs/langs/fi_FI/banks.lang @@ -30,7 +30,7 @@ AllTime=Alkaen Reconciliation=Yhteensovittaminen RIB=Pankkitilin numero IBAN=IBAN-numero -BIC=BIC/SWIFT code +BIC=BIC/SWIFT-koodi\n SwiftValid=BIC/SWIFT hyväksytty SwiftVNotalid=BIC/SWIFT virheellinen IbanValid=BAN hyväksytty @@ -154,7 +154,7 @@ RejectCheck=Shekki palautunut ConfirmRejectCheck=Haluatko varmasti merkitä tämän shekin hylätyksi? RejectCheckDate=Shekin palautumispäivä CheckRejected=Shekki palautunut -CheckRejectedAndInvoicesReopened=Shekki palautunut ja lasku avautunut uudelleen +CheckRejectedAndInvoicesReopened=Check returned and invoices re-open BankAccountModelModule=Pankkitilien dokumenttimallit DocumentModelSepaMandate=Template of SEPA mandate. Useful for European countries in EEC only. DocumentModelBan=BAN tiedon sisältävä tulostusmalli @@ -169,3 +169,7 @@ FindYourSEPAMandate=This is your SEPA mandate to authorize our company to make d AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation CashControl=POS cash fence NewCashFence=New cash fence +BankColorizeMovement=Colorize movements +BankColorizeMovementDesc=If this function is enable, you can choose specific background color for debit or credit movements +BankColorizeMovementName1=Background color for debit movement +BankColorizeMovementName2=Background color for credit movement diff --git a/htdocs/langs/fi_FI/bills.lang b/htdocs/langs/fi_FI/bills.lang index 0a89ed4f16a..07e6f41a198 100644 --- a/htdocs/langs/fi_FI/bills.lang +++ b/htdocs/langs/fi_FI/bills.lang @@ -54,7 +54,7 @@ InvoiceCustomer=Asiakkaan lasku CustomerInvoice=Asiakas lasku CustomersInvoices=Asiakkaiden laskut SupplierInvoice=Vendor invoice -SuppliersInvoices=Vendors invoices +SuppliersInvoices=Toimittajien laskut SupplierBill=Vendor invoice SupplierBills=tavarantoimittajien laskut Payment=Maksu @@ -88,8 +88,8 @@ CodePaymentMode=Payment Type (code) LabelPaymentMode=Payment Type (label) PaymentModeShort=Payment Type PaymentTerm=Payment Term -PaymentConditions=Payment Terms -PaymentConditionsShort=Payment Terms +PaymentConditions=Maksuehdot +PaymentConditionsShort=Maksuehdot PaymentAmount=Maksusumma PaymentHigherThanReminderToPay=Maksu korkeampi kuin muistutus maksaa HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. @@ -267,7 +267,7 @@ ClassifyBill=Luokittele lasku SupplierBillsToPay=Unpaid vendor invoices CustomerBillsUnpaid=Asiakkaiden maksamattomat laskut NonPercuRecuperable=Ei-korvattaviksi -SetConditions=Set Payment Terms +SetConditions=Aseta maksuehdot SetMode=Set Payment Type SetRevenuStamp=Set revenue stamp Billed=Laskutetun @@ -397,11 +397,11 @@ PaymentConditionRECEP=Due Upon Receipt PaymentConditionShort30D=30 päivää PaymentCondition30D=30 päivää PaymentConditionShort30DENDMONTH=30 days of month-end -PaymentCondition30DENDMONTH=Within 30 days following the end of the month +PaymentCondition30DENDMONTH=30 päivää kuun loputtua PaymentConditionShort60D=60 päivää PaymentCondition60D=60 päivää PaymentConditionShort60DENDMONTH=60 days of month-end -PaymentCondition60DENDMONTH=Within 60 days following the end of the month +PaymentCondition60DENDMONTH=60 päivää kuun loputtua PaymentConditionShortPT_DELIVERY=Toimitus PaymentConditionPT_DELIVERY=Toimituksen PaymentConditionShortPT_ORDER=Tilata @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 päivää PaymentCondition14D=14 päivää PaymentConditionShort14DENDMONTH=14 päivää kuun lopusta PaymentCondition14DENDMONTH=14 päivää kuun loputtua -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -444,10 +444,10 @@ DeskCode=Branch code BankAccountNumber=Tilinumero BankAccountNumberKey=Checksum Residence=Osoite -IBANNumber=IBAN account number +IBANNumber=IBAN-tilinumero IBAN=IBAN BIC=BIC / SWIFT -BICNumber=BIC/SWIFT code +BICNumber=BIC/SWIFT-koodi ExtraInfos=Extra infos RegulatedOn=Säännellään ChequeNumber=Cheque N @@ -465,7 +465,7 @@ IntracommunityVATNumber=Intra-Community VAT ID PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to SendTo=lähetettiin -PaymentByTransferOnThisBankAccount=Payment by transfer to the following bank account +PaymentByTransferOnThisBankAccount=Maksaessa käytettävä seuraavia tilitietoja VATIsNotUsedForInvoice=* Ei sovelleta alv taide-293B CGI LawApplicationPart1=Soveltamalla lain 80.335 tehty 12/05/80 LawApplicationPart2=tavaroiden omistusoikeus säilyy @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Laskun malli Crabe. Täydellinen laskun malli (Tuki alv vaihtoehto, alennukset, maksut edellytykset, logo, jne. ..) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/fi_FI/categories.lang b/htdocs/langs/fi_FI/categories.lang index 5ea4ad935af..944fa19570d 100644 --- a/htdocs/langs/fi_FI/categories.lang +++ b/htdocs/langs/fi_FI/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Tämä kategoria ei sisällä mitään tuotetta. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Tämä kategoria ei sisällä asiakkaalle. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/fi_FI/companies.lang b/htdocs/langs/fi_FI/companies.lang index 6c8846fa9ab..6bcc497776c 100644 --- a/htdocs/langs/fi_FI/companies.lang +++ b/htdocs/langs/fi_FI/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Professori Id 1 (OGRN) ProfId2RU=Professori Id 2 (INN) ProfId3RU=Professori Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Omat yhteystiedot Capital=Pääoma CapitalOf=%s:n pääoma EditCompany=Muokkaa yritystä -ThisUserIsNot=Käyttäjä ei ole mahdollinen asiakas, asiakas eikä toimittaja +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Shekki VATIntraCheckDesc=ALV-tunnuksen täytyy sisältää maatunnus. Linkki %s käyttää European VAT checker service (VIES)  - palvelua ja tarvii internet-yhteyden Dolibarr-palvelimeen VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Liitä myyntiedustajaan Organization=Organisaatio FiscalYearInformation=Tilikausi FiscalMonthStart=Tilikauden aloituskuukausi +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=Voidaksesi lisätä sähköposti muistutukset, täytyy ensin täyttää yhteystiedot sidosryhmän oikealla sähköpostiosoitteella ListSuppliersShort=Toimittajaluettelo diff --git a/htdocs/langs/fi_FI/compta.lang b/htdocs/langs/fi_FI/compta.lang index 8c819741ae7..2861fa1df06 100644 --- a/htdocs/langs/fi_FI/compta.lang +++ b/htdocs/langs/fi_FI/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF ostot LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=Alv -ToPay=Maksaa +StatusToPay=Maksaa SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Näytä arvonlisäveron maksaminen TotalToPay=Yhteensä maksaa BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Tilinumero @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/fi_FI/dict.lang b/htdocs/langs/fi_FI/dict.lang index 62c7c4568c8..ee3e6c5e049 100644 --- a/htdocs/langs/fi_FI/dict.lang +++ b/htdocs/langs/fi_FI/dict.lang @@ -255,14 +255,14 @@ CivilityMLE=Nti CivilityMTRE=Mestari CivilityDR=Tohtori ##### Currencies ##### -Currencyeuros=Euroa +Currencyeuros=EUR CurrencyAUD=Australian dollaria CurrencySingAUD=Australian dollari CurrencyCAD=Kanadan dollaria CurrencySingCAD=Kanadan dollari CurrencyCHF=Sveitsin frangia CurrencySingCHF=Sveitsin frangi -CurrencyEUR=Euroa +CurrencyEUR=EUR CurrencySingEUR=Euro CurrencyFRF=Ranskan frangia CurrencySingFRF=Ranskan frangi diff --git a/htdocs/langs/fi_FI/errors.lang b/htdocs/langs/fi_FI/errors.lang index 393d2fa7c79..e30bc363ffc 100644 --- a/htdocs/langs/fi_FI/errors.lang +++ b/htdocs/langs/fi_FI/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Käyttäjälle sisäänkirjoittautumissivuksesi %s%s
cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Käyttäjätili %s käyttää myös toteuttaa web-palvelimella ei ole lupaa, että ErrorNoActivatedBarcode=Ei viivakoodin tyyppi aktivoitu @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/fi_FI/holiday.lang b/htdocs/langs/fi_FI/holiday.lang index 3454a7cfc0a..2eb38402722 100644 --- a/htdocs/langs/fi_FI/holiday.lang +++ b/htdocs/langs/fi_FI/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Muokkaa diff --git a/htdocs/langs/fi_FI/install.lang b/htdocs/langs/fi_FI/install.lang index 2b99937983b..9f68ba63493 100644 --- a/htdocs/langs/fi_FI/install.lang +++ b/htdocs/langs/fi_FI/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Sinun PHP max istuntojakson muisti on asetettu %s. Tämän pitäisi olla tarpeeksi. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Sinun PHP asennuksesi ei tue Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Hakemiston %s ei ole olemassa. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Olet ehkä kirjoittanut väärän arvon parametri ' %s'. diff --git a/htdocs/langs/fi_FI/mails.lang b/htdocs/langs/fi_FI/mails.lang index ecbc328fca9..77d9cde2195 100644 --- a/htdocs/langs/fi_FI/mails.lang +++ b/htdocs/langs/fi_FI/mails.lang @@ -5,9 +5,9 @@ EMailings=EMailings AllEMailings=Kaikki eMailings MailCard=Sähköpostituksen kortti MailRecipients=Vastaanottajat -MailRecipient=Edunsaajavaltiot +MailRecipient=Vastaanottaja MailTitle=Otsikko -MailFrom=Sender +MailFrom=Lähettäjä MailErrorsTo=Virheiden MailReply=Vastaa MailTo=Vastaanotin (s) diff --git a/htdocs/langs/fi_FI/main.lang b/htdocs/langs/fi_FI/main.lang index de014a54414..d628208b49d 100644 --- a/htdocs/langs/fi_FI/main.lang +++ b/htdocs/langs/fi_FI/main.lang @@ -469,9 +469,9 @@ Generate=Luo Duration=Kesto TotalDuration=Kokonaiskesto Summary=Yhteenveto -DolibarrStateBoard=Database Statistics +DolibarrStateBoard=Tietokannan tilastot DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=Ei avattuja elementtejä prosessissa +NoOpenedElementToProcess=No open element to process Available=Saatavissa NotYetAvailable=Ei vielä saatavilla NotAvailable=Ei saatavilla @@ -604,7 +604,7 @@ File=Tiedosto Files=Tiedostot NotAllowed=Ei sallittu ReadPermissionNotAllowed=Lukuoikeutta ei sallita -AmountInCurrency=Määrä %s valuutassa +AmountInCurrency=Summa %s valuutassa Example=Esimerkki Examples=Esimerkkejä NoExample=Ei esimerkkiä @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Sopimus ContactDefault_facture=Lasku ContactDefault_fichinter=Väliintulo ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Hanke ContactDefault_project_task=Tehtävä ContactDefault_propal=Tarjous @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/fi_FI/modulebuilder.lang b/htdocs/langs/fi_FI/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/fi_FI/modulebuilder.lang +++ b/htdocs/langs/fi_FI/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/fi_FI/mrp.lang b/htdocs/langs/fi_FI/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/fi_FI/mrp.lang +++ b/htdocs/langs/fi_FI/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/fi_FI/orders.lang b/htdocs/langs/fi_FI/orders.lang index 60729ec61c6..5ef662396c9 100644 --- a/htdocs/langs/fi_FI/orders.lang +++ b/htdocs/langs/fi_FI/orders.lang @@ -69,7 +69,7 @@ ValidateOrder=Hyväksy tilaus UnvalidateOrder=Käsittele tilaus uudestaan DeleteOrder=Poista tilaus CancelOrder=Peruuta tilaus -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Luo tilaus AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order @@ -141,10 +141,10 @@ OrderByEMail=Sähköposti OrderByWWW=Online OrderByPhone=Puhelin # Documents models -PDFEinsteinDescription=Täydellinen tilausmalli (logo. ..) -PDFEratostheneDescription=Täydellinen tilausmalli (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Yksinkertainen tilausmalli -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Laskuta tilaukset NoOrdersToInvoice=Yhtään tilausta ei ole laskutettavaksi CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. diff --git a/htdocs/langs/fi_FI/other.lang b/htdocs/langs/fi_FI/other.lang index 5c99ae53ea1..c1216ac5e34 100644 --- a/htdocs/langs/fi_FI/other.lang +++ b/htdocs/langs/fi_FI/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Hallitse jäseniä säätiön DemoFundation2=Jäsenten hallinta ja pankkitilille säätiön DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Hallinnoi liikkeen kanssa kassa -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Muuttanut %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Titteli WEBSITE_DESCRIPTION=Kuvaus WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/fi_FI/projects.lang b/htdocs/langs/fi_FI/projects.lang index 37813423c8c..898412d3a9c 100644 --- a/htdocs/langs/fi_FI/projects.lang +++ b/htdocs/langs/fi_FI/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Todellisen keston ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Käytetty aika OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Uusi lasku +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/fi_FI/propal.lang b/htdocs/langs/fi_FI/propal.lang index 48102450e0e..48db8d9bf4b 100644 --- a/htdocs/langs/fi_FI/propal.lang +++ b/htdocs/langs/fi_FI/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Näytä tarjous PropalsDraft=Drafts PropalsOpened=Avoinna PropalStatusDraft=Luonnos (on vahvistettu) -PropalStatusValidated=Vahvistettu (tarjous on avattu) +PropalStatusValidated=Validoidut (ehdotus on avattu) PropalStatusSigned=Allekirjoitettu (laskuttaa) PropalStatusNotSigned=Ei ole kirjautunut (suljettu) PropalStatusBilled=Laskutetun @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Asiakkaan lasku yhteystiedot TypeContact_propal_external_CUSTOMER=Asiakkaan yhteystiedot tarjouksen seurantaan TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Kokonainen tarjouspohja (logo...) -DocModelCyanDescription=Kokonainen tarjouspohja (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Oletusmallin luonti DefaultModelPropalToBill=Oletus pohja suljettavalle tarjoukselle (laskutukseen) DefaultModelPropalClosed=Oletus pohja suljettavalla tarjoukselle (laskuttamaton) ProposalCustomerSignature=Kirjallinen hyväksyntä, päivämäärä ja allekirjoitus ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/fi_FI/sendings.lang b/htdocs/langs/fi_FI/sendings.lang index 333c5fb1a48..ef331aaf20a 100644 --- a/htdocs/langs/fi_FI/sendings.lang +++ b/htdocs/langs/fi_FI/sendings.lang @@ -36,7 +36,7 @@ StatusSendingProcessed=Jalostettu StatusSendingDraftShort=Vedos StatusSendingValidatedShort=Validoidut StatusSendingProcessedShort=Jalostettu -SendingSheet=Shipment sheet +SendingSheet=Lähetyslista ConfirmDeleteSending=Are you sure you want to delete this shipment? ConfirmValidateSending=Are you sure you want to validate this shipment with reference %s? ConfirmCancelSending=Are you sure you want to cancel this shipment? @@ -59,7 +59,7 @@ ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders ProductQtyInShipmentAlreadySent=Product quantity from open sales order already sent ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received NoProductToShipFoundIntoStock=No product to ship found in warehouse %s. Correct stock or go back to choose another warehouse. -WeightVolShort=Weight/Vol. +WeightVolShort=Til./paino ValidateOrderFirstBeforeShipment=You must first validate the order before being able to make shipments. # Sending methods diff --git a/htdocs/langs/fi_FI/stocks.lang b/htdocs/langs/fi_FI/stocks.lang index 59c4e05d4d1..1f16f7662b0 100644 --- a/htdocs/langs/fi_FI/stocks.lang +++ b/htdocs/langs/fi_FI/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Näytä varasto MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/fr_BE/admin.lang b/htdocs/langs/fr_BE/admin.lang index 45352a47b83..8ba2e658bdb 100644 --- a/htdocs/langs/fr_BE/admin.lang +++ b/htdocs/langs/fr_BE/admin.lang @@ -18,3 +18,4 @@ Module20Name=Propales Module30Name=Factures Target=Objectif OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_BE/main.lang b/htdocs/langs/fr_BE/main.lang index 7cb746c677e..3042af1642f 100644 --- a/htdocs/langs/fr_BE/main.lang +++ b/htdocs/langs/fr_BE/main.lang @@ -27,4 +27,3 @@ Discount=Ristourne Unknown=Inconnue Check=Chèque ValidatePayment=Valider paiement -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang index 7250f7564af..a3ecbf32f06 100644 --- a/htdocs/langs/fr_CA/admin.lang +++ b/htdocs/langs/fr_CA/admin.lang @@ -12,6 +12,7 @@ FilesUpdated=Mettre à jour les fichiers FileCheckDolibarr=Vérifier l'intégrité des fichiers d'application XmlNotFound=Xml Integrity Fichier de l'application introuvable ConfirmPurgeSessions=Voulez-vous vraiment purger toutes les sessions? Cela déconnectera tous les utilisateurs (sauf vous). +DBSortingCharset=Encodage base pour tri données ClientCharset=Encodage Client SetupArea=Paramétrage UploadNewTemplate=Télécharger un nouveau modèle (s) @@ -248,3 +249,4 @@ BaseCurrency=Monnaie de référence de la société (entrer dans la configuratio FormatZip=Code postal OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. UseSearchToSelectResource=Utilisez un formulaire de recherche pour choisir une ressource (plutôt qu'une liste déroulante). +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/fr_CA/categories.lang b/htdocs/langs/fr_CA/categories.lang index 99dee19ee08..ddd510a52e0 100644 --- a/htdocs/langs/fr_CA/categories.lang +++ b/htdocs/langs/fr_CA/categories.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - categories +Rubriques=Tags/Catégories RubriquesTransactions=Tags / Catégories de transactions MembersCategoriesArea=Espace tags/catégories de membres AccountsCategoriesArea=Étiquettes / catégories de comptes diff --git a/htdocs/langs/fr_CA/companies.lang b/htdocs/langs/fr_CA/companies.lang index 2e9746ff953..55f15ff7270 100644 --- a/htdocs/langs/fr_CA/companies.lang +++ b/htdocs/langs/fr_CA/companies.lang @@ -14,6 +14,9 @@ LocalTax1IsUsed=Assujeti à la TVQ LocalTax2IsUsed=Assujeti à une troisième taxe ProfId6Short=TVQ ProfId6=TVQ +ProfId1MX=Id. Prof. 1 (R.F.C). +ProfId2MX=ID. Prof. 2 (R..P. IMSS) +ProfId3MX=Id. Prof. 3 (Charte Profesionnelle) CompanyHasNoAbsoluteDiscount=Ce client n'a pas ou plus de remise fixe disponible ContactId=ID de contact FromContactName=Prénom: diff --git a/htdocs/langs/fr_CA/compta.lang b/htdocs/langs/fr_CA/compta.lang index 643bc51b0c1..d90041a728d 100644 --- a/htdocs/langs/fr_CA/compta.lang +++ b/htdocs/langs/fr_CA/compta.lang @@ -53,6 +53,7 @@ LT1ReportByQuartersES=Rapport par taux de RE (TVQ) RulesVATInServices=- Pour les services, le rapport inclut les TVA TAXES) des règlements effectivement reçus ou émis en se basant sur la date du règlement. RulesVATDueServices=- Pour les services, le rapport inclut les TVA TAXES) des factures dues, payées ou non en se basant sur la date de facture. WarningDepositsNotIncluded=Les factures de acompte ne sont pas incluses dans cette version avec ce module de comptabilité. +DatePaymentTermCantBeLowerThanObjectDate=La date limite de règlement ne peut être inférieure à la date de l'object Pcg_version=Modèles de plan comptable ToCreateAPredefinedInvoice=Pour créer une facture de modèle, créez une facture standard, puis, sans la valider, cliquez sur le bouton "%s". CalculationRuleDesc=Pour calculer le total de TPS/TVH, il existe 2 modes:
Le mode 1 consiste à arrondir la TPS/TVH de chaque ligne et à sommer cet arrondi.
Le mode 2 consiste à sommer la TPS/TVH de chaque ligne puis à l'arrondir.
Les résultats peuvent différer de quelques centimes. Le mode par défaut est le mode %s. diff --git a/htdocs/langs/fr_CA/main.lang b/htdocs/langs/fr_CA/main.lang index 7f5e00095b5..212af6e5318 100644 --- a/htdocs/langs/fr_CA/main.lang +++ b/htdocs/langs/fr_CA/main.lang @@ -143,4 +143,3 @@ SearchIntoCustomerShipments=Envois clients SearchIntoExpenseReports=Note de frais AssignedTo=Affecté à ToProcess=Procéder -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/fr_CA/orders.lang b/htdocs/langs/fr_CA/orders.lang index e32f404db31..d94775f771e 100644 --- a/htdocs/langs/fr_CA/orders.lang +++ b/htdocs/langs/fr_CA/orders.lang @@ -34,7 +34,6 @@ Approve2Order=Approuver l'ordre (deuxième niveau) ValidateOrder=Valider l'ordre UnvalidateOrder=Ordre non valide DeleteOrder=Supprimer l'ordre -OrderReopened=Commande %s Réouverture AddOrder=Créer un ordre AddToDraftOrders=Ajouter au projet d'ordre ShowOrder=Afficher l'ordre @@ -69,9 +68,7 @@ TypeContact_commande_external_CUSTOMER=Ordre de suivi du contact client TypeContact_order_supplier_internal_SHIPPING=Expédition complémentaire représentative Error_OrderNotChecked=Aucun ordre de facturation sélectionné OrderByFax=Télécopie -PDFEinsteinDescription=Un modèle de commande complet (logo ...) PDFEdisonDescription=Un modèle d'ordre simple -PDFProformaDescription=Une facture proforma complète (logo ...) CreateInvoiceForThisCustomer=Commandes de factures NoOrdersToInvoice=Aucun ordre pouvant être facturé CloseProcessedOrdersAutomatically=Classifiez "Traiter" toutes les commandes sélectionnées. @@ -80,5 +77,15 @@ OrderCreated=Vos commandes ont été créées OrderFail=Une erreur est survenue lors de la création de votre commande CreateOrders=Créer des commandes ToBillSeveralOrderSelectCustomer=Pour créer une facture pour plusieurs commandes, cliquez d'abord sur le client, puis choisissez "%s". -CloseReceivedSupplierOrdersAutomatically=Fermez l'ordre à "%s" automatiquement si tous les produits sont reçus. SetShippingMode=Définir le mode d'expédition +StatusSupplierOrderValidatedShort=Validée +StatusSupplierOrderDelivered=Livré +StatusSupplierOrderDeliveredShort=Livré +StatusSupplierOrderToBillShort=Livré +StatusSupplierOrderApprovedShort=Approuver +StatusSupplierOrderToProcessShort=Procéder +StatusSupplierOrderReceivedPartiallyShort=Partiellement reçu +StatusSupplierOrderValidated=Validée +StatusSupplierOrderToBill=Livré +StatusSupplierOrderApproved=Approuver +StatusSupplierOrderReceivedPartially=Partiellement reçu diff --git a/htdocs/langs/fr_CA/other.lang b/htdocs/langs/fr_CA/other.lang index e7fcd18962a..ba425feb946 100644 --- a/htdocs/langs/fr_CA/other.lang +++ b/htdocs/langs/fr_CA/other.lang @@ -38,7 +38,6 @@ DemoFundation=Gérer les membres d'une fondation DemoFundation2=Gérer les membres et le compte bancaire d'une fondation DemoCompanyServiceOnly=Société ou service de vente indépendant uniquement DemoCompanyShopWithCashDesk=Gérer un magasin avec une caisse -DemoCompanyProductAndStocks=Société vendant des produits avec un magasin DemoCompanyAll=Entreprise avec plusieurs activités (tous les modules principaux) ValidatedBy=Valider par %s ClosedBy=Fermé par %s diff --git a/htdocs/langs/fr_CA/propal.lang b/htdocs/langs/fr_CA/propal.lang index cafdb6a4740..50d06c795c8 100644 --- a/htdocs/langs/fr_CA/propal.lang +++ b/htdocs/langs/fr_CA/propal.lang @@ -12,7 +12,6 @@ SearchAProposal=Rechercher une proposition NoProposal=Pas de propositions ProposalsStatistics=Statistiques de la proposition commerciale PropalsOpened=Ouverte -PropalStatusValidated=Validé (la proposition est ouverte) PropalStatusNotSigned=Non signée (close) PropalsToClose=Propositions commerciales à clôturer ListOfProposals=Liste des propositions commerciales @@ -37,6 +36,5 @@ AvailabilityTypeAV_NOW=Immédiatement TypeContact_propal_internal_SALESREPFOLL=Proposition de suivi représentative TypeContact_propal_external_BILLING=Contact client facturation TypeContact_propal_external_CUSTOMER=Proposition de suivi du contact client -DocModelAzurDescription=Un modèle complet de proposition (logo ...) DefaultModelPropalCreate=Création de modèle par défaut DefaultModelPropalClosed=Modèle par défaut lors de la clôture d'une proposition commerciale (non facturé) diff --git a/htdocs/langs/fr_CH/main.lang b/htdocs/langs/fr_CH/main.lang index 9a8c8013f21..65f49b2ef5e 100644 --- a/htdocs/langs/fr_CH/main.lang +++ b/htdocs/langs/fr_CH/main.lang @@ -19,4 +19,3 @@ FormatDateHourShort=%d/%m/%Y %I:%M %p FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%d %b %Y, %I:%M %p FormatDateHourText=%d %B %Y, %I:%M %p -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/fr_FR/admin.lang b/htdocs/langs/fr_FR/admin.lang index 4e009544161..052f77a365e 100644 --- a/htdocs/langs/fr_FR/admin.lang +++ b/htdocs/langs/fr_FR/admin.lang @@ -39,7 +39,7 @@ Sessions=Sessions utilisateurs WebUserGroup=Utilisateur/groupe du serveur Web 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 +DBSortingCharset=Encodage base pour tri des données 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. @@ -519,7 +519,7 @@ Module25Desc=Gestion des commandes clients Module30Name=Factures et avoirs Module30Desc=Gestion des factures et avoirs clients. Gestion des factures et avoirs fournisseurs Module40Name=Fournisseurs -Module40Desc=Gestion des fournisseurs et des achats (commandes et factures fournisseurs) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Journaux et traces de Debug Module42Desc=Systèmes de logs ( fichier, syslog,... ). De tels logs ont un but technique / de débogage. Module49Name=Éditeurs @@ -878,7 +878,7 @@ Permission1251=Lancer des importations en masse dans la base (chargement de donn Permission1321=Exporter les factures clients, attributs et règlements Permission1322=Rouvrir une facture payée Permission1421=Exporter les commandes clients et attributs -Permission2401=Lire les actions (événements ou tâches) liées à son compte (si propriétaire de l’événement) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Créer/modifier des actions (événements ou tâches) liées à son compte utilisateur (si propriétaire de l'événement) Permission2403=Supprimer des actions (événements ou tâches) liées à son compte utilisateur (si propriétaire de l'événement) Permission2411=Lire les actions (événements ou tâches) des autres @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Aucun événement d'audit de sécurité n'a été enregist NoEventFoundWithCriteria=Aucun événement d'audit de sécurité trouvé avec ces critères de recherche. SeeLocalSendMailSetup=Voir la configuration locale de sendmail BackupDesc=Une sauvegarde complète d'une installation Dolibarr nécessite deux étapes. -BackupDesc2=Sauvegardez le contenu du répertoire document (%s) qui contient tous les fichiers envoyés et générés. Par conséquent il contient également les fichiers dump générés à l'étape 1. +BackupDesc2=Sauvegardez le contenu du répertoire document (%s) qui contient tous les fichiers envoyés et générés. Cela inclura également tous les fichiers dump générés à l'étape 1. Cette opération peut durer plusieurs minutes BackupDesc3=Sauvez le contenu de votre base de données (%s) dans un fichier "dump". Pour cela vous pouvez utiliser l'assistant ci-dessous. BackupDescX=Le répertoire archivé devra être placé en lieu sûr. BackupDescY=Le fichier « dump » généré devra être placé en lieu sûr. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restaurez les données, depuis le fichier "dump" de sauvegarde, dan RestoreMySQL=Importation MySQL ForcedToByAModule= Cette règle est forcée à %s par un des modules activés PreviousDumpFiles=Fichiers de sauvegarde de base de données existant +PreviousArchiveFiles=Fichiers d'archive existants WeekStartOnDay=Premier jour de la semaine RunningUpdateProcessMayBeRequired=Le lancement du processus de mise à jour semble requis (La version des programmes %s diffère de la version de la base %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Vous devez exécuter la commande sous un terminal après vous être identifié avec le compte %s ou ajouter -W à la fin de la commande pour fournir le mot de passe de %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Demander la méthode d'expédition préférée pou FieldEdition=Édition du champ %s FillThisOnlyIfRequired=Exemple: +2 (ne remplir que si un décalage d'heure est constaté dans l'export) GetBarCode=Récupérer code barre +NumberingModules=Modèles de numérotation ##### Module password generation PasswordGenerationStandard=Renvoie un mot de passe généré selon l'algorithme interne de Dolibarr : 8 caractères, chiffres et caractères en minuscules mélangés. PasswordGenerationNone=Ne pas suggérer un mot de passe généré. Le mot de passe doit être entré manuellement. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Module de numérotation des bordereaux de remises MultiCompanySetup=Configuration du module Multi-société ##### Suppliers ##### SuppliersSetup=Configuration du module Fournisseurs -SuppliersCommandModel=Modèle de commandes fournisseur complet (logo…) -SuppliersInvoiceModel=Modèle de factures fournisseur complet (logo…) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Modèles de numérotation des factures fournisseur IfSetToYesDontForgetPermission=Si positionné sur une valeur non nulle, n'oubliez pas de donner les permissions aux groupes ou utilisateurs qui auront le droit de cette seconde approbation. ##### GeoIPMaxmind ##### @@ -1764,7 +1767,8 @@ ListOfFixedNotifications=Liste des notifications emails fixes GoOntoUserCardToAddMore=Allez dans l'onglet "Notifications" d'un utilisateur pour ajouter ou supprimer des notifications pour les utilisateurs GoOntoContactCardToAddMore=Rendez-vous sur l'onglet "Notifications" d'un tiers pour ajouter ou enlever les notifications pour les contacts/adresses Threshold=Seuil -BackupDumpWizard=Assistant de génération d'un fichier de sauvegarde de la base de données +BackupDumpWizard=Assistant pour créer le fichier dump de la base de données +BackupZipWizard=Assistant pour générer l'archive du répertoire documents SomethingMakeInstallFromWebNotPossible=L'installation de module externe est impossible depuis l'interface web pour la raison suivante : SomethingMakeInstallFromWebNotPossible2=Pour cette raison, le processus de mise à jour décrit ici est une processus manuel que seul un utilisateur ayant des droits privilégiés peut réaliser. InstallModuleFromWebHasBeenDisabledByFile=L'installation de module externe depuis l'application a été désactivé par l'administrator. Vous devez lui demander de supprimer le fichier %s pour permettre cette fonctionnalité. @@ -1914,7 +1918,7 @@ WithoutDolTrackingID=Référence Dolibarr non trouvée dans l'ID du message FormatZip=Zip MainMenuCode=Code d'entrée du menu (mainmenu) ECMAutoTree=Afficher l'arborescence GED automatique -OperationParamDesc=Définissez les valeurs à utiliser pour l'action, ou comment extraire les valeurs. Par exemple:
objproperty1 = SET:abc
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4 = EXTRACT: HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty4=EXTRACT:BODY:My company name is\\s([^\\s]*)

Utilisez un charactère ; comme séparateur pour extraire ou définir plusieurs propriétés. +OperationParamDesc=Définissez les valeurs à utiliser pour l'action, ou comment extraire les valeurs. Par exemple:
objproperty1 = SET:abc
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4 = EXTRACT: HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Utilisez un charactère ; comme séparateur pour extraire ou définir plusieurs propriétés. OpeningHours=Heures d'ouverture OpeningHoursDesc=Entrez ici les heures d'ouverture régulières de votre entreprise. ResourceSetup=Configuration du module Ressource @@ -1953,6 +1957,8 @@ SmallerThan=Plus petit que LargerThan=Plus grand que IfTrackingIDFoundEventWillBeLinked=Notez que si un ID de suivi est trouvé dans le courrier électronique entrant, l'événement sera automatiquement lié aux bons objets. WithGMailYouCanCreateADedicatedPassword=Avec un compte GMail, si vous avez activé la validation en 2 étapes, il est recommandé de créer un deuxième mot de passe dédié à l'application, au lieu d'utiliser votre propre mot de passe de compte, à partir de https://myaccount.google.com/. +EmailCollectorTargetDir=Il peut être souhaitable de déplacer l'e-mail dans un autre tag/répertoire lorsqu'il a été traité avec succès. Définissez simplement une valeur ici pour utiliser cette fonction. Notez que vous devez également utiliser un compte de connexion en lecture/écriture. +EmailCollectorLoadThirdPartyHelp=Vous pouvez utiliser cette action pour utiliser le contenu de l'e-mail pour rechercher et charger un tiers existant dans votre base de données. Le tiers trouvé (ou créé) sera utilisée pour les actions suivantes qui en ont besoin. Dans le champ 'Paramètre', vous pouvez utiliser par exemple 'EXTRACT: BODY:Name:\\s([^\\s]*)' si vous souhaitez extraire le nom du tiers d'une chaîne 'Name: nom du tiers' trouvé dans le corps du message. EndPointFor=Endpoint pour %s: %s DeleteEmailCollector=Supprimer le collecteur d'email ConfirmDeleteEmailCollector=Êtes-vous sûr de vouloir supprimer ce collecteur d'email ? diff --git a/htdocs/langs/fr_FR/bills.lang b/htdocs/langs/fr_FR/bills.lang index de36a41f81c..bdfe3722111 100644 --- a/htdocs/langs/fr_FR/bills.lang +++ b/htdocs/langs/fr_FR/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 jours PaymentCondition14D=14 jours PaymentConditionShort14DENDMONTH=14 jours fin de mois PaymentCondition14DENDMONTH=Sous 14 jours suivant la fin du mois -FixAmount=Montant Fixe +FixAmount=Montant Fixe - 1 ligne avec le libellé '%s' VarAmount=Montant variable (%% tot.) VarAmountOneLine=Montant variable (%% tot.) - 1 ligne avec le libellé '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Timbre fiscal YouMustCreateInvoiceFromThird=Cette option est disponible uniquement lors de la création de factures depuis l'onglet "client" du tiers YouMustCreateInvoiceFromSupplierThird=Cette option est disponible uniquement lors de la création d'une facture depuis l'onglet "fournisseur" d'un tiers YouMustCreateStandardInvoiceFirstDesc=Pour créer une facture modèle, vous devez d'abord créer une facture standard brouillon et la convertir en modèle. -PDFCrabeDescription=Modèle de facture PDF complet (modèle recommandé par défaut) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Modèle de facture PDF Sponge. Un modèle de facture complet PDFCrevetteDescription=Modèle de facture PDF Crevette (modèle complet pour les factures de situation) TerreNumRefModelDesc1=Renvoie le numéro sous la forme %syymm-nnnn pour les factures et factures de remplacement, %syymm-nnnn pour les avoirs et %syymm-nnnn pour les acomptes où yy est l'année, mm le mois et nnnn un compteur séquentiel sans rupture et sans remise à 0 diff --git a/htdocs/langs/fr_FR/categories.lang b/htdocs/langs/fr_FR/categories.lang index 529cf0163a6..147c0086272 100644 --- a/htdocs/langs/fr_FR/categories.lang +++ b/htdocs/langs/fr_FR/categories.lang @@ -90,4 +90,5 @@ ShowCategory=Afficher tag/catégorie ByDefaultInList=Par défaut dans la liste ChooseCategory=Choisissez une catégorie StocksCategoriesArea=Espace Catégories d'entrepôts +ActionCommCategoriesArea=Espace catégories d'événements UseOrOperatorForCategories=Utiliser l'opérateur 'ou' pour les catégories diff --git a/htdocs/langs/fr_FR/companies.lang b/htdocs/langs/fr_FR/companies.lang index 6285e555970..9945859c16b 100644 --- a/htdocs/langs/fr_FR/companies.lang +++ b/htdocs/langs/fr_FR/companies.lang @@ -211,9 +211,9 @@ ProfId3MA=Id. prof. 3 (I.F.) ProfId4MA=Id. prof. 4 (C.N.S.S.) ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- -ProfId1MX=Id. Prof. 1 (R.F.C). -ProfId2MX=ID. Prof. 2 (R..P. IMSS) -ProfId3MX=Id. Prof. 3 (Charte Profesionnelle) +ProfId1MX=Id. prof. 1 (R.F.C). +ProfId2MX=ID. prof. 2 (R..P. IMSS) +ProfId3MX=Id. prof. 3 (Charte Professionnelle) ProfId4MX=- ProfId5MX=- ProfId6MX=- @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Id. prof. 1 (CUI) +ProfId2RO=Id. prof. 2 (Nr. Înmatriculare) +ProfId3RO=Id. prof. 3 (CAEN) +ProfId4RO=- +ProfId5RO=Id prof 5 (EUID) +ProfId6RO=- ProfId1RU=Id. prof.1 (OGRN) ProfId2RU=Id. prof.2 (INN) ProfId3RU=Id. prof.3 (KPP) @@ -406,6 +412,13 @@ AllocateCommercial=Affecter un commercial Organization=Organisme FiscalYearInformation=Exercice fiscal FiscalMonthStart=Mois de début d'exercice +SocialNetworksInformation=Réseaux sociaux +SocialNetworksFacebookURL=URL Facebook +SocialNetworksTwitterURL=URL Twitter +SocialNetworksLinkedinURL=URL Linkedin +SocialNetworksInstagramURL=URL Instagram +SocialNetworksYoutubeURL=URL Youtube +SocialNetworksGithubURL=URL Github YouMustAssignUserMailFirst=Vous devez définir un email pour cet utilisateur avant de pouvoir ajouter une notification par courrier électronique. YouMustCreateContactFirst=Pour pouvoir ajouter une notifications par mail,vous devez déjà définir des contacts valides pour le tiers ListSuppliersShort=Liste des fournisseurs diff --git a/htdocs/langs/fr_FR/compta.lang b/htdocs/langs/fr_FR/compta.lang index 7732a9c8dca..8252a1cb29f 100644 --- a/htdocs/langs/fr_FR/compta.lang +++ b/htdocs/langs/fr_FR/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Par taux de TVA TurnoverbyVatrate=Chiffre d'affaire facturé par taux de TVA TurnoverCollectedbyVatrate=Chiffre d'affaires encaissé par taux de TVA PurchasebyVatrate=Achat par taux de TVA +LabelToShow=Libellé court diff --git a/htdocs/langs/fr_FR/errors.lang b/htdocs/langs/fr_FR/errors.lang index 3d8652a991c..1142524115c 100644 --- a/htdocs/langs/fr_FR/errors.lang +++ b/htdocs/langs/fr_FR/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Le compte utilisateur identifié par %s n'a pu ê ErrorLoginHasNoEmail=Cet utilisateur n'a pas d'email. Impossible de continuer. ErrorBadValueForCode=Mauvaise valeur saisie pour le code. Réessayez avec une nouvelle valeur... ErrorBothFieldCantBeNegative=Les champs %s et %s ne peuvent être tous deux négatifs -ErrorFieldCantBeNegativeOnInvoice=Le champ %s ne peut pas être négatif pour ce type de facture. Si vous souhaitez ajouter une ligne de remise, créez tout d'abord la remise avec le lien %s à l'écran et appliquez-la à la facturation. Vous pouvez également demander à votre administrateur de définir l'option FACTURE_ENABLE_NEGATIVE_LINES sur 1 pour restaurer l'ancien comportement. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=La quantité d'une ligne ne peut pas être négative dans les factures clients ErrorWebServerUserHasNotPermission=Le compte d'exécution du serveur web %s n'a pas les permissions pour cela ErrorNoActivatedBarcode=Aucun type de code-barres activé @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Les objets doivent avoir le statut ' ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Les objets doivent avoir le statut 'Brouillon' ou 'Désactivé' pour être activés ErrorNoFieldWithAttributeShowoncombobox=Aucun champ n'a la propriété 'showoncombobox' dans la définition de l'objet '%s'. Pas moyen d'afficher la liste de cases à cocher ErrorFieldRequiredForProduct=Le champ '%s' est obligatoire pour le produit %s +ProblemIsInSetupOfTerminal=Le problème est dans la configuration du terminal %s. +ErrorAddAtLeastOneLineFirst=Ajouter d'abord au moins une ligne # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Votre paramètre PHP upload_max_filesize (%s) est supérieur au paramètre PHP post_max_size (%s). Ceci n'est pas une configuration cohérente. WarningPasswordSetWithNoAccount=Un mot de passe a été fixé pour cet adhérent. Cependant, aucun compte d'utilisateur n'a été créé. Donc, ce mot de passe est stocké, mais ne peut être utilisé pour accéder à Dolibarr. Il peut être utilisé par un module/interface externe, mais si vous n'avez pas besoin de définir ni login ni mot de passe pour un adhérent, vous pouvez désactiver l'option «Gérer un login pour chaque adhérent" depuis la configuration du module Adhérents. Si vous avez besoin de gérer un login, mais pas de mot de passe, vous pouvez laisser ce champ vide pour éviter cet avertissement. Remarque: L'email peut également être utilisé comme login si l'adhérent est lié à un utilisateur. diff --git a/htdocs/langs/fr_FR/holiday.lang b/htdocs/langs/fr_FR/holiday.lang index 96fd225292e..60fd31efae6 100644 --- a/htdocs/langs/fr_FR/holiday.lang +++ b/htdocs/langs/fr_FR/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type de la demande de congès TypeOfLeaveCode=Code du type de congès TypeOfLeaveLabel=Libellé du type de congès NbUseDaysCP=Nombre de jours de congés consommés +NbUseDaysCPHelp=Le calcul prend en compte les jours non ouvrés et les jours fériés définis dans le dictionnaire. NbUseDaysCPShort=Jours consommés NbUseDaysCPShortInMonth=Jours consommés pour le mois +DayIsANonWorkingDay=%s est un jour non ouvré DateStartInMonth=Date de début pour le mois DateEndInMonth=Date de fin pour le mois EditCP=Modifier diff --git a/htdocs/langs/fr_FR/install.lang b/htdocs/langs/fr_FR/install.lang index 6c5a698a7e2..2d99aa651af 100644 --- a/htdocs/langs/fr_FR/install.lang +++ b/htdocs/langs/fr_FR/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=PHP supporte l'extension Curl PHPSupportCalendar=Ce PHP supporte les extensions calendar. PHPSupportUTF8=Ce PHP prend en charge les fonctions UTF8. PHPSupportIntl=Ce PHP supporte les fonctions Intl. +PHPSupport=Ce PHP prend en charge les fonctions %s. PHPMemoryOK=Votre mémoire maximum de session PHP est définie à %s. Ceci devrait être suffisant. PHPMemoryTooLow=Votre mémoire maximum de session PHP est définie à %s octets. Ceci est trop faible. Il est recommandé de modifier le paramètre memory_limit de votre fichier php.ini à au moins %s octets. Recheck=Cliquez ici pour un test plus probant @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Votre version de PHP ne supporte pas l'extension Curl ErrorPHPDoesNotSupportCalendar=Votre installation de PHP ne supporte pas les extensions php calendar. ErrorPHPDoesNotSupportUTF8=Ce PHP ne prend pas en charge les fonctions UTF8. Résolvez le problème avant d'installer Dolibarr car il ne pourra pas fonctionner correctement. ErrorPHPDoesNotSupportIntl=Votre installation de PHP ne supporte pas les fonctions Intl. +ErrorPHPDoesNotSupport=Votre installation PHP ne prend pas en charge les fonctions %s. ErrorDirDoesNotExists=Le répertoire %s n'existe pas ou n'est pas accessible. ErrorGoBackAndCorrectParameters=Revenez en arrière et vérifiez / corrigez les paramètres. ErrorWrongValueForParameter=Vous avez peut-être saisi une mauvaise valeur pour le paramètre '%s'. diff --git a/htdocs/langs/fr_FR/main.lang b/htdocs/langs/fr_FR/main.lang index a92b4e46daf..cdc5c916623 100644 --- a/htdocs/langs/fr_FR/main.lang +++ b/htdocs/langs/fr_FR/main.lang @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Proposition commerciale fournisseur ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact ajouté à partir des rôles du contact du tiers More=Plus +ShowDetails=Afficher les détails +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/fr_FR/modulebuilder.lang b/htdocs/langs/fr_FR/modulebuilder.lang index dabdc722669..42516960ddd 100644 --- a/htdocs/langs/fr_FR/modulebuilder.lang +++ b/htdocs/langs/fr_FR/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Liste des entrées de dictionnaires ListOfPermissionsDefined=Liste des permissions SeeExamples=Voir des exemples ici EnabledDesc=Condition pour que ce champ soit actif (Exemples: 1 ou $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Le champ est-il visible ? (Exemples: 0 = Jamais visible, 1 = Visible sur les listes et formulaires de création/mise à jour/visualisation, 2 = Visible uniquement sur la liste, 3 = Visible uniquement sur le formulaire de création/mise à jour/affichage (pas les listes), 4=Visible sur les listes et formulaire de mise à jour et affichage uniquement (pas en création), 5=Visible sur les listes et formulaire en lecture (pas en création ni modification). Utiliser une valeur négative signifie que le champ n'est pas affiché par défaut sur la liste mais peut être sélectionné pour l'affichage). Il peut s'agir d'une expression, par exemple : 
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
$user->rights->holiday->define_holiday ? 1 : 0) +VisibleDesc=Le champ est-il visible ? (Exemples: 0 = Jamais visible, 1 = Visible sur les listes et formulaires de création/mise à jour/visualisation, 2 = Visible uniquement sur la liste, 3 = Visible uniquement sur le formulaire de création/mise à jour/affichage (pas les listes), 4=Visible sur les listes et formulaire de mise à jour et affichage uniquement (pas en création), 5=Visible sur les listes et formulaire en lecture (pas en création ni modification). Utiliser une valeur négative signifie que le champ n'est pas affiché par défaut sur la liste mais peut être sélectionné pour l'affichage). Il peut s'agir d'une expression, par exemple : 
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Peut-on cumuler la valeur du champ pour obtenir un total dans les listes ? (Exemples: 1 ou 0) SearchAllDesc=Le champ doit-il être utilisé pour effectuer une recherche à partir de l'outil de recherche rapide ? (Exemples: 1 ou 0) SpecDefDesc=Entrez ici toute la documentation que vous souhaitez joindre au module et qui n'a pas encore été définis dans d'autres onglets. Vous pouvez utiliser .md ou, mieux, la syntaxe enrichie .asciidoc. @@ -135,3 +135,5 @@ CSSClass=Classe CSS NotEditable=Non éditable ForeignKey=Clé étrangère TypeOfFieldsHelp=Type de champs:
varchar (99), double (24,8), réel, texte, html, datetime, timestamp, integer, integer:NomClasse:cheminrelatif/vers/classfile.class.php [:1[:filtre]] ('1' signifie nous ajoutons un bouton + après le combo pour créer l'enregistrement, 'filter' peut être 'status = 1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' par exemple) +AsciiToHtmlConverter=Convertisseur Ascii en HTML +AsciiToPdfConverter=Convertisseur Ascii en PDF diff --git a/htdocs/langs/fr_FR/mrp.lang b/htdocs/langs/fr_FR/mrp.lang index 5c9d41c2f12..dc13506a6ed 100644 --- a/htdocs/langs/fr_FR/mrp.lang +++ b/htdocs/langs/fr_FR/mrp.lang @@ -6,7 +6,7 @@ MrpSetupPage=Configuration du module MRP MenuBOM=Nomenclatures BOM LatestBOMModified=Le %s dernières BOMs modifiées LatestMOModified=Les %s derniers Ordres de Fabrication modifiés -Bom=Liste des composants +Bom=Nomenclatures produits (BOM) BillOfMaterials=Nomenclature BOM BOMsSetup=Configuration du module BOM ListOfBOMs=Liste des BOMs @@ -54,12 +54,15 @@ ToConsume=A consommer ToProduce=Produire QtyAlreadyConsumed=Qté déjà consommée QtyAlreadyProduced=Qté déjà produite +ConsumeOrProduce=Consommer ou Produire ConsumeAndProduceAll=Consommer et Produire tout Manufactured=Fabriqué TheProductXIsAlreadyTheProductToProduce=Le produit à ajouter est déjà le produit à produire. ForAQuantityOf1=Pour une quantité à produire de 1 ConfirmValidateMo=Voulez-vous vraiment valider cet ordre de fabrication? ConfirmProductionDesc=En cliquant sur '%s', vous validerez la consommation et / ou la production pour les quantités définies. Cela mettra également à jour le stock et enregistrera les mouvements de stock. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production de %s AutoCloseMO=Fermer automatiquement l'Ordre de Fabrication si les quantités à consommer et à produire sont atteintes NoStockChangeOnServices=Aucune variation de stock sur les services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/fr_FR/orders.lang b/htdocs/langs/fr_FR/orders.lang index aaf29e0c42b..cf94d9340fc 100644 --- a/htdocs/langs/fr_FR/orders.lang +++ b/htdocs/langs/fr_FR/orders.lang @@ -141,10 +141,10 @@ OrderByEMail=Email OrderByWWW=En ligne OrderByPhone=Téléphone # Documents models -PDFEinsteinDescription=Modèle de commande complet (logo…) -PDFEratostheneDescription=Modèle de commande complet (logo…) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Modèle de commande simple -PDFProformaDescription=Modèle de facture proforma complet (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Facturer commandes NoOrdersToInvoice=Pas de commandes facturables CloseProcessedOrdersAutomatically=Classer automatiquement à "Traitées" les commandes sélectionnées. diff --git a/htdocs/langs/fr_FR/other.lang b/htdocs/langs/fr_FR/other.lang index ebdf4b2328f..05f34191e27 100644 --- a/htdocs/langs/fr_FR/other.lang +++ b/htdocs/langs/fr_FR/other.lang @@ -24,7 +24,7 @@ MessageOK=Message sur la page de retour d'un paiement validé MessageKO=Message sur la page de retour d'un paiement annulé ContentOfDirectoryIsNotEmpty=Le contenu de ce répertoire n'est pas vide. DeleteAlsoContentRecursively=Cocher pour supprimer tout le contenu de manière récursive - +PoweredBy=Powered by YearOfInvoice=Année de la date de facturation PreviousYearOfInvoice=Année précédente de la date de facturation NextYearOfInvoice=Année suivante de la date de facturation @@ -104,7 +104,8 @@ DemoFundation=Gestion des adhérents d'une association DemoFundation2=Gestion des adhérents et trésorerie d'une association DemoCompanyServiceOnly=Société ou indépendant faisant du service uniquement DemoCompanyShopWithCashDesk=Gestion d'un magasin avec caisse -DemoCompanyProductAndStocks=Société vendant des produits avec magasin +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Société avec de multiples activités (tous les modules principaux) CreatedBy=Créé par %s ModifiedBy=Modifié par %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL de la page WEBSITE_TITLE=Titre WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Chemin relatif du média image. Vous pouvez garder ce champ vide car il est rarement utilisé (cela peut être utilisé par du contenu dynamique pour afficher un aperçu de page de type "blog_post"). +WEBSITE_IMAGEDesc=Chemin relatif du média image. Vous pouvez garder ce champ vide car il est rarement utilisé (cela peut être utilisé par du contenu dynamique pour afficher un aperçu de page de type "blog_post"). Utilisez la chaine __WEBSITEKEY__ dans le chemin si le chemin dépend du nom du site web. WEBSITE_KEYWORDS=Mots clés LinesToImport=Lignes à importer diff --git a/htdocs/langs/fr_FR/projects.lang b/htdocs/langs/fr_FR/projects.lang index e78bb38656d..388de918e05 100644 --- a/htdocs/langs/fr_FR/projects.lang +++ b/htdocs/langs/fr_FR/projects.lang @@ -249,9 +249,13 @@ TimeSpentForInvoice=Temps consommés OneLinePerUser=Une ligne par utilisateur ServiceToUseOnLines=Service à utiliser sur les lignes InvoiceGeneratedFromTimeSpent=La facture %s a été générée à partir du temps passé sur le projet -ProjectBillTimeDescription=Cochez si vous saisissez du temps sur les tâches du projet ET prévoyez de générer des factures à partir des temps pour facturer le client du projet (ne cochez pas si vous comptez facturer ce projet sur une base qui n'est pas celle de la saisie des temps). +ProjectBillTimeDescription=Cochez si vous saisissez du temps sur les tâches du projet ET prévoyez de générer des factures à partir des temps pour facturer le client du projet (ne cochez pas si vous comptez créer une facture qui n'est pas basée sur la saisie des temps). Note: Pour générer une facture, aller sur l'onglet 'Temps consommé' du project et sélectionnez les lignes à inclure. ProjectFollowOpportunity=Suivre une opportunité ProjectFollowTasks=Suivre une tache UsageOpportunity=Utilisation: Opportunité UsageTasks=Utilisation: Tâches UsageBillTimeShort=Utilisation: Facturation du temps +InvoiceToUse=Facture brouillon à utiliser +NewInvoice=Nouvelle facture +OneLinePerTask=Une ligne par tâche +OneLinePerPeriod=Une ligne par période diff --git a/htdocs/langs/fr_FR/propal.lang b/htdocs/langs/fr_FR/propal.lang index c66e2773303..2e2c202f3f7 100644 --- a/htdocs/langs/fr_FR/propal.lang +++ b/htdocs/langs/fr_FR/propal.lang @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Contact client facturation proposition TypeContact_propal_external_CUSTOMER=Contact client suivi proposition TypeContact_propal_external_SHIPPING=Contact client pour la livraison # Document models -DocModelAzurDescription=Modèle de proposition commerciale complet (logo…) -DocModelCyanDescription=Modèle de proposition commerciale complet (logo…) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Modèle par défaut à la création DefaultModelPropalToBill=Modèle par défaut lors de la clôture d'une proposition commerciale (à facturer) DefaultModelPropalClosed=Modèle par défaut lors de la clôture d'une proposition commerciale (non facturée) ProposalCustomerSignature=Cachet, Date, Signature et mention "Bon pour Accord" ProposalsStatisticsSuppliers=Statistiques de propositions commerciales +CaseFollowedBy=Affaire suivie par diff --git a/htdocs/langs/fr_FR/stocks.lang b/htdocs/langs/fr_FR/stocks.lang index c5eb6a92585..0098eab21c2 100644 --- a/htdocs/langs/fr_FR/stocks.lang +++ b/htdocs/langs/fr_FR/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Code mouvement ou inventaire IsInPackage=Inclus dans un package WarehouseAllowNegativeTransfer=Le stock peut être négatif qtyToTranferIsNotEnough=La quantité de produits dans l'entrepôt de départ n'est pas suffisante et votre configuration n'autorise pas un stock négatif +qtyToTranferLotIsNotEnough=Vous n'avez pas assez de stock, pour ce numéro de lot, depuis votre entrepôt source et votre configuration ne permet pas les stocks négatifs (Qté pour le produit '%s' avec le lot '%s' est %s dans l'entrepôt '%s'). ShowWarehouse=Afficher entrepôt MovementCorrectStock=Correction du stock pour le produit %s MovementTransferStock=Transfert de stock du produit %s dans un autre entrepôt @@ -192,6 +193,7 @@ TheoricalQty=Quantité virtuelle TheoricalValue=Quantité virtuelle LastPA=Dernier BP CurrentPA=BP actuel +RecordedQty=Recorded Qty RealQty=Quantité réelle RealValue=Valeur réelle RegulatedQty=Quantité régulée diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang index 4569619c1d2..0ae6c4c4c15 100644 --- a/htdocs/langs/he_IL/admin.lang +++ b/htdocs/langs/he_IL/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=חשבוניות Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=העורכים @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke אינטגרציה Module240Name=נתוני היצוא -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=נתוני היבוא -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=משתמשים Module310Desc=קרן וניהול חברי Module320Name=עדכוני RSS @@ -878,7 +878,7 @@ Permission1251=הפעל יבוא המוני של נתונים חיצוניים Permission1321=יצוא חשבוניות הלקוח, תכונות ותשלומים Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=קרא פעולות או משימות (אירועים) של אחרים @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=ראה הגדרת sendmail המקומי BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=קובץ dump שנוצר יש לאחסן במקום בטוח. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= כלל זה הוא נאלץ %s ידי מודול מופעל PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=עליך להפעיל את הפקודה משורת הפקודה לאחר ההתחברות להפגיז עם %s משתמש או עליך להוסיף-W אפשרות בסוף של שורת הפקודה כדי לספק את הסיסמה %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=חזור הסיסמה שנוצר על פי אלגוריתם Dolibarr פנימי: 8 תווים המכילים מספרים ותווים משותפים באותיות קטנות. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=רב החברה מודול ההתקנה ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/he_IL/bills.lang b/htdocs/langs/he_IL/bills.lang index 7a89684b885..8b4c3c94384 100644 --- a/htdocs/langs/he_IL/bills.lang +++ b/htdocs/langs/he_IL/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/he_IL/categories.lang b/htdocs/langs/he_IL/categories.lang index 18e60c73b72..819b9ef0516 100644 --- a/htdocs/langs/he_IL/categories.lang +++ b/htdocs/langs/he_IL/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/he_IL/companies.lang b/htdocs/langs/he_IL/companies.lang index 7d766fd89c1..8fe6ed3f84e 100644 --- a/htdocs/langs/he_IL/companies.lang +++ b/htdocs/langs/he_IL/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/he_IL/compta.lang b/htdocs/langs/he_IL/compta.lang index 2c018c55de7..6a854e6fa80 100644 --- a/htdocs/langs/he_IL/compta.lang +++ b/htdocs/langs/he_IL/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/he_IL/errors.lang b/htdocs/langs/he_IL/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/he_IL/errors.lang +++ b/htdocs/langs/he_IL/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/he_IL/holiday.lang b/htdocs/langs/he_IL/holiday.lang index 8c498c350ad..8c21095d663 100644 --- a/htdocs/langs/he_IL/holiday.lang +++ b/htdocs/langs/he_IL/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/he_IL/install.lang b/htdocs/langs/he_IL/install.lang index 1f91da5cd5d..13714bc9a6d 100644 --- a/htdocs/langs/he_IL/install.lang +++ b/htdocs/langs/he_IL/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/he_IL/main.lang b/htdocs/langs/he_IL/main.lang index 4e67c0b371d..8bd5c838f0d 100644 --- a/htdocs/langs/he_IL/main.lang +++ b/htdocs/langs/he_IL/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/he_IL/modulebuilder.lang b/htdocs/langs/he_IL/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/he_IL/modulebuilder.lang +++ b/htdocs/langs/he_IL/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/he_IL/mrp.lang b/htdocs/langs/he_IL/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/he_IL/mrp.lang +++ b/htdocs/langs/he_IL/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/he_IL/orders.lang b/htdocs/langs/he_IL/orders.lang index b6f8f0ce73b..bf68541e4ac 100644 --- a/htdocs/langs/he_IL/orders.lang +++ b/htdocs/langs/he_IL/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/he_IL/other.lang b/htdocs/langs/he_IL/other.lang index 604696f2ca2..53f56764f69 100644 --- a/htdocs/langs/he_IL/other.lang +++ b/htdocs/langs/he_IL/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=תאור WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/he_IL/projects.lang b/htdocs/langs/he_IL/projects.lang index 699cbe40547..e890754b98e 100644 --- a/htdocs/langs/he_IL/projects.lang +++ b/htdocs/langs/he_IL/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/he_IL/propal.lang b/htdocs/langs/he_IL/propal.lang index b129c174b56..566209661b2 100644 --- a/htdocs/langs/he_IL/propal.lang +++ b/htdocs/langs/he_IL/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/he_IL/stocks.lang b/htdocs/langs/he_IL/stocks.lang index adc9490daa4..8e21535acad 100644 --- a/htdocs/langs/he_IL/stocks.lang +++ b/htdocs/langs/he_IL/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang index b111a970de5..7a88f873474 100644 --- a/htdocs/langs/hr_HR/admin.lang +++ b/htdocs/langs/hr_HR/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Računi Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Dobavljači -Module40Desc=Upravljanje dobavljačima i nabavom\n(narudžbenice i naplata) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Urednici @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integracija Module240Name=Izvozi podataka -Module240Desc=Alat za izvoz Dolibarr podataka (sa asistentom) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Uvoz podataka -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Članovi Module310Desc=Upravljanje članovima zaklade Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Pokreni masovni uvoz vanjskih podataka u bazu (učitavanje podata Permission1321=Izvezi račune kupaca, atribute i plačanja Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Čitaj akcije (događaje ili zadatke) ostalih @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Provjerite vaše postavke lokalnog sendmail-a BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL uvoz ForcedToByAModule= Ovo pravilo je forsirano na %s od aktiviranog modula PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Izdanje polja %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Uzmi barkod +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Više poduzeća module podešavanje ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Najviše dopušteno -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/hr_HR/bills.lang b/htdocs/langs/hr_HR/bills.lang index a33a0a5bbd4..16e46962d70 100644 --- a/htdocs/langs/hr_HR/bills.lang +++ b/htdocs/langs/hr_HR/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Određeni iznos +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Iznos u postotku (%% od ukupno) VarAmountOneLine=Iznos u postotku (%% ukupno) - jedan redak s oznakom '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Prihodovna markica YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=Kako biste izradili novi predložak računa morate prvo izraditi običan račun i onda ga promijeniti u "predložak" -PDFCrabeDescription="Crabe" predložak PDF računa. Potpuni predložak računa (preporučeni) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=PDF račun prema Crevette predlošku. Kompletan predložak računa za etape TerreNumRefModelDesc1=Vraća broj u formatu %syymm-nnnn za standardne račune i %syymm-nnnn za odobrenja gdje je yy godina, mm je mjesec i nnnn je sljedni broj bez prekida i bez mogučnosti povratka na 0 diff --git a/htdocs/langs/hr_HR/categories.lang b/htdocs/langs/hr_HR/categories.lang index f383628a932..83f7a205263 100644 --- a/htdocs/langs/hr_HR/categories.lang +++ b/htdocs/langs/hr_HR/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Kategorije kontakata AccountsCategoriesShort=Tagovi/kategorije računa ProjectsCategoriesShort=Kategorije projekata UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Ova kategorija ne sadrži niti jedan proizvod. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Ova kategorija ne sadrži niti jednog kupca. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Dodaj sljedeće proizvode/usluge ShowCategory=Prikaži kategoriju ByDefaultInList=Po predefiniranom na listi ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/hr_HR/companies.lang b/htdocs/langs/hr_HR/companies.lang index 741cc262804..691cbe562de 100644 --- a/htdocs/langs/hr_HR/companies.lang +++ b/htdocs/langs/hr_HR/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Moji kontakti Capital=Kapital CapitalOf=Temeljna vrijednost %s EditCompany=Uredi tvrtku -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Ček VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Dodjeljeno prodajnom predstavniku Organization=Organizacija FiscalYearInformation=Fiscal Year FiscalMonthStart=Početni mjesec fiskalne godine +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=Kako biste bili u mogućnosti dodavanja obavijesti e-poštom, prvo morate definirati kontakt s valjanom adresom e-pošte za komitenta ListSuppliersShort=Popis dobavljača diff --git a/htdocs/langs/hr_HR/compta.lang b/htdocs/langs/hr_HR/compta.lang index 78f4f2a58b4..15949befb91 100644 --- a/htdocs/langs/hr_HR/compta.lang +++ b/htdocs/langs/hr_HR/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF kupovine LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=PDV prikupljen -ToPay=Za platiti +StatusToPay=Za platiti SpecialExpensesArea=Sučelji svih specijalnih plaćanja SocialContribution=Društveni ili fisklani porez SocialContributions=Društveni ili fiskanlni porezi @@ -112,7 +112,7 @@ ShowVatPayment=Prikaži PDV plaćanja TotalToPay=Ukupno za platiti BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Konto kupca SupplierAccountancyCodeShort=Konto dobavljača AccountNumber=Broj računa @@ -125,7 +125,7 @@ ByThirdParties=Po trećim osobama ByUserAuthorOfInvoice=Po autoru računa CheckReceipt=Depozit čeka CheckReceiptShort=Depozit čeka -LastCheckReceiptShort=Zadnjih %s potvrda čekova +LastCheckReceiptShort=Zadnje %s potvrde čekova NewCheckReceipt=Novi rabat NewCheckDeposit=Novi depozit čeka NewCheckDepositOn=Izradi račun za depozit na računu: %s @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Kratka oznaka diff --git a/htdocs/langs/hr_HR/errors.lang b/htdocs/langs/hr_HR/errors.lang index 13d7c2cb8e2..e14b58359ee 100644 --- a/htdocs/langs/hr_HR/errors.lang +++ b/htdocs/langs/hr_HR/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Korisnički račun %s koji pokreće web server nema dozvolu za pokretanje ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/hr_HR/holiday.lang b/htdocs/langs/hr_HR/holiday.lang index a01d7004e0a..718ddd578ca 100644 --- a/htdocs/langs/hr_HR/holiday.lang +++ b/htdocs/langs/hr_HR/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Broj potrošenih dana godišnjeg +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Uredi diff --git a/htdocs/langs/hr_HR/install.lang b/htdocs/langs/hr_HR/install.lang index 89c408c338a..c95c0128a2e 100644 --- a/htdocs/langs/hr_HR/install.lang +++ b/htdocs/langs/hr_HR/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang index 55db80d96c5..2f4cd1d8b3b 100644 --- a/htdocs/langs/hr_HR/main.lang +++ b/htdocs/langs/hr_HR/main.lang @@ -471,7 +471,7 @@ TotalDuration=Ukupno trajanje Summary=Sažetak DolibarrStateBoard=Statistika baze podataka DolibarrWorkBoard=Otvorene stavke -NoOpenedElementToProcess=Nema otvorenih radnji za provedbu +NoOpenedElementToProcess=No open element to process Available=Dostupno NotYetAvailable=Nije još dostupno NotAvailable=Nije dostupno @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Ugovor ContactDefault_facture=Račun ContactDefault_fichinter=Intervencija ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Zadatak ContactDefault_propal=Ponuda @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/hr_HR/modulebuilder.lang b/htdocs/langs/hr_HR/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/hr_HR/modulebuilder.lang +++ b/htdocs/langs/hr_HR/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/hr_HR/mrp.lang b/htdocs/langs/hr_HR/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/hr_HR/mrp.lang +++ b/htdocs/langs/hr_HR/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/hr_HR/orders.lang b/htdocs/langs/hr_HR/orders.lang index 06c045903b9..b7bc71c6d50 100644 --- a/htdocs/langs/hr_HR/orders.lang +++ b/htdocs/langs/hr_HR/orders.lang @@ -69,7 +69,7 @@ ValidateOrder=Ovjeri narudžbu UnvalidateOrder=Neovjeri narudžbu DeleteOrder=Obriši narudžbu CancelOrder=Poništi narudžbu -OrderReopened= Narudžba %s ponovo otvorena +OrderReopened= Order %s re-open AddOrder=Izradi narudžbu AddPurchaseOrder=Create purchase order AddToDraftOrders=Dodati u skice narudžbe @@ -141,10 +141,10 @@ OrderByEMail=E-pošta OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Cjeloviti model narudžbe (logo...) -PDFEratostheneDescription=Cjeloviti model narudžbe (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Jednostavan model narudžbe -PDFProformaDescription=Cjeloviti predračun (logo...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Naplata narudžbi NoOrdersToInvoice=Nema narudžbi za naplatu CloseProcessedOrdersAutomatically=Odredi "Procesuirano" sve odabrane narudžbe. diff --git a/htdocs/langs/hr_HR/other.lang b/htdocs/langs/hr_HR/other.lang index 7c386f9f915..5b79d114027 100644 --- a/htdocs/langs/hr_HR/other.lang +++ b/htdocs/langs/hr_HR/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Upravljanje članovima zaklade DemoFundation2=Upravljanje članovima i bankovnim računom zaklade DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Izradio %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Naslov WEBSITE_DESCRIPTION=Opis WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/hr_HR/projects.lang b/htdocs/langs/hr_HR/projects.lang index 02d6248f923..f20c1847f29 100644 --- a/htdocs/langs/hr_HR/projects.lang +++ b/htdocs/langs/hr_HR/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Sučelje mojih projekata DurationEffective=Efektivno trajanje ProgressDeclared=Objavljeni napredak TaskProgressSummary=Napredak zadatka -CurentlyOpenedTasks=Trenutno otvoreni zadaci +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Deklarirani napredak manji je za %s od pretpostavljenog napretka TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Deklarirani napredak veći je za %s od pretpostavljenog napretka ProgressCalculated=Izračunati napredak @@ -249,9 +249,13 @@ TimeSpentForInvoice=Vrijeme utrošeno OneLinePerUser=Jedna linija po korisniku ServiceToUseOnLines=Usluga za uporabu na linijama InvoiceGeneratedFromTimeSpent=Račun %s generiran je od vremena utrišenog na projektu -ProjectBillTimeDescription=Provjerite jeste li unijeli vremensku odrednicu na zadatke projekta I planirate generirati račune iz tabele kako biste naplatili kupcu projekta (nemojte provjeravati namjeravate li stvoriti fakturu koja se ne temelji na unešenim tablicama). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Upotreba: Prilika UsageTasks=Upotreba: Zadaci UsageBillTimeShort=Uporaba: Vrijeme obračuna +InvoiceToUse=Draft invoice to use +NewInvoice=Novi račun +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/hr_HR/propal.lang b/htdocs/langs/hr_HR/propal.lang index 41f050ee61f..5fa1efa83c5 100644 --- a/htdocs/langs/hr_HR/propal.lang +++ b/htdocs/langs/hr_HR/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Prikaži ponudu PropalsDraft=Skice PropalsOpened=Otvorene PropalStatusDraft=Skica (potrebno ovjeriti) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Ovjerena (otvorena ponuda) PropalStatusSigned=Potpisane (za naplatu) PropalStatusNotSigned=Nepotpisane (zatvorene) PropalStatusBilled=Zaračunate @@ -76,8 +76,8 @@ TypeContact_propal_external_BILLING=Kontakt osoba pri kupcu za račun TypeContact_propal_external_CUSTOMER=Kontakt osoba pri kupcu za ponudu TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Cjeloviti model ponude (logo...) -DocModelCyanDescription=Cjeloviti model ponude (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Izrada osnovnog modela DefaultModelPropalToBill=Osnovni predložak prilikom zatvaranja poslovne ponude (za naplatu) DefaultModelPropalClosed=Osnovni predložak prilikom zatvaranja poslovne ponude (nenaplaćeno) diff --git a/htdocs/langs/hr_HR/stocks.lang b/htdocs/langs/hr_HR/stocks.lang index 612be6176e3..7bbbff8301f 100644 --- a/htdocs/langs/hr_HR/stocks.lang +++ b/htdocs/langs/hr_HR/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Kretanje ili inventarni kod IsInPackage=Sadržane u grupiranim proizvodima WarehouseAllowNegativeTransfer=Zaliha ne može biti negativna qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Prikaži skladište MovementCorrectStock=Ispravak zalihe za proizvod %s MovementTransferStock=Prebacivanje zalihe za proizvod %s u drugo skladište @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang index f603e0ba81e..3a595142c03 100644 --- a/htdocs/langs/hu_HU/admin.lang +++ b/htdocs/langs/hu_HU/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Számlák Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Szerkesztők @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integráció Module240Name=Adat export -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Adat import -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Tagok Module310Desc=Alapítvány tagjai menedzsment Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Fuss tömeges import a külső adatok adatbázisba (adatok terhel Permission1321=Export vevői számlák, attribútumok és kifizetések Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Olvassa tevékenységek (rendezvények, vagy feladatok) mások @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Nézze meg a helyi sendmail beállítása BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=A generált dump fájlt kell tárolni biztonságos helyen. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= Ez a szabály arra kényszerül, hogy %s által aktivált modul PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Kell futtatni ezt a parancsot a parancssorból bejelentkezés után a shell felhasználói %s vagy hozzá kell-W opció végén parancsot, hogy %s jelszót. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=%s mező szerkesztése FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Vissza a jelszót generált szerint Belső Dolibarr algoritmus: 8 karakter tartalmazó közös számokat és karaktereket kisbetűvel. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Több cég setup modul ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/hu_HU/bills.lang b/htdocs/langs/hu_HU/bills.lang index 4ff5cc95a52..ad40bc8d2fc 100644 --- a/htdocs/langs/hu_HU/bills.lang +++ b/htdocs/langs/hu_HU/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Változó összeg (%% össz.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Illetékbélyeg YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Számla PDF sablon Crabe. A teljes számla sablon (Sablon ajánlott) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/hu_HU/categories.lang b/htdocs/langs/hu_HU/categories.lang index 167ca2b06cb..6714be3fc68 100644 --- a/htdocs/langs/hu_HU/categories.lang +++ b/htdocs/langs/hu_HU/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Ez a kategória nem tartalmaz termékeket. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Ez a kategória nem tartalmaz vásárlót. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/hu_HU/companies.lang b/htdocs/langs/hu_HU/companies.lang index 0010c449f58..ee0bff5070d 100644 --- a/htdocs/langs/hu_HU/companies.lang +++ b/htdocs/langs/hu_HU/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Szakma ID 1 (OGRN) ProfId2RU=Szakma ID 2 (INN) ProfId3RU=Szakma Id 3 (KKP) @@ -339,7 +345,7 @@ MyContacts=Kapcsolataim Capital=Tőke CapitalOf=%s tőkéje EditCompany=Cég szerkesztése -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Csekk VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Értékesítési képviselőhöz hozzárendelve Organization=Szervezet FiscalYearInformation=Fiscal Year FiscalMonthStart=Pénzügyi év kezdő hónapja +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=E-mail értesítő hozzáadásához létre kell hozni egy e-mail kapcsolatot a harmadik félhez. ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/hu_HU/compta.lang b/htdocs/langs/hu_HU/compta.lang index eaf3b9459f5..b307cf6e6a9 100644 --- a/htdocs/langs/hu_HU/compta.lang +++ b/htdocs/langs/hu_HU/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF vásárlások LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=Beszedett HÉA -ToPay=Fizetni +StatusToPay=Fizetni SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Mutasd ÁFA fizetési TotalToPay=Összes fizetni BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Számlaszám @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Rövid címke diff --git a/htdocs/langs/hu_HU/errors.lang b/htdocs/langs/hu_HU/errors.lang index ab8ceacdec3..0bb47523e0a 100644 --- a/htdocs/langs/hu_HU/errors.lang +++ b/htdocs/langs/hu_HU/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Felhasználó bejelentkezési %s nem található. ErrorLoginHasNoEmail=Ennek a felhasználónak nincs e-mail címre. Folyamat megszakítva. ErrorBadValueForCode=Rossz érték a biztonsági kódot. Próbálja újra, az új érték ... ErrorBothFieldCantBeNegative=Fields %s %s és nem lehet egyszerre negatív -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Felhasználói fiók %s végrehajtására használnak web szerver nincs engedélye az adott ErrorNoActivatedBarcode=Nem vonalkód típus aktivált @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/hu_HU/holiday.lang b/htdocs/langs/hu_HU/holiday.lang index c9338320684..d080df740d1 100644 --- a/htdocs/langs/hu_HU/holiday.lang +++ b/htdocs/langs/hu_HU/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Szerkesztés diff --git a/htdocs/langs/hu_HU/install.lang b/htdocs/langs/hu_HU/install.lang index 95a560f812d..973894e6532 100644 --- a/htdocs/langs/hu_HU/install.lang +++ b/htdocs/langs/hu_HU/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=A munkamenetek maximális memóriája %s. Ennek elégnek kéne lennie. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=A PHP telepítése nem támogatja a Curl-t. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=%s könyvtár nem létezik. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Lehet, hogy rossz értéket adott meg a(z) '%s' paraméter számára. diff --git a/htdocs/langs/hu_HU/main.lang b/htdocs/langs/hu_HU/main.lang index bf63903a1c1..6c8fb080d4f 100644 --- a/htdocs/langs/hu_HU/main.lang +++ b/htdocs/langs/hu_HU/main.lang @@ -471,7 +471,7 @@ TotalDuration=Teljes időtartam Summary=Összefoglalás DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Elérhető NotYetAvailable=Még nem elérhető NotAvailable=Nem elérhető @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Szerződés ContactDefault_facture=Számla ContactDefault_fichinter=Intervenció ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Feladat ContactDefault_propal=Javaslat @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/hu_HU/modulebuilder.lang b/htdocs/langs/hu_HU/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/hu_HU/modulebuilder.lang +++ b/htdocs/langs/hu_HU/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/hu_HU/mrp.lang b/htdocs/langs/hu_HU/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/hu_HU/mrp.lang +++ b/htdocs/langs/hu_HU/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/hu_HU/orders.lang b/htdocs/langs/hu_HU/orders.lang index 92386bb0be2..a9a17ca18e0 100644 --- a/htdocs/langs/hu_HU/orders.lang +++ b/htdocs/langs/hu_HU/orders.lang @@ -11,6 +11,7 @@ OrderDate=Megrendelés dátuma OrderDateShort=Megrendelés dátuma OrderToProcess=Feldolgozandó megrendelés NewOrder=Új megbízás +NewOrderSupplier=New Purchase Order ToOrder=Rendelés készítése MakeOrder=Rendelés készítése SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Visszavonva StatusOrderDraftShort=Tervezet StatusOrderValidatedShort=Hitelesítve @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Kézbesítve StatusOrderToBillShort=Kézbesítve StatusOrderApprovedShort=Jóváhagyott StatusOrderRefusedShort=Visszautasított -StatusOrderBilledShort=Kiszámlázott StatusOrderToProcessShort=Feldolgozni StatusOrderReceivedPartiallyShort=Részben kiszállított StatusOrderReceivedAllShort=Beérkezett termékek @@ -50,7 +52,6 @@ StatusOrderProcessed=Feldolgozott StatusOrderToBill=Kézbesítve StatusOrderApproved=Jóváhagyott StatusOrderRefused=Visszautasított -StatusOrderBilled=Kiszámlázott StatusOrderReceivedPartially=Részben kiszállított StatusOrderReceivedAll=Összes termék beérkezett ShippingExist=A szállítmány létezik @@ -68,8 +69,9 @@ ValidateOrder=Megrendelés érvényesítése UnvalidateOrder=Érvényesítés törlése DeleteOrder=Megrendelés törlése CancelOrder=Megrendelés visszavonása -OrderReopened= %s megrendelés újra nyitva +OrderReopened= Order %s re-open AddOrder=Megrendelés készítése +AddPurchaseOrder=Create purchase order AddToDraftOrders=Megrendelés tervekhez ad ShowOrder=Megrendelés mutatása OrdersOpened=Feldolgozandó megrendelések @@ -139,10 +141,10 @@ OrderByEMail=E-mail OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Teljes megrendelés sablon (logo,...) -PDFEratostheneDescription=Teljes megrendelés sablon (logo,...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Egyszerű megrendelési sablon -PDFProformaDescription=A teljes proforma számla sablon (logo, ..) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Megrendelések számlázása NoOrdersToInvoice=Nincsenek számlázandó megrendelések CloseProcessedOrdersAutomatically=Minden kijelölt megrendelés jelölése 'Feldolgozott'-nak. @@ -152,7 +154,35 @@ OrderCreated=A megrendelései elkészültek OrderFail=Hiba történt a megrendelések készítése közben CreateOrders=Megrendelések készítése ToBillSeveralOrderSelectCustomer=Több megrendeléshez tartozó számla elkészítéséhez először kattintson a partnerre, majd válassza ki: "%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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Zárja le a megrendelést erre "%s" automatikusan, ha az összes tétel megérkezett. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Szállítási mód beállítása +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Visszavonva +StatusSupplierOrderDraftShort=Piszkozat +StatusSupplierOrderValidatedShort=Hitelesítetve +StatusSupplierOrderSentShort=Folyamatban +StatusSupplierOrderSent=Szállítás folyamatban +StatusSupplierOrderOnProcessShort=Megrendelve +StatusSupplierOrderProcessedShort=Feldolgozott +StatusSupplierOrderDelivered=Kézbesítve +StatusSupplierOrderDeliveredShort=Kézbesítve +StatusSupplierOrderToBillShort=Kézbesítve +StatusSupplierOrderApprovedShort=Jóváhagyott +StatusSupplierOrderRefusedShort=Visszautasított +StatusSupplierOrderToProcessShort=Feldolgozni +StatusSupplierOrderReceivedPartiallyShort=Részben kiszállított +StatusSupplierOrderReceivedAllShort=Beérkezett termékek +StatusSupplierOrderCanceled=Visszavonva +StatusSupplierOrderDraft=Tervezet (hitelesítés szükséges) +StatusSupplierOrderValidated=Hitelesítetve +StatusSupplierOrderOnProcess=Megrendelve - beérkezésre vár +StatusSupplierOrderOnProcessWithValidation=Megrendelve - beérkezésre vagy jóváhagyásra vár +StatusSupplierOrderProcessed=Feldolgozott +StatusSupplierOrderToBill=Kézbesítve +StatusSupplierOrderApproved=Jóváhagyott +StatusSupplierOrderRefused=Visszautasított +StatusSupplierOrderReceivedPartially=Részben kiszállított +StatusSupplierOrderReceivedAll=Összes termék beérkezett diff --git a/htdocs/langs/hu_HU/other.lang b/htdocs/langs/hu_HU/other.lang index af17c0fe629..a250e20c08c 100644 --- a/htdocs/langs/hu_HU/other.lang +++ b/htdocs/langs/hu_HU/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Tagok kezelése egy alapítvány DemoFundation2=Tagok kezelése és bankszámla egy alapítvány DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Készítsen egy bolt a pénztári -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Készítette %s ModifiedBy=Módosította %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Cím WEBSITE_DESCRIPTION=Leírás WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/hu_HU/projects.lang b/htdocs/langs/hu_HU/projects.lang index 0e94515a609..4a609a055d1 100644 --- a/htdocs/langs/hu_HU/projects.lang +++ b/htdocs/langs/hu_HU/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effektív időtartam ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Töltött idő OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Új számla +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/hu_HU/propal.lang b/htdocs/langs/hu_HU/propal.lang index 153cbce6689..35ba8413e71 100644 --- a/htdocs/langs/hu_HU/propal.lang +++ b/htdocs/langs/hu_HU/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Mutasd javaslat PropalsDraft=Piszkozatok PropalsOpened=Nyitott PropalStatusDraft=Tervezet (kell érvényesíteni) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Jóváhagyott (javaslat nyitott) PropalStatusSigned=Aláírt (szükséges számlázási) PropalStatusNotSigned=Nem írta alá (zárt) PropalStatusBilled=Kiszámlázott @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Ügyfél számla Kapcsolat TypeContact_propal_external_CUSTOMER=Ügyfélkapcsolati nyomon követése javaslat TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A javaslat teljes modell (logo. ..) -DocModelCyanDescription=A javaslat teljes modell (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/hu_HU/stocks.lang b/htdocs/langs/hu_HU/stocks.lang index 0494f1471b0..cdecbd7361e 100644 --- a/htdocs/langs/hu_HU/stocks.lang +++ b/htdocs/langs/hu_HU/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Mozgás vagy leltár kód IsInPackage=Csomag tartalmazza WarehouseAllowNegativeTransfer=A készlet lehet negatív qtyToTranferIsNotEnough=Nincs elegendő készlete a forrásraktárban és a beállítások nem teszik lehetővé a negatív készletet +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Raktár részletei MovementCorrectStock=A %s termék készlet-módosítása MovementTransferStock=A %s termék készletének mozgatása másik raktárba @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Valós érték RegulatedQty=Regulated Qty diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang index 0f1887851b7..42f4cb6ac4b 100644 --- a/htdocs/langs/id_ID/admin.lang +++ b/htdocs/langs/id_ID/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Nota Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Ekspor Data -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Impor Data -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Anggota Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=lebih besar dari IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/id_ID/bills.lang b/htdocs/langs/id_ID/bills.lang index 0d20b9bf91e..164a22a7e7f 100644 --- a/htdocs/langs/id_ID/bills.lang +++ b/htdocs/langs/id_ID/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/id_ID/categories.lang b/htdocs/langs/id_ID/categories.lang index 7ac6f2931cb..99dfd203f54 100644 --- a/htdocs/langs/id_ID/categories.lang +++ b/htdocs/langs/id_ID/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/id_ID/companies.lang b/htdocs/langs/id_ID/companies.lang index 76d3a4cc55b..4a2c3fa0599 100644 --- a/htdocs/langs/id_ID/companies.lang +++ b/htdocs/langs/id_ID/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/id_ID/compta.lang b/htdocs/langs/id_ID/compta.lang index 3d90d47b69e..1e81d808167 100644 --- a/htdocs/langs/id_ID/compta.lang +++ b/htdocs/langs/id_ID/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/id_ID/errors.lang b/htdocs/langs/id_ID/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/id_ID/errors.lang +++ b/htdocs/langs/id_ID/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/id_ID/holiday.lang b/htdocs/langs/id_ID/holiday.lang index a79d13da424..4026bd7f539 100644 --- a/htdocs/langs/id_ID/holiday.lang +++ b/htdocs/langs/id_ID/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/id_ID/install.lang b/htdocs/langs/id_ID/install.lang index 7d4c3324f03..6e0f1adccba 100644 --- a/htdocs/langs/id_ID/install.lang +++ b/htdocs/langs/id_ID/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/id_ID/main.lang b/htdocs/langs/id_ID/main.lang index 9dde0a479e7..885c4b77ce2 100644 --- a/htdocs/langs/id_ID/main.lang +++ b/htdocs/langs/id_ID/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Tidak tersedia @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Tagihan ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/id_ID/modulebuilder.lang b/htdocs/langs/id_ID/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/id_ID/modulebuilder.lang +++ b/htdocs/langs/id_ID/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/id_ID/mrp.lang b/htdocs/langs/id_ID/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/id_ID/mrp.lang +++ b/htdocs/langs/id_ID/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/id_ID/orders.lang b/htdocs/langs/id_ID/orders.lang index b21c81dc1b2..1872e0abe8e 100644 --- a/htdocs/langs/id_ID/orders.lang +++ b/htdocs/langs/id_ID/orders.lang @@ -11,6 +11,7 @@ OrderDate=Tanggal Pemesanan OrderDateShort=Tanggal Pemesanan OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Dibatalkan StatusOrderDraftShort=Konsep StatusOrderValidatedShort=Divalidasi @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Disetujui StatusOrderRefusedShort=Ditolak -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Diproses StatusOrderToBill=Delivered StatusOrderApproved=Disetujui StatusOrderRefused=Ditolak -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Telepon # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Dibatalkan +StatusSupplierOrderDraftShort=Konsep +StatusSupplierOrderValidatedShort=Divalidasi +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Diproses +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Disetujui +StatusSupplierOrderRefusedShort=Ditolak +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Dibatalkan +StatusSupplierOrderDraft=Konsep (harus di validasi) +StatusSupplierOrderValidated=Divalidasi +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Diproses +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Disetujui +StatusSupplierOrderRefused=Ditolak +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/id_ID/other.lang b/htdocs/langs/id_ID/other.lang index 0961bc060f3..42e2670202e 100644 --- a/htdocs/langs/id_ID/other.lang +++ b/htdocs/langs/id_ID/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Keterangan WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/id_ID/projects.lang b/htdocs/langs/id_ID/projects.lang index a3a3e9b5dc7..b4eb7c1db58 100644 --- a/htdocs/langs/id_ID/projects.lang +++ b/htdocs/langs/id_ID/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Tagihan baru +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/id_ID/propal.lang b/htdocs/langs/id_ID/propal.lang index e043eb9b0f5..e173962d6a5 100644 --- a/htdocs/langs/id_ID/propal.lang +++ b/htdocs/langs/id_ID/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Konsep (harus di validasi) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/id_ID/stocks.lang b/htdocs/langs/id_ID/stocks.lang index 07ce5f2a622..34f7fb5266e 100644 --- a/htdocs/langs/id_ID/stocks.lang +++ b/htdocs/langs/id_ID/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang index c6a10df6264..e98e8f31a09 100644 --- a/htdocs/langs/is_IS/admin.lang +++ b/htdocs/langs/is_IS/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Kvittanir Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Ritstjórar @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke sameining Module240Name=Gögn frá landinu -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Gögn innflutning -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Stofnun meðlimir stjórnun Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Setja massa innflutningi af ytri gögn inn í gagnagrunn (gögn Permission1321=Útflutningur viðskiptavina reikninga, eiginleika og greiðslur Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Lesa aðgerða (atburðum eða verkefni) annarra @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Sjá sveitarfélaga sendmail uppsetningu BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The mynda sorphaugur skrá öxl vera geymd á öruggum stað. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= Þessi regla er þvinguð til %s með virkt mát PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Þú verður að keyra þessa skipun frá stjórn lína eftir innskráningu í skel með notandann %s . @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=%s viði útgáfa FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return lykilorð mynda samkvæmt innri Dolibarr reiknirit: 8 stafir sem innihalda hluti tölur og bókstafi í lágstafir. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-fyrirtæki mát skipulag ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/is_IS/bills.lang b/htdocs/langs/is_IS/bills.lang index 272802a6a4f..e21f269c8a1 100644 --- a/htdocs/langs/is_IS/bills.lang +++ b/htdocs/langs/is_IS/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice líkan Crabe. A heill Reikningar líkan (styður VSK valkostur, afslætti, greiðslur skilyrði, merki, osfrv ..) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/is_IS/categories.lang b/htdocs/langs/is_IS/categories.lang index fae67a3dca4..a3f62a838fd 100644 --- a/htdocs/langs/is_IS/categories.lang +++ b/htdocs/langs/is_IS/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Þessi flokkur inniheldur ekki vöruna. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Þessi flokkur inniheldur ekki allir viðskiptavinur. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/is_IS/companies.lang b/htdocs/langs/is_IS/companies.lang index 9a39eb3f11c..8e2f1086cbe 100644 --- a/htdocs/langs/is_IS/companies.lang +++ b/htdocs/langs/is_IS/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=tengiliðir mínir Capital=Capital CapitalOf=Capital af %s EditCompany=Breyta fyrirtæki -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Athuga VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Byrjun mánuði fjárhagsársins +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/is_IS/compta.lang b/htdocs/langs/is_IS/compta.lang index 7457360c85e..bd1c8b64c46 100644 --- a/htdocs/langs/is_IS/compta.lang +++ b/htdocs/langs/is_IS/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF kaup LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VSK safnað -ToPay=Til að borga +StatusToPay=Til að borga SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Sýna VSK greiðslu TotalToPay=Samtals borga BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Reikningsnúmer @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/is_IS/errors.lang b/htdocs/langs/is_IS/errors.lang index 55b02449fb9..ccc02c5b8d8 100644 --- a/htdocs/langs/is_IS/errors.lang +++ b/htdocs/langs/is_IS/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Notandi með notandanafn %s fannst ekki. ErrorLoginHasNoEmail=Þessi notandi hefur ekki netfang. Aðferð aflýst. ErrorBadValueForCode=Bad gerðir gildi fyrir kóða. Prófaðu aftur með nýtt gildi ... ErrorBothFieldCantBeNegative=Fields %s og %s getur ekki verið bæði neikvæð -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Notandi Reikningur %s notað til að framkvæma vefur framreiðslumaður hefur ekki leyfi til að ErrorNoActivatedBarcode=Nei barcode gerð virk @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/is_IS/holiday.lang b/htdocs/langs/is_IS/holiday.lang index 501c0e9fe58..093c2b0cbb2 100644 --- a/htdocs/langs/is_IS/holiday.lang +++ b/htdocs/langs/is_IS/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Breyta diff --git a/htdocs/langs/is_IS/install.lang b/htdocs/langs/is_IS/install.lang index 86d940bd1b8..55b9e62fdcc 100644 --- a/htdocs/langs/is_IS/install.lang +++ b/htdocs/langs/is_IS/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max fundur minnið er stillt á %s . Þetta ætti að vera nóg. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Listinn %s er ekki til. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Þú gætir hafa slegið rangt gildi fyrir breytu ' %s '. diff --git a/htdocs/langs/is_IS/main.lang b/htdocs/langs/is_IS/main.lang index d1fc308e1be..29262bda30f 100644 --- a/htdocs/langs/is_IS/main.lang +++ b/htdocs/langs/is_IS/main.lang @@ -471,7 +471,7 @@ TotalDuration=Samtals tímalengd Summary=Yfirlit DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Laus NotYetAvailable=Ekki enn í boði NotAvailable=Ekki í boði @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Samningur ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Verkefni ContactDefault_propal=Tillaga @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/is_IS/modulebuilder.lang b/htdocs/langs/is_IS/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/is_IS/modulebuilder.lang +++ b/htdocs/langs/is_IS/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/is_IS/mrp.lang b/htdocs/langs/is_IS/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/is_IS/mrp.lang +++ b/htdocs/langs/is_IS/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/is_IS/orders.lang b/htdocs/langs/is_IS/orders.lang index f950b7ca32c..b212a477896 100644 --- a/htdocs/langs/is_IS/orders.lang +++ b/htdocs/langs/is_IS/orders.lang @@ -11,6 +11,7 @@ OrderDate=Panta dagsetningu OrderDateShort=Panta dagsetningu OrderToProcess=Til að framkvæma NewOrder=New Order +NewOrderSupplier=New Purchase Order ToOrder=Gera röð MakeOrder=Gera röð SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Hætt við StatusOrderDraftShort=Víxill StatusOrderValidatedShort=Staðfestar @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Við reikning StatusOrderToBillShort=Við reikning StatusOrderApprovedShort=Samþykkt StatusOrderRefusedShort=Neitaði -StatusOrderBilledShort=Billed StatusOrderToProcessShort=Til að ganga frá StatusOrderReceivedPartiallyShort=Að hluta til fékk StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Afgreitt StatusOrderToBill=Við reikning StatusOrderApproved=Samþykkt StatusOrderRefused=Neitaði -StatusOrderBilled=Billed StatusOrderReceivedPartially=Að hluta til fékk StatusOrderReceivedAll=All products received ShippingExist=A sendingunni til @@ -68,8 +69,9 @@ ValidateOrder=Staðfesta röð UnvalidateOrder=Unvalidate röð DeleteOrder=Eyða röð CancelOrder=Hætta við röð -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Sýna röð OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Sími # Documents models -PDFEinsteinDescription=A heill til líkan (logo. ..) -PDFEratostheneDescription=A heill til líkan (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Einföld röð líkan -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Hætt við +StatusSupplierOrderDraftShort=Drög +StatusSupplierOrderValidatedShort=Staðfest +StatusSupplierOrderSentShort=Í ferli +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Afgreitt +StatusSupplierOrderDelivered=Við reikning +StatusSupplierOrderDeliveredShort=Við reikning +StatusSupplierOrderToBillShort=Við reikning +StatusSupplierOrderApprovedShort=Samþykkt +StatusSupplierOrderRefusedShort=Neitaði +StatusSupplierOrderToProcessShort=Til að ganga frá +StatusSupplierOrderReceivedPartiallyShort=Að hluta til fékk +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Hætt við +StatusSupplierOrderDraft=Víxill (þarf að vera staðfest) +StatusSupplierOrderValidated=Staðfest +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Afgreitt +StatusSupplierOrderToBill=Við reikning +StatusSupplierOrderApproved=Samþykkt +StatusSupplierOrderRefused=Neitaði +StatusSupplierOrderReceivedPartially=Að hluta til fékk +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/is_IS/other.lang b/htdocs/langs/is_IS/other.lang index 765b7b8fd6f..79ddeefadcc 100644 --- a/htdocs/langs/is_IS/other.lang +++ b/htdocs/langs/is_IS/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage meðlimum úr grunni DemoFundation2=Manage Aðilar og bankareikning sem grunn DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage búð með reiðufé skrifborðið -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Búið til af %s ModifiedBy=Breytt af %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Titill WEBSITE_DESCRIPTION=Lýsing WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/is_IS/projects.lang b/htdocs/langs/is_IS/projects.lang index 72603749e37..8c8ccbfe3be 100644 --- a/htdocs/langs/is_IS/projects.lang +++ b/htdocs/langs/is_IS/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Árangursrík Lengd ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Tími OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Nýr reikningur +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/is_IS/propal.lang b/htdocs/langs/is_IS/propal.lang index e2a83bf647a..f3772bcd2ad 100644 --- a/htdocs/langs/is_IS/propal.lang +++ b/htdocs/langs/is_IS/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Sýna tillögu PropalsDraft=Drög PropalsOpened=Opnaðu PropalStatusDraft=Víxill (þarf að vera staðfest) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Staðfestar (Tillagan er opið) PropalStatusSigned=Undirritað (þarf greiðanda) PropalStatusNotSigned=Ekki skráð (lokað) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Viðskiptavinur Reikningar samband TypeContact_propal_external_CUSTOMER=Viðskiptavinur samband eftirfarandi upp tillögu TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A heill tillögu líkan (logo. ..) -DocModelCyanDescription=A heill tillögu líkan (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/is_IS/stocks.lang b/htdocs/langs/is_IS/stocks.lang index b7eff54a069..3c0d56b32b8 100644 --- a/htdocs/langs/is_IS/stocks.lang +++ b/htdocs/langs/is_IS/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Sýna vöruhús MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/it_IT/accountancy.lang b/htdocs/langs/it_IT/accountancy.lang index 2392f7bb741..7cfa7a19f47 100644 --- a/htdocs/langs/it_IT/accountancy.lang +++ b/htdocs/langs/it_IT/accountancy.lang @@ -5,248 +5,249 @@ ACCOUNTING_EXPORT_SEPARATORCSV=Separatore delle colonne nel file di esportazione ACCOUNTING_EXPORT_DATE=Formato della data per i file di esportazione ACCOUNTING_EXPORT_PIECE=Esporta il numero di pezzi ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Esporta con account globale -ACCOUNTING_EXPORT_LABEL=Etichetta di esportazione -ACCOUNTING_EXPORT_AMOUNT=Importo dell'esportazione -ACCOUNTING_EXPORT_DEVISE=Valuta dell'esportazione +ACCOUNTING_EXPORT_LABEL=Esporta etichetta +ACCOUNTING_EXPORT_AMOUNT=Esporta importo +ACCOUNTING_EXPORT_DEVISE=Esporta valuta Selectformat=Scegli il formato del file -ACCOUNTING_EXPORT_FORMAT=Seleziona il formato per il file +ACCOUNTING_EXPORT_FORMAT=Scegli il formato del file ACCOUNTING_EXPORT_ENDLINE=Seleziona il tipo di ritorno a capo -ACCOUNTING_EXPORT_PREFIX_SPEC=Specificare il prefisso per il nome del file +ACCOUNTING_EXPORT_PREFIX_SPEC=Specifica il prefisso per il nome del file ThisService=Questo servizio ThisProduct=Questo prodotto -DefaultForService=Predefinito per il servizio +DefaultForService=Predefinito per servizio DefaultForProduct=Predefinito per prodotto CantSuggest=Non posso suggerire -AccountancySetupDoneFromAccountancyMenu=La maggior parte della configurazione della contabilità viene effettuata dal menu %s +AccountancySetupDoneFromAccountancyMenu=La maggior parte del setup della contabilità è effettuata dal menù %s ConfigAccountingExpert=Configurazione del modulo contabilità esperta -Journalization=Journalization -Journaux=riviste -JournalFinancial=Riviste finanziarie -BackToChartofaccounts=Restituisci piano dei conti +Journalization=Giornali +Journaux=Giornali +JournalFinancial=Giornali finanziari +BackToChartofaccounts=Ritorna alla lista dell'account Chartofaccounts=Piano dei conti -CurrentDedicatedAccountingAccount=Conto dedicato corrente +CurrentDedicatedAccountingAccount=Attuale account dedicato AssignDedicatedAccountingAccount=Nuovo account da assegnare InvoiceLabel=Etichetta fattura -OverviewOfAmountOfLinesNotBound=Panoramica della quantità di righe non associate a un conto contabile -OverviewOfAmountOfLinesBound=Panoramica della quantità di righe già associate a un conto contabile +OverviewOfAmountOfLinesNotBound=Panoramica della quantità di linee non collegate a un account contabile +OverviewOfAmountOfLinesBound=Panoramica della quantità di linee già associate a un account contabile OtherInfo=Altre informazioni -DeleteCptCategory=Rimuovi l'account contabile dal gruppo -ConfirmDeleteCptCategory=Vuoi rimuovere questo account contabile dal gruppo di account contabili? -JournalizationInLedgerStatus=Stato della giornalizzazione -AlreadyInGeneralLedger=Già pubblicato nei registri -NotYetInGeneralLedger=Non ancora pubblicato nei registri -GroupIsEmptyCheckSetup=Il gruppo è vuoto, controllare l'impostazione del gruppo contabile personalizzato -DetailByAccount=Mostra i dettagli per account -AccountWithNonZeroValues=Conti con valori diversi da zero -ListOfAccounts=Elenco dei conti +DeleteCptCategory=Rimuovi conto corrente dal gruppo +ConfirmDeleteCptCategory=Sei sicuro di voler rimuovere questo account contabile dal gruppo di account contabilità? +JournalizationInLedgerStatus=Stato delle registrazioni +AlreadyInGeneralLedger=Già registrato nei libri mastri +NotYetInGeneralLedger=Non ancora registrato nei libri mastri +GroupIsEmptyCheckSetup=Il gruppo è vuoto, controlla le impostazioni del gruppo personalizzato di contabilità +DetailByAccount=Mostra dettagli dall'account +AccountWithNonZeroValues=Account con valori non-zero +ListOfAccounts=Lista degli account CountriesInEEC=Paesi nella CEE -CountriesNotInEEC=Paesi non nella CEE -CountriesInEECExceptMe=Paesi nella CEE tranne %s -CountriesExceptMe=Tutti i paesi tranne %s -AccountantFiles=Esporta documenti contabili +CountriesNotInEEC=Paesi al di fuori della CEE +CountriesInEECExceptMe=Paesi nella CEE eccetto %s +CountriesExceptMe=Tutti i paesi eccetto %s +AccountantFiles=Esportare documenti contabili -MainAccountForCustomersNotDefined=Conto contabile principale per clienti non definiti nell'impostazione -MainAccountForSuppliersNotDefined=Conto contabile principale per i fornitori non definiti nella configurazione -MainAccountForUsersNotDefined=Conto contabile principale per utenti non definiti nella configurazione -MainAccountForVatPaymentNotDefined=Conto contabile principale per il pagamento dell'IVA non definito nell'impostazione -MainAccountForSubscriptionPaymentNotDefined=Conto contabile principale per il pagamento dell'abbonamento non definito nella configurazione +MainAccountForCustomersNotDefined=Account principale di contabilità per i clienti non definito nel setup +MainAccountForSuppliersNotDefined=Account principale di contabilità per fornitori non definito nel setup +MainAccountForUsersNotDefined=Account principale di contabilità per gli utenti non definito nel setup +MainAccountForVatPaymentNotDefined=Account principale di contabilità per il pagamento dell'IVA non definito nel setup +MainAccountForSubscriptionPaymentNotDefined=Account principale di contabilità per il pagamento degli abbonamenti non definito nel setup -AccountancyArea=Area contabile -AccountancyAreaDescIntro=L'utilizzo del modulo di contabilità viene effettuato in più passaggi: -AccountancyAreaDescActionOnce=Le seguenti azioni vengono generalmente eseguite una sola volta o una volta all'anno ... -AccountancyAreaDescActionOnceBis=I prossimi passi dovrebbero essere fatti per farti risparmiare tempo in futuro, suggerendoti l'account di contabilità predefinito corretto quando si effettua la giornalizzazione (scrivere record in Riviste e libro mastro) -AccountancyAreaDescActionFreq=Le seguenti azioni vengono generalmente eseguite ogni mese, settimana o giorno per aziende molto grandi ... +AccountancyArea=Area di contabilità +AccountancyAreaDescIntro=L'utilizzo del modulo di contabilità è effettuato in diversi step: +AccountancyAreaDescActionOnce=Le seguenti azioni vengono di solito eseguite una volta sola, o una volta all'anno... +AccountancyAreaDescActionOnceBis=I prossimi passi dovrebbero essere fatti per farti risparmiare tempo in futuro, suggerendoti l'account di contabilità predefinito corretto quando fai la registrazione nel Giornale (registra nel Libro Mastro e Contabilità Generale) +AccountancyAreaDescActionFreq=Le seguenti azioni vengono di solito eseguite ogni mese, settimana o giorno per le grandi compagnie... -AccountancyAreaDescJournalSetup=PASSAGGIO %s: creare o controllare il contenuto dell'elenco del journal dal menu %s -AccountancyAreaDescChartModel=PASSAGGIO %s: Crea un modello di piano dei conti dal menu %s -AccountancyAreaDescChart=PASSAGGIO %s: Crea o controlla il contenuto del tuo piano dei conti dal menu %s +AccountancyAreaDescJournalSetup=PASSO %s: Crea o controlla il contenuto del tuo elenco del giornale dal menu %s +AccountancyAreaDescChartModel=STEP %s: Crea un modello di piano dei conti dal menu %s +AccountancyAreaDescChart=STEP %s: Crea o seleziona il tuo piano dei conti dal menu %s -AccountancyAreaDescVat=PASSAGGIO %s: definizione dei conti contabili per ciascuna aliquota IVA. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescDefault=PASSAGGIO %s: definizione dei conti contabili predefiniti. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescExpenseReport=PASSAGGIO %s: definire conti contabili predefiniti per ciascun tipo di nota spese. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescSal=PASSAGGIO %s: definire conti contabili predefiniti per il pagamento degli stipendi. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescContrib=PASSAGGIO %s: definire conti contabili predefiniti per spese speciali (imposte varie). A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescDonation=PASSAGGIO %s: definire conti contabili predefiniti per la donazione. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescSubscription=PASSAGGIO %s: definire account contabili predefiniti per l'abbonamento membro. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescMisc=PASSAGGIO %s: definire un account predefinito obbligatorio e account contabili predefiniti per transazioni varie. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescLoan=PASSAGGIO %s: definire conti contabili predefiniti per i prestiti. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescBank=PASSAGGIO %s: definire conti contabili e codice giornale per ogni conto bancario e finanziario. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescProd=PASSAGGIO %s: definizione degli account contabili sui prodotti / servizi. A tale scopo, utilizzare la voce di menu %s. +AccountancyAreaDescVat=STEP %s: Definisci le voci del piano dei conti per ogni IVA/tassa. Per fare ciò usa il menu %s. +AccountancyAreaDescDefault=STEP %s: Definisci gli account di contabilità di default. Per questo, usa la voce menù %s. +AccountancyAreaDescExpenseReport=STEP %s: Definisci gli account di contabilità di default per ogni tipo di nota spese. Per questo, usa la voce di menù %s. +AccountancyAreaDescSal=STEP %s: Definisci le voci del piano dei conti per gli stipendi. Per fare ciò usa il menu %s. +AccountancyAreaDescContrib=STEP %s: Definisci gli account di contabilità di default per le spese extra (tasse varie). Per questo, usa la voce di menù %s. +AccountancyAreaDescDonation=STEP %s: Definisci le voci del piano dei conti per le donazioni. Per fare ciò usa il menu %s. +AccountancyAreaDescSubscription=STEP %s: Definisci gli account di contabilità di default per le sottoscrizioni membro. Per questo, usa la voce di menù %s. +AccountancyAreaDescMisc=STEP %s: Definisci l'account obbligatorio e gli account di contabilità per le transazioni varie. Per questo, usa la voce di menù %s +AccountancyAreaDescLoan=STEP %s: Definisci gli account di contabilità di default per i prestiti. Per questo, usa la voce di menù %s. +AccountancyAreaDescBank=STEP %s: Definisci le voci del piano dei conti per i giornali per ogni banca o conto finanziario. Per fare ciò usa il menu %s. +AccountancyAreaDescProd=STEP %s: Definisci le voci del piano dei conti per i tuoi prodotti/servizi. Per fare ciò usa il menu %s. -AccountancyAreaDescBind=PASSAGGIO %s: verifica l'associazione tra le righe esistenti %s e il conto contabile, quindi l'applicazione sarà in grado di inserire nel journal le transazioni in Ledger con un clic. Attacchi mancanti completi. A tale scopo, utilizzare la voce di menu %s. -AccountancyAreaDescWriteRecords=PASSAGGIO %s: scrivere le transazioni nel libro mastro. Per questo, vai nel menu %s e fai clic sul pulsante %s . -AccountancyAreaDescAnalyze=PASSAGGIO %s: aggiungere o modificare transazioni esistenti e generare report ed esportazioni. +AccountancyAreaDescBind=STEP %s: Controlla i legami fra queste %s linee esistenti e l'account di contabilità, così che l'applicazione sarà in grado di registrare le transazioni nel Libro contabile in un click. Completa i legami mancanti. Per questo, usa la voce di menù %s. +AccountancyAreaDescWriteRecords=STEP %s: Scrivi le transazioni nel piano contabile. Per fare ciò, vai nel menu %s, e clicca sul bottone %s. +AccountancyAreaDescAnalyze=STEP %s: Aggiunti o modifica le transazioni esistenti e genera i report e exportali. -AccountancyAreaDescClosePeriod=PASSAGGIO %s: periodo di chiusura in modo da non poter apportare modifiche in futuro. +AccountancyAreaDescClosePeriod=STEP %s: Chiudo il periodo così non verranno fatte modifiche in futuro. -TheJournalCodeIsNotDefinedOnSomeBankAccount=Un passaggio obbligatorio nella configurazione non è stato completato (journal del codice contabile non definito per tutti i conti bancari) +TheJournalCodeIsNotDefinedOnSomeBankAccount=Uno step obbligatorio non è stato completato (il codice del diario contabile non è stato definito per tutti i conti bancari) Selectchartofaccounts=Seleziona il piano dei conti attivo ChangeAndLoad=Cambia e carica -Addanaccount=Aggiungi un account contabile -AccountAccounting=Conto contabile +Addanaccount=Aggiungi un conto di contabilità +AccountAccounting=Conto di contabilità AccountAccountingShort=Conto -SubledgerAccount=Conto subledger -SubledgerAccountLabel=Etichetta conto subledger -ShowAccountingAccount=Mostra account contabile -ShowAccountingJournal=Mostra giornale contabile -AccountAccountingSuggest=Account contabile suggerito -MenuDefaultAccounts=Account predefiniti -MenuBankAccounts=conto in banca -MenuVatAccounts=Conti iva -MenuTaxAccounts=Conti fiscali -MenuExpenseReportAccounts=Conto delle spese +SubledgerAccount=Conto del registro secondario +SubledgerAccountLabel=Etichetta del conto Registro secondario +ShowAccountingAccount=Mostra conti di contabilità +ShowAccountingJournal=Mostra diario contabile +AccountAccountingSuggest=Conto suggerito per contabilità +MenuDefaultAccounts=Conti predefiniti +MenuBankAccounts=Conti bancari +MenuVatAccounts=Conti IVA +MenuTaxAccounts=Imposte fiscali +MenuExpenseReportAccounts=Conto spese MenuLoanAccounts=Conti di prestito -MenuProductsAccounts=Account del prodotto +MenuProductsAccounts=Conto prodotto MenuClosureAccounts=Conti di chiusura MenuAccountancyClosure=Chiusura MenuAccountancyValidationMovements=Convalida i movimenti -ProductsBinding=Account dei prodotti +ProductsBinding=Conti prodotti TransferInAccounting=Trasferimento in contabilità RegistrationInAccounting=Registrazione in contabilità -Binding=Legame ai conti -CustomersVentilation=Rilegatura fattura cliente -SuppliersVentilation=Rilegatura fattura fornitore -ExpenseReportsVentilation=Binding delle spese -CreateMvts=Crea una nuova transazione -UpdateMvts=Modifica di una transazione -ValidTransaction=Convalida transazione -WriteBookKeeping=Registrare le transazioni in contabilità generale -Bookkeeping=libro mastro -AccountBalance=Saldo del conto -ObjectsRef=Oggetto sorgente rif -CAHTF=Venditore di acquisto totale al lordo delle imposte -TotalExpenseReport=Rapporto spese totali -InvoiceLines=Linee di fatture da rilegare -InvoiceLinesDone=Linee vincolate di fatture -ExpenseReportLines=Righe delle note spese da vincolare -ExpenseReportLinesDone=Righe vincolate delle note spese -IntoAccount=Linea di collegamento con il conto contabile +Binding=Associazione ai conti +CustomersVentilation=Collegamento fatture attive +SuppliersVentilation=Associa fattura fornitore +ExpenseReportsVentilation=Associa nota spese +CreateMvts=Crea nuova transazione +UpdateMvts=Modifica una transazione +ValidTransaction=Valida transazione +WriteBookKeeping=Registrare le transazioni nel Libro Mastro +Bookkeeping=Libro contabile +AccountBalance=Saldo +ObjectsRef=Sorgente oggetto in riferimento +CAHTF=Totale acquisto al lordo delle imposte +TotalExpenseReport=Rapporto spese totale +InvoiceLines=Righe di fatture da vincolare +InvoiceLinesDone=Righe di fatture bloccate +ExpenseReportLines=Linee di note spese da associare +ExpenseReportLinesDone=Linee vincolate di note spese +IntoAccount=Collega linee con il piano dei conti -Ventilate=legare -LineId=Riga ID -Processing=in lavorazione -EndProcessing=Processo terminato. -SelectedLines=Linee selezionate -Lineofinvoice=Riga di fattura -LineOfExpenseReport=Riga della nota spese -NoAccountSelected=Nessun conto contabile selezionato -VentilatedinAccount=Legato correttamente all'account contabile -NotVentilatedinAccount=Non vincolato al conto contabile -XLineSuccessfullyBinded=%s prodotti / servizi associati correttamente a un conto contabile -XLineFailedToBeBinded=%s prodotti / servizi non erano vincolati a nessun conto contabile +Ventilate=Associa +LineId=Id di linea +Processing=In elaborazione +EndProcessing=Fine del processo +SelectedLines=Righe selezionate +Lineofinvoice=Riga fattura +LineOfExpenseReport=Linea di note spese +NoAccountSelected=Nessun conto di contabilità selezionato +VentilatedinAccount=Collegamento completato al piano dei conti +NotVentilatedinAccount=Non collegato al piano dei conti +XLineSuccessfullyBinded=%sprodotti/servizi correttamente collegato ad un piano dei conti +XLineFailedToBeBinded=%sprodotti/servizi non collegato a nessun piano dei conti -ACCOUNTING_LIMIT_LIST_VENTILATION=Numero di elementi da rilegare mostrato per pagina (massimo consigliato: 50) -ACCOUNTING_LIST_SORT_VENTILATION_TODO=Inizia l'ordinamento della pagina "Binding to do" in base agli elementi più recenti -ACCOUNTING_LIST_SORT_VENTILATION_DONE=Inizia l'ordinamento della pagina "Rilegatura eseguita" per gli elementi più recenti +ACCOUNTING_LIMIT_LIST_VENTILATION=Numero di elementi da associare mostrato per pagina (massimo raccomandato: 50) +ACCOUNTING_LIST_SORT_VENTILATION_TODO=Inizia ad ordinare la pagina "Associazioni da effettuare" dagli elementi più recenti +ACCOUNTING_LIST_SORT_VENTILATION_DONE=Inizia ad ordinare la pagina "Associazioni effettuate" dagli elementi più recenti -ACCOUNTING_LENGTH_DESCRIPTION=Tronca la descrizione di prodotti e servizi negli elenchi dopo x caratteri (migliore = 50) -ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Tronca il modulo di descrizione dell'account di prodotti e servizi negli elenchi dopo x caratteri (migliore = 50) -ACCOUNTING_LENGTH_GACCOUNT=Lunghezza dei conti di contabilità generale (se si imposta il valore su 6 qui, l'account "706" apparirà come "706000" sullo schermo) -ACCOUNTING_LENGTH_AACCOUNT=Lunghezza dei conti contabili di terze parti (se si imposta il valore su 6 qui, l'account "401" apparirà come "401000" sullo schermo) -ACCOUNTING_MANAGE_ZERO=Consentire di gestire un numero diverso di zeri alla fine di un conto contabile. Necessario da alcuni paesi (come la Svizzera). Se impostato su off (impostazione predefinita), è possibile impostare i due parametri seguenti per chiedere all'applicazione di aggiungere zeri virtuali. -BANK_DISABLE_DIRECT_INPUT=Disabilita la registrazione diretta della transazione sul conto bancario -ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Abilita bozza esportazione su giornale -ACCOUNTANCY_COMBO_FOR_AUX=Abilita l'elenco combo per l'account sussidiario (potrebbe essere lento se hai molte terze parti) +ACCOUNTING_LENGTH_DESCRIPTION=Tronca la descrizione di prodotto & servizi negli elenchi dopo x caratteri (Consigliato = 50) +ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Troncare il modulo di descrizione del conto prodotti e servizi in elenchi dopo x caratteri (Migliore = 50) +ACCOUNTING_LENGTH_GACCOUNT=Lunghezza generale del piano dei conti (se imposti come valore 6 qui, il conto 706 apparirà come 706000) +ACCOUNTING_LENGTH_AACCOUNT=Lunghezza della contabilità di terze parti (se imposti un valore uguale a 6 ad esempio, il conto '401' apparirà come '401000' sullo schermo) +ACCOUNTING_MANAGE_ZERO=Consentire di gestire un diverso numero di zeri alla fine di un conto contabile. Necessario in alcuni paesi (come la Svizzera). Se impostato su off (predefinito), è possibile impostare i seguenti due parametri per chiedere all'applicazione di aggiungere zeri virtuali. +BANK_DISABLE_DIRECT_INPUT=Disabilita la registrazione diretta della transazione nel conto bancario +ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Abilita la bozza di esportazione sul giornale +ACCOUNTANCY_COMBO_FOR_AUX=Abilita l'elenco combinato per il conto secondario (potrebbe essere lento se hai un sacco di terze parti) -ACCOUNTING_SELL_JOURNAL=Vendi diario -ACCOUNTING_PURCHASE_JOURNAL=Acquista diario -ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario vario -ACCOUNTING_EXPENSEREPORT_JOURNAL=Diario delle spese -ACCOUNTING_SOCIAL_JOURNAL=Diario sociale -ACCOUNTING_HAS_NEW_JOURNAL=Ha un nuovo diario +ACCOUNTING_SELL_JOURNAL=Giornale Vendite +ACCOUNTING_PURCHASE_JOURNAL=Giornale Acquisti +ACCOUNTING_MISCELLANEOUS_JOURNAL=Giornale Varie +ACCOUNTING_EXPENSEREPORT_JOURNAL=Giornale Note Spese +ACCOUNTING_SOCIAL_JOURNAL=Giornale Sociale +ACCOUNTING_HAS_NEW_JOURNAL=Ha un nuovo giornale -ACCOUNTING_RESULT_PROFIT=Conto di contabilità dei risultati (profitto) -ACCOUNTING_RESULT_LOSS=Conto di contabilità dei risultati (perdita) -ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Diario di chiusura +ACCOUNTING_RESULT_PROFIT=Conto contabile risultante (profitto) +ACCOUNTING_RESULT_LOSS=Conto contabile risultato (perdita) +ACCOUNTING_CLOSURE_DEFAULT_JOURNAL=Giornale di chiusura -ACCOUNTING_ACCOUNT_TRANSFER_CASH=Conto contabile del bonifico bancario di transizione +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Conto contabile del bonifico bancario transitorio TransitionalAccount=Conto di trasferimento bancario transitorio -ACCOUNTING_ACCOUNT_SUSPENSE=Conto contabile dell'attesa -DONATION_ACCOUNTINGACCOUNT=Conto contabile per registrare le donazioni +ACCOUNTING_ACCOUNT_SUSPENSE=Conto di contabilità di attesa +DONATION_ACCOUNTINGACCOUNT=Conto di contabilità per registrare le donazioni ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Conto contabile per registrare gli abbonamenti -ACCOUNTING_PRODUCT_BUY_ACCOUNT=Conto contabile predefinito per i prodotti acquistati (solo se non definito nella scheda prodotto) -ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Conto contabile per impostazione predefinita per i prodotti venduti (usato se non definito nella scheda prodotto) -ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Conto contabile predefinito per i prodotti venduti nella CEE (solo se non definito nella scheda prodotto) -ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Conto contabile predefinito per i prodotti venduti ed esportati fuori dalla CEE (solo se non definito nella scheda prodotto) -ACCOUNTING_SERVICE_BUY_ACCOUNT=Account contabile per impostazione predefinita per i servizi acquistati (utilizzato se non definito nel foglio di servizio) -ACCOUNTING_SERVICE_SOLD_ACCOUNT=Conto contabile per impostazione predefinita per i servizi venduti (utilizzato se non definito nel foglio di servizio) +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Conto di contabilità predefinito per i prodotti acquistati (se non definito nella scheda prodotto) +ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Conto di contabilità predefinito per i prodotti venduti (se non definito nella scheda prodotto) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Conto contabile per impostazione predefinita per i prodotti venduti in CEE (utilizzato se non definito nella scheda prodotto) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Conto contabile per impostazione predefinita per l'esportazione dei prodotti venduti fuori dalla CEE (utilizzato se non definito nella scheda prodotto) +ACCOUNTING_SERVICE_BUY_ACCOUNT=Conto di contabilità per impostazione predefinita per i servizi acquistati (utilizzato se non definito nel foglio di servizio) +ACCOUNTING_SERVICE_SOLD_ACCOUNT=Conto di contabilità per impostazione predefinita per i servizi venduti (utilizzato se non definito nel foglio di servizio) ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Conto contabile predefinito per i servizi venduti nella CEE (solo se non definito nella scheda servizio) ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Conto contabile predefinito per i servizi venduti ed esportati fuori dalla CEE (solo se non definito nella scheda servizio) -Doctype=Tipo di documento +Doctype=Tipo documento Docdate=Data Docref=Riferimento -LabelAccount=Conto etichetta -LabelOperation=Operazione etichetta -Sens=Sens -LetteringCode=Codice di lettere -Lettering=lettering -Codejournal=rivista -JournalLabel=Etichetta ufficiale -NumPiece=Numero pezzo +LabelAccount=Etichetta conto +LabelOperation=Etichetta operazione +Sens=Verso +LetteringCode=Codice impressioni +Lettering=Impressioni +Codejournal=Giornale +JournalLabel=Etichetta del giornale +NumPiece=Numero del pezzo TransactionNumShort=Num. transazione AccountingCategory=Gruppi personalizzati -GroupByAccountAccounting=Raggruppa per conto contabile -AccountingAccountGroupsDesc=È possibile definire qui alcuni gruppi di conti contabili. Saranno utilizzati per report contabili personalizzati. -ByAccounts=Per account +GroupByAccountAccounting=Raggruppamento piano dei conti +AccountingAccountGroupsDesc=Qui puoi definire alcuni gruppi di conti contabili. Saranno utilizzati per rapporti contabili personalizzati. +ByAccounts=Per conto ByPredefinedAccountGroups=Per gruppi predefiniti -ByPersonalizedAccountGroups=Da gruppi personalizzati +ByPersonalizedAccountGroups=Gruppi personalizzati ByYear=Per anno NotMatch=Non impostato -DeleteMvt=Elimina le righe del libro mastro +DeleteMvt=Cancella linee libro contabile DelMonth=Mese da cancellare DelYear=Anno da cancellare -DelJournal=Diario da eliminare -ConfirmDeleteMvt=Questo eliminerà tutte le righe del libro mastro per il mese/anno e/o da uno specifico registro contabile (è richiesto almeno un criterio). Si dovrà riutilizzare la funzione "Registrazione in contabilità" per riottenere il record eliminato nel libro mastro. -ConfirmDeleteMvtPartial=Ciò eliminerà la transazione dal libro mastro (verranno eliminate tutte le righe relative alla stessa transazione) -FinanceJournal=Diario finanziario -ExpenseReportsJournal=Diario delle spese -DescFinanceJournal=Giornale finanziario che include tutti i tipi di pagamenti tramite conto bancario -DescJournalOnlyBindedVisible=Questa è una vista di record che sono associati a un conto contabile e possono essere registrati nel libro mastro. +DelJournal=Giornale da cancellare +ConfirmDeleteMvt=Questo cancellerà tutte le righe del libro mastro per l'anno e/o da un giornale specifico. È richiesto almeno un criterio. +ConfirmDeleteMvtPartial=Questo cancellerà la transazione dal libro mastro (tutte le righe relative alla stessa transazione saranno cancellate) +FinanceJournal=Giornale delle finanze +ExpenseReportsJournal=Rapporto spese +DescFinanceJournal=Giornale finanziario che include tutti i tipi di pagamenti per conto bancario +DescJournalOnlyBindedVisible=Questa è una vista del record che sono legati a un conto contabile e possono essere registrati nel libro mastro. VATAccountNotDefined=Conto per IVA non definito -ThirdpartyAccountNotDefined=Account per terze parti non definito +ThirdpartyAccountNotDefined=Conto per terze parti non definito ProductAccountNotDefined=Account per prodotto non definito -FeeAccountNotDefined=Conto per tariffa non definita +FeeAccountNotDefined=Conto per tassa non definito BankAccountNotDefined=Conto per banca non definito -CustomerInvoicePayment=Pagamento del cliente fattura -ThirdPartyAccount=Conto di terzi +CustomerInvoicePayment=Pagamento fattura attiva +ThirdPartyAccount=Conto terze parti NewAccountingMvt=Nuova transazione -NumMvts=Numerose transazioni -ListeMvts=Elenco dei movimenti -ErrorDebitCredit=L'addebito e il credito non possono avere un valore contemporaneamente -AddCompteFromBK=Aggiungi account contabili al gruppo -ReportThirdParty=Elenca account di terze parti -DescThirdPartyReport=Consulta qui l'elenco di clienti e fornitori di terze parti e i loro conti contabili -ListAccounts=Elenco dei conti contabili -UnknownAccountForThirdparty=Account di terze parti sconosciuto. Useremo %s -UnknownAccountForThirdpartyBlocking=Account di terze parti sconosciuto. Errore di blocco -ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Account di terze parti non definito o sconosciuto di terze parti. Useremo %s -ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Account di terze parti non definito o sconosciuto di terze parti. Errore di blocco. -UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Account di terze parti sconosciuto e account in attesa non definito. Errore di blocco -PaymentsNotLinkedToProduct=Pagamento non collegato a nessun prodotto / servizio +NumMvts=Numero della transazione +ListeMvts=Lista dei movimenti +ErrorDebitCredit=Debito e Credito non possono avere un valore contemporaneamente +AddCompteFromBK=Aggiungi conto di contabilità al gruppo +ReportThirdParty=Elenca conti di terze parti +DescThirdPartyReport=Consulta qui l'elenco dei clienti e fornitori di terze parti e i loro conti contabili +ListAccounts=Lista delle voci del piano dei conti +UnknownAccountForThirdparty=Conto di terze parti sconosciuto. Useremo %s +UnknownAccountForThirdpartyBlocking=Conto di terze parti sconosciuto. Errore di blocco +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Conto di terzi non definito o sconosciuto. Useremo %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Third-party unknown and subledger not defined on the payment. We will keep the subledger account value empty. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Third-party account not defined or third party unknown. Blocking error. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Unknown third-party account and waiting account not defined. Blocking error +PaymentsNotLinkedToProduct=Payment not linked to any product / service -Pcgtype=Gruppo di account -Pcgsubtype=Sottogruppo di account -PcgtypeDesc=Il gruppo e il sottogruppo di account vengono utilizzati come criteri predefiniti di "filtro" e "raggruppamento" per alcuni rapporti contabili. Ad esempio, "REDDITO" o "SPESA" sono utilizzati come gruppi per la contabilità dei prodotti per creare il rapporto spese / entrate. +Pcgtype=Gruppo di conto +Pcgsubtype=Sottogruppo di conto +PcgtypeDesc=Group and subgroup of account are used as predefined 'filter' and 'grouping' criteria for some accounting reports. For example, 'INCOME' or 'EXPENSE' are used as groups for accounting accounts of products to build the expense/income report. -TotalVente=Fatturato totale al lordo delle imposte -TotalMarge=Margine di vendita totale +TotalVente=Total turnover before tax +TotalMarge=Margine totale sulle vendite -DescVentilCustomer=Consulta qui l'elenco delle righe della fattura cliente associate (o meno) a un conto contabile del prodotto -DescVentilMore=Nella maggior parte dei casi, se si utilizzano prodotti o servizi predefiniti e si imposta il numero di conto sulla scheda prodotto / servizio, l'applicazione sarà in grado di effettuare tutta l'associazione tra le righe della fattura e il conto contabile del piano dei conti, proprio in un clic con il pulsante "%s" . Se l'account non è stato impostato su schede prodotto / servizio o se si dispone ancora di alcune righe non associate a un account, sarà necessario effettuare un'associazione manuale dal menu " %s ". -DescVentilDoneCustomer=Consulta qui l'elenco delle linee di fatture clienti e il loro account di contabilità dei prodotti -DescVentilTodoCustomer=Associare le righe della fattura non già associate a un account di contabilità del prodotto -ChangeAccount=Modificare il conto contabile del prodotto / servizio per le linee selezionate con il seguente conto contabile: +DescVentilCustomer=Consult here the list of customer invoice lines bound (or not) to a product accounting account +DescVentilMore=In most cases, if you use predefined products or services and you set the account number on the product/service card, the application will be able to make all the binding between your invoice lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on product/service cards or if you still have some lines not bound to an account, you will have to make a manual binding from the menu "%s". +DescVentilDoneCustomer=Consult here the list of the lines of invoices customers and their product accounting account +DescVentilTodoCustomer=Bind invoice lines not already bound with a product accounting account +ChangeAccount=Change the product/service accounting account for selected lines with the following accounting account: Vide=- -DescVentilSupplier=Consulta qui le righe fattura del fornitore, associate o non ancora associate ad un conto contabile del prodotto (sono visibili solo i record non ancora trasferiti in contabilità) -DescVentilDoneSupplier=Consulta qui l'elenco delle righe delle fatture del fornitore e il loro conto contabile -DescVentilTodoExpenseReport=Rilegare le righe della nota spese non già associate a un conto contabile delle commissioni -DescVentilExpenseReport=Consultare qui l'elenco delle righe della nota spese vincolate (o meno) a un conto contabile delle commissioni -DescVentilExpenseReportMore=Se si imposta il conto contabile sul tipo di righe della nota spese, l'applicazione sarà in grado di effettuare tutta l'associazione tra le linee della nota spese e il conto contabile del piano dei conti, semplicemente con un clic con il pulsante "%s" . Se l'account non è stato impostato nel dizionario delle commissioni o se si dispone ancora di alcune righe non associate a nessun account, sarà necessario effettuare un'associazione manuale dal menu " %s ". -DescVentilDoneExpenseReport=Consulta qui l'elenco delle righe delle note spese e il loro conto contabile delle commissioni +DescVentilSupplier=Consult here the list of vendor invoice lines bound or not yet bound to a product accounting account +DescVentilDoneSupplier=Consult here the list of the lines of vendor invoices and their accounting account +DescVentilTodoExpenseReport=Bind expense report lines not already bound with a fee accounting account +DescVentilExpenseReport=Consult here the list of expense report lines bound (or not) to a fee accounting account +DescVentilExpenseReportMore=If you setup accounting account on type of expense report lines, the application will be able to make all the binding between your expense report lines and the accounting account of your chart of accounts, just in one click with the button "%s". If account was not set on fees dictionary or if you still have some lines not bound to any account, you will have to make a manual binding from the menu "%s". +DescVentilDoneExpenseReport=Consult here the list of the lines of expenses reports and their fees accounting account DescClosure=Consultare qui il numero di movimenti per mese che non sono stati convalidati e gli anni fiscali già aperti OverviewOfMovementsNotValidated=Passaggio 1 / Panoramica dei movimenti non convalidati. (Necessario per chiudere un anno fiscale) @@ -254,108 +255,108 @@ ValidateMovements=Convalida i movimenti DescValidateMovements=Qualsiasi modifica o cancellazione di scrittura, lettura e cancellazione sarà vietata. Tutte le voci per un esercizio devono essere convalidate altrimenti la chiusura non sarà possibile SelectMonthAndValidate=Seleziona il mese e convalida i movimenti -ValidateHistory=Associa automaticamente -AutomaticBindingDone=Rilegatura automatica eseguita +ValidateHistory=Collega automaticamente +AutomaticBindingDone=Collegamento automatico fatto -ErrorAccountancyCodeIsAlreadyUse=Errore, non è possibile eliminare questo account contabile perché è utilizzato -MvtNotCorrectlyBalanced=Movimento non correttamente bilanciato. Debito = %s | Credito = %s -Balancing=equilibratura -FicheVentilation=Carta vincolante -GeneralLedgerIsWritten=Le transazioni sono scritte nel libro mastro -GeneralLedgerSomeRecordWasNotRecorded=Alcune delle transazioni non possono essere giornalizzate. Se non ci sono altri messaggi di errore, ciò è probabilmente dovuto al fatto che erano già stati pubblicati su giornale. -NoNewRecordSaved=Niente più registrazioni da giornalizzare -ListOfProductsWithoutAccountingAccount=Elenco di prodotti non vincolati a nessun conto contabile -ChangeBinding=Cambia l'associazione -Accounted=Registrato nel libro mastro -NotYetAccounted=Non ancora registrato nel libro mastro +ErrorAccountancyCodeIsAlreadyUse=Errore, non puoi cancellare la voce del piano dei conti perché è utilizzata +MvtNotCorrectlyBalanced=Movement not correctly balanced. Debit = %s | Credit = %s +Balancing=Balancing +FicheVentilation=Binding card +GeneralLedgerIsWritten=Transazioni scritte nel libro contabile +GeneralLedgerSomeRecordWasNotRecorded=Some of the transactions could not be journalized. If there is no other error message, this is probably because they were already journalized. +NoNewRecordSaved=No more record to journalize +ListOfProductsWithoutAccountingAccount=Lista di prodotti non collegati a nessun piano dei conti +ChangeBinding=Cambia il piano dei conti +Accounted=Accounted in ledger +NotYetAccounted=Not yet accounted in ledger ShowTutorial=Mostra tutorial ## Admin ApplyMassCategories=Applica categorie di massa -AddAccountFromBookKeepingWithNoCategories=Account disponibile non ancora nel gruppo personalizzato -CategoryDeleted=La categoria per l'account contabile è stata rimossa -AccountingJournals=Riviste contabili -AccountingJournal=Giornale contabile -NewAccountingJournal=Nuovo giornale contabile -ShowAccountingJournal=Mostra giornale contabile -NatureOfJournal=Natura del diario -AccountingJournalType1=Operazioni varie -AccountingJournalType2=I saldi -AccountingJournalType3=acquisti +AddAccountFromBookKeepingWithNoCategories=Available account not yet in the personalized group +CategoryDeleted=Category for the accounting account has been removed +AccountingJournals=Libri contabili +AccountingJournal=Accounting journal +NewAccountingJournal=New accounting journal +ShowAccountingJournal=Mostra diario contabile +NatureOfJournal=Nature of Journal +AccountingJournalType1=Miscellaneous operations +AccountingJournalType2=Vendite +AccountingJournalType3=Acquisti AccountingJournalType4=Banca -AccountingJournalType5=Rapporto spese +AccountingJournalType5=Expenses report AccountingJournalType8=Inventario -AccountingJournalType9=Ha-new -ErrorAccountingJournalIsAlreadyUse=Questo diario è già in uso -AccountingAccountForSalesTaxAreDefinedInto=Nota: il conto contabile per l'imposta sulle vendite è definito nel menu %s - %s -NumberOfAccountancyEntries=Numero di entrate -NumberOfAccountancyMovements=Numero di movimenti +AccountingJournalType9=Has-new +ErrorAccountingJournalIsAlreadyUse=Questo giornale è già in uso +AccountingAccountForSalesTaxAreDefinedInto=Note: Accounting account for Sales tax are defined into menu %s - %s +NumberOfAccountancyEntries=Number of entries +NumberOfAccountancyMovements=Number of movements ## Export -ExportDraftJournal=Esporta bozza di giornale +ExportDraftJournal=Export draft journal Modelcsv=Modello di esportazione Selectmodelcsv=Seleziona un modello di esportazione Modelcsv_normal=Esportazione classica -Modelcsv_CEGID=Esportazione per CEGID Expert Comptabilité -Modelcsv_COALA=Esportazione per Sage Coala -Modelcsv_bob50=Esporta per Sage BOB 50 -Modelcsv_ciel=Esportazione per Sage Ciel Compta o Compta Evolution -Modelcsv_quadratus=Esporta per Quadratus QuadraCompta -Modelcsv_ebp=Esporta per EBP -Modelcsv_cogilog=Esportazione per Cogilog -Modelcsv_agiris=Esportazione per Agiris -Modelcsv_LDCompta=Esporta per LD Compta (v9 e successive) (Test) -Modelcsv_openconcerto=Esporta per OpenConcerto (Test) -Modelcsv_configurable=Esporta CSV configurabile -Modelcsv_FEC=Esporta FEC -Modelcsv_Sage50_Swiss=Esportazione per Sage 50 Svizzera -ChartofaccountsId=Id piano dei conti +Modelcsv_CEGID=Export for CEGID Expert Comptabilité +Modelcsv_COALA=Export for Sage Coala +Modelcsv_bob50=Export for Sage BOB 50 +Modelcsv_ciel=Export for Sage Ciel Compta or Compta Evolution +Modelcsv_quadratus=Export for Quadratus QuadraCompta +Modelcsv_ebp=Export for EBP +Modelcsv_cogilog=Export for Cogilog +Modelcsv_agiris=Export for Agiris +Modelcsv_LDCompta=Export for LD Compta (v9 & higher) (Test) +Modelcsv_openconcerto=Export for OpenConcerto (Test) +Modelcsv_configurable=Export CSV Configurable +Modelcsv_FEC=Export FEC +Modelcsv_Sage50_Swiss=Export for Sage 50 Switzerland +ChartofaccountsId=Id Piano dei Conti ## Tools - Init accounting account on product / service -InitAccountancy=Contabilità iniziale -InitAccountancyDesc=Questa pagina può essere utilizzata per inizializzare un conto contabile su prodotti e servizi per i quali non è stato definito un conto contabile per vendite e acquisti. -DefaultBindingDesc=Questa pagina può essere utilizzata per impostare un account predefinito da utilizzare per collegare le registrazioni delle transazioni relative a stipendi di pagamento, donazione, tasse e iva quando non era già stato impostato un conto contabile specifico. -DefaultClosureDesc=Questa pagina può essere utilizzata per impostare i parametri utilizzati per le chiusure contabili. +InitAccountancy=Inizializza contabilità +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. +DefaultClosureDesc=This page can be used to set parameters used for accounting closures. Options=Opzioni -OptionModeProductSell=Modalità di vendita -OptionModeProductSellIntra=Vendite in modalità esportate in CEE -OptionModeProductSellExport=Modalità di vendita esportate in altri paesi -OptionModeProductBuy=Acquisti in modalità -OptionModeProductSellDesc=Mostra tutti i prodotti con account contabile per le vendite. -OptionModeProductSellIntraDesc=Mostra tutti i prodotti con conto contabile per le vendite in CEE. -OptionModeProductSellExportDesc=Mostra tutti i prodotti con conto contabile per altre vendite all'estero. -OptionModeProductBuyDesc=Mostra tutti i prodotti con conto contabile per gli acquisti. -CleanFixHistory=Rimuovere il codice contabile dalle righe che non esistono nei piani dei conti -CleanHistory=Ripristina tutti i binding per l'anno selezionato +OptionModeProductSell=Modalità vendita +OptionModeProductSellIntra=Mode sales exported in EEC +OptionModeProductSellExport=Mode sales exported in other countries +OptionModeProductBuy=Modalità acquisto +OptionModeProductSellDesc=Show all products with accounting account for sales. +OptionModeProductSellIntraDesc=Show all products with accounting account for sales in EEC. +OptionModeProductSellExportDesc=Show all products with accounting account for other foreign sales. +OptionModeProductBuyDesc=Show all products with accounting account for purchases. +CleanFixHistory=Remove accounting code from lines that not exists into charts of account +CleanHistory=Resetta tutti i collegamenti per l'anno corrente PredefinedGroups=Gruppi predefiniti -WithoutValidAccount=Senza account dedicato valido -WithValidAccount=Con un account dedicato valido -ValueNotIntoChartOfAccount=Questo valore del conto contabile non esiste nel piano dei conti -AccountRemovedFromGroup=Account rimosso dal gruppo -SaleLocal=Vendita locale -SaleExport=Vendita all'esportazione -SaleEEC=Vendita nella CEE +WithoutValidAccount=Without valid dedicated account +WithValidAccount=With valid dedicated account +ValueNotIntoChartOfAccount=This value of accounting account does not exist into chart of account +AccountRemovedFromGroup=Account removed from group +SaleLocal=Local sale +SaleExport=Export sale +SaleEEC=Sale in EEC ## Dictionary -Range=Gamma di conto contabile +Range=Range of accounting account Calculated=Calcolato Formula=Formula ## Error -SomeMandatoryStepsOfSetupWereNotDone=Alcuni passaggi obbligatori della configurazione non sono stati eseguiti, completarli -ErrorNoAccountingCategoryForThisCountry=Nessun gruppo di conti contabili disponibile per il paese %s (Vedi Home - Setup - Dizionari) -ErrorInvoiceContainsLinesNotYetBounded=Si tenta di inserire nel journal alcune righe della fattura %s , ma alcune altre righe non sono ancora associate al conto contabile. La giornalizzazione di tutte le righe della fattura per questa fattura viene rifiutata. -ErrorInvoiceContainsLinesNotYetBoundedShort=Alcune righe della fattura non sono associate al conto contabile. -ExportNotSupported=Il formato di esportazione impostato non è supportato in questa pagina -BookeppingLineAlreayExists=Linee già esistenti nella contabilità -NoJournalDefined=Nessun giornale definito -Binded=Linee rilegate -ToBind=Linee da legare -UseMenuToSetBindindManualy=Linee non ancora associate, utilizzare il menu %s per eseguire manualmente l'associazione +SomeMandatoryStepsOfSetupWereNotDone=Some mandatory steps of setup was not done, please complete them +ErrorNoAccountingCategoryForThisCountry=No accounting account group available for country %s (See Home - Setup - Dictionaries) +ErrorInvoiceContainsLinesNotYetBounded=You try to journalize some lines of the invoice %s, but some other lines are not yet bounded to accounting account. Journalization of all invoice lines for this invoice are refused. +ErrorInvoiceContainsLinesNotYetBoundedShort=Alcune righe della fattura non sono collegato a un piano dei conti. +ExportNotSupported=Il formato di esportazione configurato non è supportato in questa pagina +BookeppingLineAlreayExists=Lines already existing into bookkeeping +NoJournalDefined=No journal defined +Binded=Linee collegate +ToBind=Linee da vincolare +UseMenuToSetBindindManualy=Lines not yet bound, use menu %s to make the binding manually ## Import -ImportAccountingEntries=Scritture contabili -DateExport=Data di esportazione -WarningReportNotReliable=Attenzione, questo rapporto non si basa sul libro mastro, quindi non contiene transazioni modificate manualmente nel libro mastro. Se la tua giornalizzazione è aggiornata, la visualizzazione della contabilità è più accurata. -ExpenseReportJournal=Diario delle spese -InventoryJournal=Diario dell'inventario +ImportAccountingEntries=Accounting entries +DateExport=Date export +WarningReportNotReliable=Warning, this report is not based on the Ledger, so does not contains transaction modified manually in the Ledger. If your journalization is up to date, the bookkeeping view is more accurate. +ExpenseReportJournal=Expense Report Journal +InventoryJournal=Inventory Journal diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang index 4ca18bae113..13f1070c7c9 100644 --- a/htdocs/langs/it_IT/admin.lang +++ b/htdocs/langs/it_IT/admin.lang @@ -3,258 +3,258 @@ Foundation=Fondazione Version=Versione Publisher=Editore VersionProgram=Versione programma -VersionLastInstall=Versione di installazione iniziale -VersionLastUpgrade=Versione ultimo aggiornamento +VersionLastInstall=Versione della prima installazione +VersionLastUpgrade=Ultimo aggiornamento di versione VersionExperimental=Sperimentale VersionDevelopment=Sviluppo VersionUnknown=Sconosciuta VersionRecommanded=Raccomandata -FileCheck=Controlli di integrità del set di file -FileCheckDesc=Questo strumento ti consente di verificare l'integrità dei file e l'installazione della tua applicazione, confrontando ogni file con quello ufficiale. È inoltre possibile verificare il valore di alcune costanti di installazione. Puoi usare questo strumento per determinare se qualche file è stato modificato (ad es. Da un hacker). -FileIntegrityIsStrictlyConformedWithReference=L'integrità dei file è strettamente conforme al riferimento. -FileIntegrityIsOkButFilesWereAdded=Il controllo dell'integrità dei file è stato superato, tuttavia sono stati aggiunti alcuni nuovi file. -FileIntegritySomeFilesWereRemovedOrModified=Verifica dell'integrità dei file non riuscita. Alcuni file sono stati modificati, rimossi o aggiunti. -GlobalChecksum=Checksum globale -MakeIntegrityAnalysisFrom=Effettuare analisi di integrità dei file dell'applicazione da +FileCheck=Fileset Integrity Checks +FileCheckDesc=Questo strumento ti permette di verificare l'integrità dei file e il setup della tua applicazione, confrontando ogni file con la versione ufficiale. Potrebbero essere verificati anche dei valori costanti di alcuni impostazioni. Puoi utilizzare questo strumento anche per determinare se qualche file è stato modificato (ad esempio da un hacker). +FileIntegrityIsStrictlyConformedWithReference=L'integrità dei file è strettamente conforme al riferimento. +FileIntegrityIsOkButFilesWereAdded=La verifica di integrità dei file è stata superata, tuttavia sono stati aggiunti alcuni file. +FileIntegritySomeFilesWereRemovedOrModified=Il controllo dell'integrità dei file è fallito. Alcuni file sono stati modificati, rimossi o aggiunti. +GlobalChecksum=Controllo di integrità globale +MakeIntegrityAnalysisFrom=Analizza integrità dei files dell'applicazione da LocalSignature=Firma locale incorporata (meno affidabile) -RemoteSignature=Firma remota remota (più affidabile) +RemoteSignature=Firma remota (più affidabile) FilesMissing=File mancanti FilesUpdated=File aggiornati -FilesModified=File modificati -FilesAdded=File aggiunti -FileCheckDolibarr=Verifica l'integrità dei file dell'applicazione -AvailableOnlyOnPackagedVersions=Il file locale per il controllo dell'integrità è disponibile solo quando l'applicazione è installata da un pacchetto ufficiale -XmlNotFound=File di integrità Xml dell'applicazione non trovato +FilesModified=Files modificati +FilesAdded=Files aggiunti +FileCheckDolibarr=Controlla l'integrità dei file dell'applicazione +AvailableOnlyOnPackagedVersions=Il file locale per la verifica d'integrità è disponibile solo quando l'applicazione è installata da un pacchetto ufficiale +XmlNotFound=File xml di controllo integrità non trovato SessionId=ID di sessione SessionSaveHandler=Handler per il salvataggio dell sessioni -SessionSavePath=Posizione di salvataggio della sessione -PurgeSessions=Eliminazione delle sessioni -ConfirmPurgeSessions=Vuoi davvero eliminare tutte le sessioni? Questo disconnetterà ogni utente (tranne te stesso). -NoSessionListWithThisHandler=Il gestore della sessione di salvataggio configurato nel tuo PHP non consente di elencare tutte le sessioni in esecuzione. -LockNewSessions=Blocca nuove connessioni -ConfirmLockNewSessions=Sei sicuro di voler limitare qualsiasi nuova connessione Dolibarr a te stesso? Solo l'utente %s potrà connettersi successivamente. -UnlockNewSessions=Rimuovere il blocco della connessione +SessionSavePath=Percorso dove salvare le sessioni +PurgeSessions=Pulizia delle sessioni +ConfirmPurgeSessions=Vuoi davvero eliminare tutte le sessioni? Questo causerà la disconnessione di tutti gli utenti (tranne te). +NoSessionListWithThisHandler=Il gestore delle sessioni configurato nel PHP non consente di elencare tutte le sessioni attive. +LockNewSessions=Blocca le nuove connessioni +ConfirmLockNewSessions=Sei sicuro di voler restringere qualsiasi connessione a Dolibarr a te stesso? Solo l'utente %sriuscirà a connettersi successivamente. +UnlockNewSessions=Rimuovi il blocco connessioni YourSession=La tua sessione -Sessions=Sessioni degli utenti +Sessions=Sessioni utente WebUserGroup=Utente/gruppo del server web (per esempio www-data) -NoSessionFound=La tua configurazione PHP sembra non consentire l'elenco delle sessioni attive. La directory utilizzata per salvare le sessioni ( %s ) può essere protetta (ad esempio dalle autorizzazioni del sistema operativo o dalla direttiva PHP open_basedir). +NoSessionFound=La tua configurazione PHP sembra non permetta di mostrare le sessioni attive. La directory utilizzata per salvare le sessioni (%s) potrebbe non essere protetta (per esempio tramite permessi SO oppure dalla direttiva PHP open_basedir). DBStoringCharset=Charset per il salvataggio dei dati nel database DBSortingCharset=Set di caratteri del database per ordinare i dati -ClientCharset=Charset client -ClientSortingCharset=Fascicolazione del cliente +ClientCharset=Client charset +ClientSortingCharset=Client collation WarningModuleNotActive=Il modulo %s deve essere attivato -WarningOnlyPermissionOfActivatedModules=Qui sono mostrate solo le autorizzazioni relative ai moduli attivati. Puoi attivare altri moduli nella pagina Home-> Setup-> Moduli. +WarningOnlyPermissionOfActivatedModules=Qui vengono mostrate solo le autorizzazioni relative ai moduli attivi. È possibile attivare altri moduli nelle impostazioni - pagina Moduli. DolibarrSetup=Installazione o aggiornamento di Dolibarr InternalUser=Utente interno ExternalUser=Utente esterno InternalUsers=Utenti interni ExternalUsers=Utenti esterni -GUISetup=Schermo -SetupArea=Impostare +GUISetup=Aspetto grafico e lingua +SetupArea=Impostazioni UploadNewTemplate=Carica nuovi modelli -FormToTestFileUploadForm=Modulo per testare il caricamento del file (in base alla configurazione) -IfModuleEnabled=Nota: sì è efficace solo se il modulo %s è abilitato -RemoveLock=Rimuovere / rinominare il file %s se esiste, per consentire l'utilizzo dello strumento Aggiorna / Installa. -RestoreLock=Ripristina il file %s , solo con autorizzazione di lettura, per disabilitare qualsiasi ulteriore utilizzo dello strumento Aggiorna / Installa. +FormToTestFileUploadForm=Modulo per provare il caricamento file (secondo la configurazione) +IfModuleEnabled=Nota: funziona solo se il modulo %s è attivo +RemoveLock=Remove/rename file %s if it exists, to allow usage of the Update/Install tool. +RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Impostazioni per la sicurezza -SecurityFilesDesc=Definire qui le opzioni relative alla sicurezza sul caricamento dei file. +SecurityFilesDesc=Definire qui le impostazioni relative alla sicurezza per l'upload dei files. ErrorModuleRequirePHPVersion=Errore: questo modulo richiede almeno la versione %s di PHP. ErrorModuleRequireDolibarrVersion=Errore: questo modulo richiede almeno la versione %s di Dolibarr ErrorDecimalLargerThanAreForbidden=Errore: Non è supportata una precisione superiore a %s . -DictionarySetup=Impostazione del dizionario -Dictionary=dizionari -ErrorReservedTypeSystemSystemAuto=Il valore "system" e "systemauto" per il tipo è riservato. È possibile utilizzare "user" come valore per aggiungere il proprio record +DictionarySetup=Impostazioni dizionario +Dictionary=Dizionari +ErrorReservedTypeSystemSystemAuto=I valori 'system' e 'systemauto' sono riservati. Puoi usare 'user' come valore da aggiungere al tuo record. ErrorCodeCantContainZero=Il codice non può contenere il valore 0 -DisableJavascript=Disabilita le funzioni JavaScript e Ajax -DisableJavascriptNote=Nota: a scopo di test o debug. Per l'ottimizzazione per i non vedenti o i browser di testo, potresti preferire utilizzare l'impostazione sul profilo dell'utente -UseSearchToSelectCompanyTooltip=Inoltre, se hai un gran numero di terze parti (> 100000), puoi aumentare la velocità impostando la costante COMPANY_DONOTSEARCH_ANYWHERE su 1 in Setup-> Altro. La ricerca sarà quindi limitata all'inizio della stringa. -UseSearchToSelectContactTooltip=Inoltre, se hai un gran numero di terze parti (> 100000), puoi aumentare la velocità impostando la costante CONTACT_DONOTSEARCH_ANYWHERE su 1 in Impostazione-> Altro. La ricerca sarà quindi limitata all'inizio della stringa. -DelaiedFullListToSelectCompany=Attendere fino a quando non viene premuto un tasto prima di caricare il contenuto dell'elenco combo di terze parti.
Ciò può aumentare le prestazioni se si dispone di un numero elevato di terze parti, ma è meno conveniente. -DelaiedFullListToSelectContact=Attendere fino a quando non viene premuto un tasto prima di caricare il contenuto dell'elenco combo Contatti.
Ciò può aumentare le prestazioni se si dispone di un numero elevato di contatti, ma è meno conveniente) +DisableJavascript=Disabilita JavaScript e funzioni Ajax +DisableJavascriptNote=Note: For test or debug purpose. For optimization for blind person or text browsers, you may prefer to use the setup on the profile of user +UseSearchToSelectCompanyTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant COMPANY_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. +UseSearchToSelectContactTooltip=Also if you have a large number of third parties (> 100 000), you can increase speed by setting constant CONTACT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. +DelaiedFullListToSelectCompany=Wait until a key is pressed before loading content of Third Parties combo list.
This may increase performance if you have a large number of third parties, but it is less convenient. +DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
This may increase performance if you have a large number of contacts, but it is less convenient) NumberOfKeyToSearch=Numero di caratteri per attivare la ricerca: %s -NumberOfBytes=Numero di byte -SearchString=Stringa di ricerca +NumberOfBytes=Number of Bytes +SearchString=Search string NotAvailableWhenAjaxDisabled=Non disponibile quando Ajax è disabilitato -AllowToSelectProjectFromOtherCompany=Nel documento di una terza parte, è possibile scegliere un progetto collegato a un'altra terza parte +AllowToSelectProjectFromOtherCompany=On document of a third party, can choose a project linked to another third party JavascriptDisabled=JavaScript disattivato -UsePreviewTabs=Usa le schede di anteprima -ShowPreview=Anteprima dello spettacolo +UsePreviewTabs=Utilizza i tabs per l'anteprima +ShowPreview=Vedi anteprima PreviewNotAvailable=Anteprima non disponibile ThemeCurrentlyActive=Tema attualmente attivo -CurrentTimeZone=TimeZone PHP (server) +CurrentTimeZone=Fuso orario attuale MySQLTimeZone=TimeZone MySql (database) -TZHasNoEffect=Le date vengono archiviate e restituite dal server di database come se fossero mantenute come stringa inviata. Il fuso orario ha effetto solo quando si utilizza la funzione UNIX_TIMESTAMP (che non dovrebbe essere utilizzata da Dolibarr, quindi il database TZ non dovrebbe avere alcun effetto, anche se modificato dopo l'inserimento dei dati). +TZHasNoEffect=Dates are stored and returned by database server as if they were kept as submitted string. The timezone has effect only when using the UNIX_TIMESTAMP function (that should not be used by Dolibarr, so database TZ should have no effect, even if changed after data was entered). Space=Spazio -Table=tavolo -Fields=campi +Table=Tabella +Fields=Campi Index=Indice Mask=Maschera NextValue=Valore successivo NextValueForInvoices=Valore successivo (fatture) NextValueForCreditNotes=Valore successivo (note di credito) -NextValueForDeposit=Valore successivo (acconto) +NextValueForDeposit=Next value (down payment) NextValueForReplacements=Valore successivo (sostituzioni) -MustBeLowerThanPHPLimit=Nota: la configurazione di PHP attualmente limita la dimensione massima del file per il caricamento su %s %s, indipendentemente dal valore di questo parametro -NoMaxSizeByPHPLimit=Nota: nessun limite è impostato nella configurazione di PHP -MaxSizeForUploadedFiles=Dimensione massima per i file caricati (0 per non consentire alcun caricamento) -UseCaptchaCode=Utilizza il codice grafico (CAPTCHA) nella pagina di accesso -AntiVirusCommand= Percorso completo per il comando antivirus -AntiVirusCommandExample= Esempio per ClamWin: c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe
Esempio per ClamAv: / usr / bin / clamscan +MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +NoMaxSizeByPHPLimit=Nota: nessun limite impostato nella configurazione PHP +MaxSizeForUploadedFiles=Dimensione massima dei file caricati (0 per disabilitare l'upload) +UseCaptchaCode=Utilizzare verifica captcha nella pagina di login +AntiVirusCommand= Percorso completo programma antivirus +AntiVirusCommandExample= Esempio per ClamWin: c:\\Program Files (x86)\\ClamWin\\bin\\clamscan.exe
Esempio per ClamAV: / usr/bin/clamscan AntiVirusParam= Più parametri sulla riga di comando -AntiVirusParamExample= Esempio per ClamWin: --database = "C: \\ Programmi (x86) \\ ClamWin \\ lib" -ComptaSetup=Impostazione del modulo di contabilità -UserSetup=Configurazione gestione utenti -MultiCurrencySetup=Configurazione multi-valuta -MenuLimits=Limiti e accuratezza -MenuIdParent=ID menu principale -DetailMenuIdParent=ID del menu principale (vuoto per un menu principale) -DetailPosition=Ordina il numero per definire la posizione del menu +AntiVirusParamExample= Esempio per ClamWin: --database="C:\\Program Files (x86)\\ClamWin\\lib" +ComptaSetup=Impostazioni modulo contabilità +UserSetup=Impostazioni per la gestione utenti +MultiCurrencySetup=Impostazioni multi-valuta +MenuLimits=Limiti e precisione +MenuIdParent=Capogruppo dal menu ID +DetailMenuIdParent=ID del menu principale (0 per un menu in alto) +DetailPosition=Ordina per definire il numero di posizione del menu AllMenus=Tutti -NotConfigured=Modulo / Applicazione non configurati +NotConfigured= Modulo/Applicazione non configurato Active=Attivo -SetupShort=Impostare +SetupShort=Impostazioni OtherOptions=Altre opzioni OtherSetup=Altre impostazioni CurrentValueSeparatorDecimal=Separatore decimale CurrentValueSeparatorThousand=Separatore per le migliaia Destination=Destinazione -IdModule=ID modulo -IdPermissions=ID autorizzazioni +IdModule=Modulo ID +IdPermissions=Permessi ID LanguageBrowserParameter=Parametro %s LocalisationDolibarrParameters=Parametri di localizzazione ClientTZ=Fuso orario client (utente) -ClientHour=Tempo cliente (utente) -OSTZ=Fuso orario del SO del server -PHPTZ=Fuso orario del server PHP -DaylingSavingTime=Ora legale -CurrentHour=Tempo PHP (server) -CurrentSessionTimeOut=Timeout della sessione corrente -YouCanEditPHPTZ=Per impostare un fuso orario PHP diverso (non richiesto), puoi provare ad aggiungere un file .htaccess con una linea come questa "SetEnv TZ Europe / Paris" -HoursOnThisPageAreOnServerTZ=Attenzione, contrariamente alle altre schermate, le ore in questa pagina non sono nel tuo fuso orario locale, ma del fuso orario del server. -Box=widget -Boxes=widget -MaxNbOfLinesForBoxes=Max. numero di righe per i widget +ClientHour=Orario client (utente) +OSTZ=Fuso orario dell'OS server +PHPTZ=Fuso orario server PHP +DaylingSavingTime=Ora legale (utente) +CurrentHour=Orario PHP (server) +CurrentSessionTimeOut=Timeout sessione corrente +YouCanEditPHPTZ=To set a different PHP timezone (not required), you can try to add a .htaccess file with a line like this "SetEnv TZ Europe/Paris" +HoursOnThisPageAreOnServerTZ=Warning, in contrary of other screens, hours on this page are not in your local timezone, but of the timezone of the server. +Box=Widget +Boxes=Widgets +MaxNbOfLinesForBoxes=Massimo numero di righe per widget AllWidgetsWereEnabled=Tutti i widget disponibili sono abilitati -PositionByDefault=Ordine predefinito +PositionByDefault=Per impostazione predefinita Position=Posizione -MenusDesc=I gestori di menu impostano il contenuto delle due barre dei menu (orizzontale e verticale). -MenusEditorDesc=L'editor di menu consente di definire voci di menu personalizzate. Usalo attentamente per evitare instabilità e voci di menu permanentemente irraggiungibili.
Alcuni moduli aggiungono voci di menu (nel menu Tutto principalmente). Se si rimuovono alcune di queste voci per errore, è possibile ripristinarle disabilitando e riattivando il modulo. +MenusDesc=Gestione del contenuto delle 2 barre dei menu (barra orizzontale e barra verticale). +MenusEditorDesc=L'editor dei menu consente di definire voci personalizzate nei menu. Utilizzare con attenzione onde evitare instabilità e voci di menu irraggiungibili.
Alcuni moduli aggiungono voci nei menu (nel menu Tutti nella maggior parte dei casi). Se alcune di queste voci vengono rimosse per errore, è possibile ripristinarle disattivando e riattivando il modulo. MenuForUsers=Menu per gli utenti LangFile=file .lang -Language_en_US_es_MX_etc=Lingua (en_US, es_MX, ...) +Language_en_US_es_MX_etc=Language (en_US, es_MX, ...) System=Sistema SystemInfo=Informazioni di sistema -SystemToolsArea=Area degli strumenti di sistema -SystemToolsAreaDesc=Questa area fornisce funzioni di amministrazione. Utilizzare il menu per scegliere la funzione richiesta. -Purge=Epurazione -PurgeAreaDesc=Questa pagina consente di eliminare tutti i file generati o memorizzati da Dolibarr (file temporanei o tutti i file nella directory %s ). L'uso di questa funzione non è normalmente necessario. Viene fornito come soluzione alternativa per gli utenti il cui Dolibarr è ospitato da un provider che non offre autorizzazioni per eliminare i file generati dal server Web. -PurgeDeleteLogFile=Elimina i file di registro, incluso %s definito per il modulo Syslog (nessun rischio di perdita di dati) -PurgeDeleteTemporaryFiles=Elimina tutti i file temporanei (nessun rischio di perdita di dati). Nota: l'eliminazione viene eseguita solo se la directory temporanea è stata creata 24 ore fa. -PurgeDeleteTemporaryFilesShort=Elimina i file temporanei -PurgeDeleteAllFilesInDocumentsDir=Elimina tutti i file nella directory: %s .
Ciò eliminerà tutti i documenti generati relativi ad elementi (terze parti, fatture ecc ...), file caricati nel modulo ECM, dump di backup del database e file temporanei. -PurgeRunNow=Elimina adesso +SystemToolsArea=Sezione strumenti di gestione del sistema +SystemToolsAreaDesc=Questa area fornisce funzioni di amministrazione. Usa il menu per scegliere la funzione richiesta. +Purge=Pulizia +PurgeAreaDesc=This page allows you to delete all files generated or stored by Dolibarr (temporary files or all files in %s directory). Using this feature is not normally necessary. It is provided as a workaround for users whose Dolibarr is hosted by a provider that does not offer permissions to delete files generated by the web server. +PurgeDeleteLogFile=Eliminia il file log, compreso %s definito per il modulo Syslog (nessun rischio di perdita di dati) +PurgeDeleteTemporaryFiles=Delete all temporary files (no risk of losing data). Note: Deletion is done only if the temp directory was created 24 hours ago. +PurgeDeleteTemporaryFilesShort=Cancella fle temporanei +PurgeDeleteAllFilesInDocumentsDir=Delete all files in directory: %s.
This will delete all generated documents related to elements (third parties, invoices etc...), files uploaded into the ECM module, database backup dumps and temporary files. +PurgeRunNow=Procedo all'eliminazione PurgeNothingToDelete=Nessuna directory o file da eliminare. -PurgeNDirectoriesDeleted=%s file o directory eliminati. -PurgeNDirectoriesFailed=Impossibile eliminare i file o le directory %s . +PurgeNDirectoriesDeleted= %s di file o directory eliminati. +PurgeNDirectoriesFailed=Impossibile eliminare i file o le directory %s. PurgeAuditEvents=Elimina tutti gli eventi di sicurezza -ConfirmPurgeAuditEvents=Sei sicuro di voler eliminare tutti gli eventi di sicurezza? Tutti i registri di sicurezza verranno eliminati, nessun altro dato verrà rimosso. -GenerateBackup=Genera backup -Backup=di riserva -Restore=Ristabilire -RunCommandSummary=Il backup è stato avviato con il seguente comando +ConfirmPurgeAuditEvents=Vuoi davvero eliminare tutti gli eventi di sicurezza? Tutti i log di sicurezza verranno cancellati, nessun altro dato verrà rimosso. +GenerateBackup=Genera il backup +Backup=Backup +Restore=Ripristino +RunCommandSummary=Il backup verrà realizzato secondo il seguente comando BackupResult=Risultato del backup -BackupFileSuccessfullyCreated=File di backup generato correttamente -YouCanDownloadBackupFile=Il file generato può ora essere scaricato -NoBackupFileAvailable=Nessun file di backup disponibile. +BackupFileSuccessfullyCreated=File di backup generati con successo +YouCanDownloadBackupFile=Adesso il file generato può essere scaricato +NoBackupFileAvailable=Nessun file di backup disponibile ExportMethod=Metodo di esportazione ImportMethod=Metodo di importazione -ToBuildBackupFileClickHere=Per creare un file di backup, fai clic qui . -ImportMySqlDesc=Per importare un file di backup MySQL, è possibile utilizzare phpMyAdmin tramite l'hosting o utilizzare il comando mysql dalla riga di comando.
Per esempio: -ImportPostgreSqlDesc=Per importare un file di backup, è necessario utilizzare il comando pg_restore dalla riga di comando: -ImportMySqlCommand=%s %s <mybackupfile.sql +ToBuildBackupFileClickHere=Per creare un file di backup, clicca qui. +ImportMySqlDesc=To import a MySQL backup file, you may use phpMyAdmin via your hosting or use the mysql command from the Command line.
For example: +ImportPostgreSqlDesc=Per importare un file di backup, è necessario utilizzare il comando pg_restore da riga di comando: +ImportMySqlCommand=%s %s moduli abilitati . -ModulesDesc=I moduli / applicazioni determinano quali funzionalità sono disponibili nel software. Alcuni moduli richiedono autorizzazioni da concedere agli utenti dopo l'attivazione del modulo. Fare clic sul pulsante on / off (alla fine della riga del modulo) per abilitare / disabilitare un modulo / un'applicazione. -ModulesMarketPlaceDesc=Puoi trovare più moduli da scaricare su siti Web esterni su Internet ... -ModulesDeployDesc=Se le autorizzazioni sul file system lo consentono, è possibile utilizzare questo strumento per distribuire un modulo esterno. Il modulo sarà quindi visibile nella scheda %s . -ModulesMarketPlaces=Trova app / moduli esterni -ModulesDevelopYourModule=Sviluppa la tua app / i tuoi moduli -ModulesDevelopDesc=Puoi anche sviluppare il tuo modulo o trovare un partner per svilupparne uno per te. -DOLISTOREdescriptionLong=Invece di passare al sito www.dolistore.com per trovare un modulo esterno, puoi utilizzare questo strumento incorporato che eseguirà la ricerca sul mercato esterno per te (potrebbe essere lento, richiedere un accesso a Internet) ... +NameColumn=Nome colonne +ExtendedInsert=Inserimento esteso +NoLockBeforeInsert=Non ci sono comandi di lock intorno a INSERT +DelayedInsert=Inserimento differito +EncodeBinariesInHexa=Codificare dati binari in esadecimale +IgnoreDuplicateRecords=Ignora errori per record duplicati (INSERT IGNORE) +AutoDetectLang=Rileva automaticamente (lingua del browser) +FeatureDisabledInDemo=Funzione disabilitata in modalità demo +FeatureAvailableOnlyOnStable=Feature disponibile solo nelle versioni stabili ufficiali +BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. +OnlyActiveElementsAreShown=Vengono mostrati solo gli elementi relativi ai moduli attivi . +ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button (at end of module line) to enable/disable a module/application. +ModulesMarketPlaceDesc=Potete trovare altri moduli da scaricare su siti web esterni... +ModulesDeployDesc=If permissions on your file system allow it, you can use this tool to deploy an external module. The module will then be visible on the tab %s. +ModulesMarketPlaces=Trova app/moduli esterni... +ModulesDevelopYourModule=Sviluppa il tuo modulo/app +ModulesDevelopDesc=You may also develop your own module or find a partner to develop one for you. +DOLISTOREdescriptionLong=Instead of switching on www.dolistore.com web site to find an external module, you can use this embedded tool that will perform the search on the external market place for you (may be slow, need an internet access)... NewModule=Nuovo FreeModule=Gratuito CompatibleUpTo=Compatibile con la versione %s -NotCompatible=Questo modulo non sembra compatibile con Dolibarr %s (Min %s - Max %s). -CompatibleAfterUpdate=Questo modulo richiede un aggiornamento di Dolibarr %s (Min %s - Max %s). -SeeInMarkerPlace=Vedi in Piazza del mercato -Updated=aggiornato +NotCompatible=Questo modulo non sembra essere compatibile con la tua versione di Dolibarr %s (Min %s - Max %s). +CompatibleAfterUpdate=Questo modulo richiede un aggiornamento a Dolibarr %s (Min %s - Max %s). +SeeInMarkerPlace=See in Market place +Updated=Aggiornato Nouveauté=Novità -AchatTelechargement=Acquista / Scarica -GoModuleSetupArea=Per distribuire / installare un nuovo modulo, accedere all'area di configurazione del modulo: %s. -DoliStoreDesc=DoliStore, il mercato ufficiale per i moduli esterni Dolibarr ERP / CRM -DoliPartnersDesc=Elenco delle società che forniscono moduli o funzionalità sviluppati su misura.
Nota: poiché Dolibarr è un'applicazione open source, chiunque abbia esperienza nella programmazione PHP può sviluppare un modulo. -WebSiteDesc=Siti Web esterni per moduli aggiuntivi (non core) ... -DevelopYourModuleDesc=Alcune soluzioni per sviluppare il tuo modulo ... -URL=URL +AchatTelechargement=Aquista / Scarica +GoModuleSetupArea=To deploy/install a new module, go to the Module setup area: %s. +DoliStoreDesc=DoliStore, il mercato ufficiale dei moduli esterni per Dolibarr ERP/CRM +DoliPartnersDesc=List of companies providing custom-developed modules or features.
Note: since Dolibarr is an open source application, anyone experienced in PHP programming may develop a module. +WebSiteDesc=Siti web esterni per ulteriori moduli add-on (non essenziali)... +DevelopYourModuleDesc=Spunti per sviluppare il tuo modulo... +URL=Collegamento BoxesAvailable=Widget disponibili -BoxesActivated=Widget attivati -ActivateOn=Attiva on -ActiveOn=Attivato il +BoxesActivated=Widget attivi +ActivateOn=Attiva sul +ActiveOn=Attivi sul SourceFile=File sorgente -AvailableOnlyIfJavascriptAndAjaxNotDisabled=Disponibile solo se JavaScript non è disabilitato -Required=necessario -UsedOnlyWithTypeOption=Utilizzato solo da alcune opzioni dell'agenda +AvailableOnlyIfJavascriptAndAjaxNotDisabled=Disponibile solo se JavaScript e Ajax non sono disattivati +Required=Richiesto +UsedOnlyWithTypeOption=Used by some agenda option only Security=Sicurezza -Passwords=Le password -DoNotStoreClearPassword=Crittografa le password archiviate nel database (NON come testo normale). Si consiglia vivamente di attivare questa opzione. -MainDbPasswordFileConfEncrypted=Crittografa la password del database memorizzata in conf.php. Si consiglia vivamente di attivare questa opzione. -InstrucToEncodePass=Per avere la password codificata nel file conf.php , sostituisci la riga
$ dolibarr_main_db_pass = "...";
di
$ dolibarr_main_db_pass = "criptato: %s"; -InstrucToClearPass=Per decodificare (cancellare) la password nel file conf.php , sostituire la riga
$ dolibarr_main_db_pass = "criptato: ...";
di
$ dolibarr_main_db_pass = "%s"; -ProtectAndEncryptPdfFiles=Proteggi i file PDF generati. Questo NON è raccomandato in quanto interrompe la generazione di PDF in blocco. -ProtectAndEncryptPdfFilesDesc=La protezione di un documento PDF lo rende disponibile per la lettura e la stampa con qualsiasi browser PDF. Tuttavia, la modifica e la copia non sono più possibili. Si noti che l'utilizzo di questa funzione rende la costruzione di un PDF unito globale non funzionante. -Feature=caratteristica +Passwords=Password +DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text). It is strongly recommended to activate this option. +MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. +InstrucToEncodePass=Per avere la password codificata sostituisci nel file conf.php , la linea
$dolibarr_main_db_pass="...";
con
$dolibarr_main_db_pass="crypted:%s"; +InstrucToClearPass=Per avere la password decodificata (in chiaro) sostituisci nel fileconf.php la linea
$dolibarr_main_db_pass="crypted:...";
con
$dolibarr_main_db_pass="%s"; +ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. +ProtectAndEncryptPdfFilesDesc=La protezione di un documento PDF rende possibile la lettura e la stampa con qualsiasi browser; tuttavia modifica e copia non sono più possibili. Si noti che l'utilizzo di questa funzionalità non renderà possibile la stampa unione dei file PDF +Feature=Caratteristica DolibarrLicense=Licenza -Developpers=Sviluppatori / collaboratori -OfficialWebSite=Sito ufficiale Dolibarr -OfficialWebSiteLocal=Sito Web locale (%s) -OfficialWiki=Documentazione Dolibarr / Wiki -OfficialDemo=Demo online di Dolibarr -OfficialMarketPlace=Mercato ufficiale per moduli / componenti aggiuntivi esterni -OfficialWebHostingService=Servizi di hosting web di riferimento (cloud hosting) -ReferencedPreferredPartners=Partner preferiti +Developpers=Sviluppatori e contributori +OfficialWebSite=Sito web ufficiale Dolibarr +OfficialWebSiteLocal=Sito ufficiale locale (%s) +OfficialWiki=Dolibarr documentazione / Wiki +OfficialDemo=Dolibarr demo online +OfficialMarketPlace=Market ufficiale per moduli esterni e addon +OfficialWebHostingService=Servizi di hosting web referenziati (Hosting Cloud) +ReferencedPreferredPartners=Preferred Partners OtherResources=Altre risorse -ExternalResources=Risorse esterne -SocialNetworks=Social networks -ForDocumentationSeeWiki=Per la documentazione dell'utente o dello sviluppatore (Doc, FAQ ...),
dai un'occhiata al Wiki Dolibarr:
%s -ForAnswersSeeForum=Per qualsiasi altra domanda / aiuto, è possibile utilizzare il forum Dolibarr:
%s -HelpCenterDesc1=Ecco alcune risorse per ottenere aiuto e supporto con Dolibarr. +ExternalResources=External Resources +SocialNetworks=Social Networks +ForDocumentationSeeWiki=La documentazione per utenti e sviluppatori e le FAQ sono disponibili sul wiki di Dolibarr:
Dai un'occhiata a %s +ForAnswersSeeForum=Per qualsiasi altro problema/domanda, si può utilizzare il forum di Dolibarr:
%s +HelpCenterDesc1=Here are some resources for getting help and support with Dolibarr. HelpCenterDesc2=Alcune di queste risorse sono disponibili solo in inglese . -CurrentMenuHandler=Gestore di menu corrente +CurrentMenuHandler=Attuale gestore menu MeasuringUnit=Unità di misura LeftMargin=Margine sinistro TopMargin=Margine superiore @@ -262,818 +262,818 @@ PaperSize=Tipo di carta Orientation=Orientamento SpaceX=Spazio X SpaceY=Spazio Y -FontSize=Dimensione del font -Content=Soddisfare -NoticePeriod=Periodo di preavviso -NewByMonth=Nuovo per mese -Emails=Messaggi di posta elettronica -EMailsSetup=Configurazione email -EMailsDesc=Questa pagina consente di sovrascrivere i parametri PHP predefiniti per l'invio di e-mail. Nella maggior parte dei casi su sistemi operativi Unix / Linux, l'impostazione di PHP è corretta e questi parametri non sono necessari. +FontSize=Dimensione del testo +Content=Contenuto +NoticePeriod=Periodo di avviso +NewByMonth=New by month +Emails=Email +EMailsSetup=Impostazioni Email +EMailsDesc=Questa pagina consente di sovrascrivere i parametri PHP predefiniti per l'invio delle email. Nella maggior parte dei casi, su sistemi Unix / Linux, l'installazione di PHP è corretta e non è necessario modificare questi parametri. EmailSenderProfiles=Profili mittente email EMailsSenderProfileDesc=Puoi tenere vuota questa sezione. Se inserisci alcune e-mail qui, verranno aggiunte all'elenco dei possibili mittenti nella casella combinata quando scrivi una nuova e-mail. -MAIN_MAIL_SMTP_PORT=Porta SMTP / SMTPS (valore predefinito in php.ini: %s ) -MAIN_MAIL_SMTP_SERVER=Host SMTP / SMTPS (valore predefinito in php.ini: %s ) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porta SMTP / SMTPS (non definita in PHP su sistemi simili a Unix) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP / SMTPS (non definito in PHP su sistemi simili a Unix) -MAIN_MAIL_EMAIL_FROM=Email mittente per email automatiche (valore predefinito in php.ini: %s ) -MAIN_MAIL_ERRORS_TO=L'e-mail utilizzata per l'errore restituisce e-mail (campi "Errori-A" nelle e-mail inviate) -MAIN_MAIL_AUTOCOPY_TO= Copia (Ccn) tutte le email inviate a -MAIN_DISABLE_ALL_MAILS=Disabilita l'invio di e-mail (a scopo di prova o demo) -MAIN_MAIL_FORCE_SENDTO=Invia tutte le e-mail a (anziché ai destinatari reali, a scopo di test) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggerisci e-mail di dipendenti (se definiti) nell'elenco di destinatari predefiniti quando scrivono una nuova e-mail -MAIN_MAIL_SENDMODE=Metodo di invio e-mail -MAIN_MAIL_SMTPS_ID=ID SMTP (se il server di invio richiede l'autenticazione) -MAIN_MAIL_SMTPS_PW=Password SMTP (se il server di invio richiede l'autenticazione) -MAIN_MAIL_EMAIL_TLS=Usa la crittografia TLS (SSL) -MAIN_MAIL_EMAIL_STARTTLS=Usa la crittografia TLS (STARTTLS) -MAIN_MAIL_EMAIL_DKIM_ENABLED=Utilizzare DKIM per generare la firma e-mail -MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio email da utilizzare con dkim -MAIN_MAIL_EMAIL_DKIM_SELECTOR=Nome del selettore dkim -MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Chiave privata per la firma dkim -MAIN_DISABLE_ALL_SMS=Disabilita l'invio di tutti gli SMS (a scopo di prova o demo) +MAIN_MAIL_SMTP_PORT=Porta SMTP / SMTPS (predefinito in php.ini: %s ) +MAIN_MAIL_SMTP_SERVER=Host SMTP / SMTPS (predefinito in php.ini: %s ) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Porta SMTP / SMTPS (non definita in PHP su sistemi Unix-like) +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=Host SMTP / SMTPS (non definito in PHP su sistemi Unix-like) +MAIN_MAIL_EMAIL_FROM=Indirizzo mittente per le email automatiche (predefinito in php.ini: %s ) +MAIN_MAIL_ERRORS_TO=Indirizzo a cui inviare eventuali errori (campi 'Errors-To' nelle email inviate) +MAIN_MAIL_AUTOCOPY_TO= Indirizzo a cui inviare in copia Ccn tutte le mail in uscita +MAIN_DISABLE_ALL_MAILS=Disabilita l'invio delle email (a scopo di test o demo) +MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Add employee users with email into allowed recipient list +MAIN_MAIL_SENDMODE=Metodo di invio email +MAIN_MAIL_SMTPS_ID=Username SMTP (se il server richiede l'autenticazione) +MAIN_MAIL_SMTPS_PW=Password SMTP (se il server richiede l'autenticazione) +MAIN_MAIL_EMAIL_TLS=Usa la cifratura TLS (SSL) +MAIN_MAIL_EMAIL_STARTTLS=Use TLS (STARTTLS) encryption +MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature +MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim +MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector +MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing +MAIN_DISABLE_ALL_SMS=Disabilita l'invio di SMS (a scopo di test o demo) MAIN_SMS_SENDMODE=Metodo da utilizzare per inviare SMS -MAIN_MAIL_SMS_FROM=Numero di telefono del mittente predefinito per l'invio di SMS -MAIN_MAIL_DEFAULT_FROMTYPE=Email mittente predefinita per l'invio manuale (email utente o email aziendale) -UserEmail=Email dell'utente -CompanyEmail=Email aziendale -FeatureNotAvailableOnLinux=Funzionalità non disponibile su sistemi come Unix. Prova il tuo programma sendmail localmente. -SubmitTranslation=Se la traduzione per questa lingua non è completa o vengono rilevati errori, è possibile correggerlo modificando i file nella directory langs / %s e inviare la modifica a www.transifex.com/dolibarr-association/dolibarr/ -SubmitTranslationENUS=Se la traduzione per questa lingua non è completa o si riscontrano errori, è possibile correggerla modificando i file nella directory langs / %s e inviare i file modificati su dolibarr.org/forum o per gli sviluppatori su github.com/Dolibarr/dolibarr. -ModuleSetup=Impostazione del modulo -ModulesSetup=Moduli / Configurazione dell'applicazione +MAIN_MAIL_SMS_FROM=Numero predefinito del mittente per gli SMS +MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) +UserEmail=Email utente +CompanyEmail=Company Email +FeatureNotAvailableOnLinux=Funzione non disponibile sui sistemi Linux. Viene usato il server di posta installato sul server (es. sendmail). +SubmitTranslation=If the translation for this language is not complete or you find errors, you can correct this by editing files in directory langs/%s and submit your change to www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslationENUS=Se la traduzione per questa lingua non è completa o trovi degli errori, puoi correggere i file presenti nella directory langs/%s e pubblicare i file modificati su dolibarr.org/forum oppure, se sei uno sviluppatore, su github.com/Dolibarr/dolibarr +ModuleSetup=Impostazioni modulo +ModulesSetup=Impostazione Modulo/Applicazione ModuleFamilyBase=Sistema ModuleFamilyCrm=Customer Relationship Management (CRM) ModuleFamilySrm=Vendor Relationship Management (VRM) -ModuleFamilyProducts=Gestione del prodotto (PM) +ModuleFamilyProducts=Product Management (PM) ModuleFamilyHr=Gestione delle risorse umane (HR) -ModuleFamilyProjects=Progetti / Lavoro collaborativo +ModuleFamilyProjects=Progetti/collaborazioni ModuleFamilyOther=Altro -ModuleFamilyTechnic=Strumenti multi-moduli +ModuleFamilyTechnic=Strumenti Multi-modulo ModuleFamilyExperimental=Moduli sperimentali -ModuleFamilyFinancial=Moduli finanziari (contabilità / tesoreria) -ModuleFamilyECM=Gestione dei contenuti elettronici (ECM) -ModuleFamilyPortal=Siti Web e altre applicazioni frontali +ModuleFamilyFinancial=Moduli finanziari (Contabilità/Cassa) +ModuleFamilyECM=ECM +ModuleFamilyPortal=Websites and other frontal application ModuleFamilyInterface=Interfacce con sistemi esterni -MenuHandlers=Gestori di menu -MenuAdmin=Editor di menu -DoNotUseInProduction=Non utilizzare in produzione +MenuHandlers=Gestori menu +MenuAdmin=Editor menu +DoNotUseInProduction=Da non usare in produzione ThisIsProcessToFollow=Procedura di aggiornamento: -ThisIsAlternativeProcessToFollow=Questa è una configurazione alternativa per l'elaborazione manuale: -StepNb=Passaggio %s -FindPackageFromWebSite=Trova un pacchetto che fornisce le funzionalità necessarie (ad esempio sul sito Web ufficiale %s). -DownloadPackageFromWebSite=Scarica il pacchetto (ad esempio dal sito Web ufficiale %s). -UnpackPackageInDolibarrRoot=Decomprimere / decomprimere i file compressi nella directory del server Dolibarr: %s -UnpackPackageInModulesRoot=Per distribuire / installare un modulo esterno, decomprimere / decomprimere i file compressi nella directory del server dedicata ai moduli esterni:
%s -SetupIsReadyForUse=La distribuzione del modulo è terminata. È tuttavia necessario abilitare e configurare il modulo nell'applicazione accedendo ai moduli di impostazione della pagina: %s . -NotExistsDirect=La directory radice alternativa non è definita in una directory esistente.
-InfDirAlt=Dalla versione 3, è possibile definire una directory radice alternativa. Ciò consente di archiviare, in una directory dedicata, plug-in e modelli personalizzati.
Basta creare una directory alla radice di Dolibarr (ad esempio: personalizzato).
-InfDirExample=
Quindi dichiaralo nel file conf.php
$ Dolibarr_main_url_root_alt = '/ custom'
$ Dolibarr_main_document_root_alt = '/ percorso / di / Dolibarr / htdocs / custom'
Se queste righe sono commentate con "#", per abilitarle, basta decommentare rimuovendo il carattere "#". -YouCanSubmitFile=In alternativa, è possibile caricare il pacchetto di file .zip del modulo: +ThisIsAlternativeProcessToFollow=Questa è una impostazione manuale alternativa: +StepNb=Passo %s +FindPackageFromWebSite=Find a package that provides the features you need (for example on the official web site %s). +DownloadPackageFromWebSite=Download package (for example from the official web site %s). +UnpackPackageInDolibarrRoot=Unpack/unzip the packaged files into your Dolibarr server directory: %s +UnpackPackageInModulesRoot=To deploy/install an external module, unpack/unzip the packaged files into the server directory dedicated to external modules:
%s +SetupIsReadyForUse=Module deployment is finished. You must however enable and setup the module in your application by going to the page setup modules: %s. +NotExistsDirect=La directory root alternativa non è stata associata ad una directory esistente.
+InfDirAlt=A partire dalla versione 3 è possibile definire una directory root alternativa. Ciò permette di archiviare plugin e template personalizzati nello stesso posto.
Basta creare una directory nella root di Dolibarr (per esempio: custom).
+InfDirExample=
Poi dichiaralo nel file conf.php
$dolibarr_main_url_root_alt='/custom'
$dolibarr_main_document_root_alt='/path/of/dolibarr/htdocs/custom'
. Se queste righe sono commentate con "#", per abilitarle basta rimuovere il carattere "#". +YouCanSubmitFile=Alternatively, you may upload the module .zip file package: CurrentVersion=Versione attuale di Dolibarr -CallUpdatePage=Passare alla pagina che aggiorna la struttura e i dati del database: %s. +CallUpdatePage=Browse to the page that updates the database structure and data: %s. LastStableVersion=Ultima versione stabile LastActivationDate=Ultima data di attivazione -LastActivationAuthor=Ultimo autore di attivazione -LastActivationIP=IP di attivazione più recente -UpdateServerOffline=Server di aggiornamento offline +LastActivationAuthor=Ultimo +LastActivationIP=Latest activation IP +UpdateServerOffline=Update server offline WithCounter=Gestisci un contatore -GenericMaskCodes=È possibile inserire qualsiasi maschera di numerazione. In questa maschera, è possibile utilizzare i seguenti tag:
{000000} corrisponde a un numero che verrà incrementato su ogni %s. Immettere tanti zeri quanti sono i lunghezza desiderata del contatore. Il contatore sarà completato da zeri da sinistra per avere tanti zeri come la maschera.
{000000 + 000} uguale al precedente ma viene applicato un offset corrispondente al numero a destra del segno + a partire dalla prima %s.
{000000 @ x} uguale al precedente ma il contatore viene reimpostato su zero quando viene raggiunto il mese x (x tra 1 e 12 o 0 per utilizzare i primi mesi dell'anno fiscale definiti nella configurazione, oppure 99 per reimpostare su zero ogni mese ). Se si utilizza questa opzione e x è 2 o superiore, è richiesta anche la sequenza {yy} {mm} o {yyyy} {mm}.
{dd} giorno (da 01 a 31).
{mm} mese (da 01 a 12).
{yy} , {yyyy} o {y} anno su 2, 4 o 1 numeri.
-GenericMaskCodes2={cccc} il codice client su n caratteri
{cccc000} il codice client su n caratteri è seguito da un contatore dedicato per il cliente. Questo contatore dedicato al cliente viene ripristinato contemporaneamente al contatore globale.
{tttt} Il codice del tipo di terze parti su n caratteri (vedi menu Home - Configurazione - Dizionario - Tipi di terze parti). Se aggiungi questo tag, il contatore sarà diverso per ogni tipo di terza parte.
-GenericMaskCodes3=Tutti gli altri personaggi nella maschera rimarranno intatti.
Gli spazi non sono ammessi.
-GenericMaskCodes4a=Esempio sulla 99a %s della terza società TheCompany, con data 2007-01-31:
-GenericMaskCodes4b=Esempio su terze parti creato il 01-03-2007:
-GenericMaskCodes4c=Esempio di prodotto creato il 01-03-2007:
-GenericMaskCodes5=ABC {yy} {mm} - {000000} restituirà ABC0701-000099
{0000 + 100 @ 1} -ZZZ / {dd} / XXX darà 0199-ZZZ / 31 / XXX
IN {yy} {mm} - {0000} - {t} restituirà IN0701-0099-A se il tipo di azienda è "Inscripto responsabile" con un codice per il tipo "A_RI" -GenericNumRefModelDesc=Restituisce un numero personalizzabile secondo una maschera definita. -ServerAvailableOnIPOrPort=Il server è disponibile all'indirizzo %s sulla porta %s -ServerNotAvailableOnIPOrPort=Il server non è disponibile all'indirizzo %s sulla porta %s -DoTestServerAvailability=Test della connettività del server -DoTestSend=Test di invio -DoTestSendHTML=Prova a inviare HTML -ErrorCantUseRazIfNoYearInMask=Errore, impossibile utilizzare l'opzione @ per ripristinare il contatore ogni anno se la sequenza {yy} o {yyyy} non è nella maschera. -ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Errore, impossibile utilizzare l'opzione @ se la sequenza {yy} {mm} o {yyyy} {mm} non è nella maschera. -UMask=Parametro UMask per i nuovi file sul file system Unix / Linux / BSD / Mac. -UMaskExplanation=Questo parametro consente di definire le autorizzazioni impostate per impostazione predefinita sui file creati da Dolibarr sul server (ad esempio durante il caricamento).
Deve essere il valore ottale (ad esempio, 0666 significa lettura e scrittura per tutti).
Questo parametro è inutile su un server Windows. -SeeWikiForAllTeam=Dai un'occhiata alla pagina Wiki per un elenco dei collaboratori e della loro organizzazione -UseACacheDelay= Ritardo per la memorizzazione nella cache della risposta all'esportazione in secondi (0 o vuoto per nessuna cache) -DisableLinkToHelpCenter=Nascondi collegamento " Hai bisogno di aiuto o supporto " nella pagina di accesso -DisableLinkToHelp=Nascondi collegamento alla guida in linea " %s " -AddCRIfTooLong=Non è presente il wrapping automatico del testo, il testo troppo lungo non verrà visualizzato sui documenti. Se necessario, aggiungere i ritorni a capo nell'area di testo. -ConfirmPurge=Sei sicuro di voler eseguire questa eliminazione?
Ciò eliminerà permanentemente tutti i tuoi file di dati senza alcun modo per ripristinarli (file ECM, file allegati ...). -MinLength=Lunghezza minima -LanguageFilesCachedIntoShmopSharedMemory=File .lang caricati nella memoria condivisa -LanguageFile=File di lingua -ExamplesWithCurrentSetup=Esempi con la configurazione corrente +GenericMaskCodes=Puoi inserire uno schema di numerazione. In questo schema, possono essere utilizzati i seguenti tag :
{000000} Corrisponde a un numero che sarà incrementato ad ogni aggiunta di %s. Inserisci il numero di zeri equivalente alla lunghezza desiderata per il contatore. Verranno aggiunti zeri a sinistra fino alla lunghezza impostata per il contatore.
{000000+000} Come il precedente, ma con un offset corrispondente al numero a destra del segno + che viene applicato al primo inserimento %s.
{000000@x} Come sopra, ma il contatore viene reimpostato a zero quando si raggiunge il mese x (x compreso tra 1 e 12). Se viene utilizzata questa opzione e x è maggiore o uguale a 2, diventa obbligatorio inserire anche la sequenza {yy}{mm} o {yyyy}{mm}.
{dd} giorno (da 01 a 31).
{mm} mese (da 01 a 12).
{yy} , {yyyy} o {y} anno con 2, 4 o 1 cifra.
+GenericMaskCodes2={cccc}il codice cliente di n caratteri
{cccc000} il codice cliente di n caratteri è seguito da un contatore dedicato per cliente. Questo contatore dedicato per i clienti è azzerato allo stesso tempo di quello globale.
{tttt} Il codice di terze parti composto da n caratteri (vedi menu Home - Impostazioni - dizionario - tipi di terze parti). Se aggiungi questa etichetta, il contatore sarà diverso per ogni tipo di terze parti
+GenericMaskCodes3=Tutti gli altri caratteri nello schema rimarranno inalterati.
Gli spazi non sono ammessi.
+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} 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 +DoTestServerAvailability=Test di connettività del server +DoTestSend=Invia test +DoTestSendHTML=Prova inviando HTML +ErrorCantUseRazIfNoYearInMask=Error, can't use option @ to reset counter each year if sequence {yy} or {yyyy} is not in mask. +ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Errore, non si può usare l'opzione @ se non c'è una sequenza {yy}{mm} o {yyyy}{mm} nello schema. +UMask=Parametro umask per i nuovi file su Unix/Linux/BSD. +UMaskExplanation=Questo parametro consente di definire i permessi impostati di default per i file creati da Dolibarr sul server (per esempio durante il caricamento).
Il valore deve essere ottale (per esempio, 0.666 indica il permesso di lettura e scrittura per tutti).
Questo parametro non si usa sui server Windows. +SeeWikiForAllTeam=Take a look at the Wiki page for a list of contributors and their organization +UseACacheDelay= Ritardo per il caching di esportazione (0 o vuoto per disabilitare la cache) +DisableLinkToHelpCenter=Nascondi link Hai bisogno di aiuto? sulla pagina di accesso +DisableLinkToHelp=Nascondi link della guida online "%s" +AddCRIfTooLong=There is no automatic text wrapping, text that is too long will not display on documents. Please add carriage returns in the text area if needed. +ConfirmPurge=Are you sure you want to execute this purge?
This will permanently delete all your data files with no way to restore them (ECM files, attached files...). +MinLength=Durata minima +LanguageFilesCachedIntoShmopSharedMemory=File Lang caricati nella memoria cache +LanguageFile=File di Lingua +ExamplesWithCurrentSetup=Examples with current configuration ListOfDirectories=Elenco delle directory dei modelli OpenDocument -ListOfDirectoriesForModelGenODT=Elenco di directory contenenti file di modelli con formato OpenDocument.

Inserisci qui il percorso completo delle directory.
Aggiungi un ritorno a capo tra la directory eah.
Per aggiungere una directory del modulo GED, aggiungi qui DOL_DATA_ROOT / ecm / yourdirectoryname .

I file in quelle directory devono terminare con .odt o .ods . -NumberOfModelFilesFound=Numero di file modello ODT / ODS trovati in queste directory -ExampleOfDirectoriesForModelGen=Esempi di sintassi:
c: \\ mydir
/ Home / mydir
DOL_DATA_ROOT / ECM / ecmdir -FollowingSubstitutionKeysCanBeUsed=
Per sapere come creare i tuoi modelli di documento dispari, prima di memorizzarli in quelle directory, leggi la documentazione wiki: +ListOfDirectoriesForModelGenODT=Lista di cartelle contenenti file modello in formato OpenDocument.

Inserisci qui il percorso completo delle cartelle.
Digitare un 'Invio' tra ciascuna cartella.
Per aggiungere una cartella del modulo GED, inserire qui DOL_DATA_ROOT/ecm/yourdirectoryname.

I file in quelle cartelle devono terminare con .odt o .ods. +NumberOfModelFilesFound=Number of ODT/ODS template files found in these directories +ExampleOfDirectoriesForModelGen=Esempi di sintassi:
c: dir \\
/Home/mydir
DOL_DATA_ROOT/ECM/ecmdir +FollowingSubstitutionKeysCanBeUsed=
Per sapere come creare i modelli di documento odt, prima di salvarli in queste directory, leggere la documentazione wiki: FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template -FirstnameNamePosition=Posizione del nome / cognome -DescWeather=Le seguenti immagini verranno visualizzate nella dashboard quando il numero di azioni in ritardo raggiunge i seguenti valori: -KeyForWebServicesAccess=Chiave per utilizzare i servizi Web (parametro "dolibarrkey" nei servizi Web) -TestSubmitForm=Modulo di test di input -ThisForceAlsoTheme=L'uso di questo menu manager utilizzerà anche il suo tema qualunque sia la scelta dell'utente. Anche questo gestore di menu specializzato per smartphone non funziona su tutti gli smartphone. Utilizzare un altro gestore di menu in caso di problemi con i propri. -ThemeDir=Directory di skin -ConnectionTimeout=Connesione finita -ResponseTimeout=Timeout di risposta -SmsTestMessage=Messaggio di prova da __PHONEFROM__ a __PHONETO__ -ModuleMustBeEnabledFirst=Il modulo %s deve essere abilitato per primo se è necessaria questa funzione. -SecurityToken=Chiave per proteggere gli URL -NoSmsEngine=Nessun gestore mittente SMS disponibile. Un gestore mittente SMS non è installato con la distribuzione predefinita perché dipendono da un fornitore esterno, ma puoi trovarne alcuni su %s +FirstnameNamePosition=Posizione del cognome/nome +DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: +KeyForWebServicesAccess=Chiave per l'accesso ai Web Services (parametro "dolibarrkey" in webservices) +TestSubmitForm=Submit form di test +ThisForceAlsoTheme=Using this menu manager will also use its own theme whatever the user choice. Also this menu manager specialized for smartphones does not work on all smartphone. Use another menu manager if you experience problems with yours. +ThemeDir=Directory delle skin +ConnectionTimeout=Connection timeout +ResponseTimeout=Timeout della risposta +SmsTestMessage=Prova messaggio da __PHONEFROM__ a __PHONETO__ +ModuleMustBeEnabledFirst=Il modulo %s deve prima essere attivato per poter accedere a questa funzione. +SecurityToken=Token di sicurezza +NoSmsEngine=No SMS sender manager available. A SMS sender manager is not installed with the default distribution because they depend on an external vendor, but you can find some on %s PDF=PDF -PDFDesc=Opzioni globali per la generazione di PDF. -PDFAddressForging=Regole per le caselle degli indirizzi -HideAnyVATInformationOnPDF=Nascondi tutte le informazioni relative all'imposta sulle vendite / IVA -PDFRulesForSalesTax=Regole per l'imposta sulle vendite / IVA +PDFDesc=Global options for PDF generation. +PDFAddressForging=Rules for address boxes +HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT +PDFRulesForSalesTax=Regole per tasse sulla vendita/IVA PDFLocaltax=Regole per %s -HideLocalTaxOnPDF=Nascondi la tariffa %s nella colonna Vendita IVA -HideDescOnPDF=Nascondi la descrizione dei prodotti -HideRefOnPDF=Nascondi prodotti ref. -HideDetailsOnPDF=Nascondi i dettagli delle linee di prodotti -PlaceCustomerAddressToIsoLocation=Utilizzare la posizione standard francese (La Poste) per la posizione dell'indirizzo del cliente -Library=Biblioteca -UrlGenerationParameters=Parametri per proteggere gli URL -SecurityTokenIsUnique=Utilizzare un parametro securekey univoco per ciascun URL -EnterRefToBuildUrl=Immettere il riferimento per l'oggetto %s -GetSecuredUrl=Ottieni URL calcolato -ButtonHideUnauthorized=Nascondi i pulsanti per utenti non amministratori per azioni non autorizzate invece di mostrare pulsanti disabilitati in grigio -OldVATRates=Aliquota IVA precedente +HideLocalTaxOnPDF=Hide %s rate in column Tax Sale +HideDescOnPDF=Hide products description +HideRefOnPDF=Hide products ref. +HideDetailsOnPDF=Hide product lines details +PlaceCustomerAddressToIsoLocation=Usa la posizione predefinita francese (La Poste) per l'indirizzo del cliente +Library=Libreria +UrlGenerationParameters=Parametri di generazione degli indirizzi +SecurityTokenIsUnique=Utilizzare un unico parametro securekey per ogni URL +EnterRefToBuildUrl=Inserisci la reference per l'oggetto %s +GetSecuredUrl=Prendi URL calcolato +ButtonHideUnauthorized=Hide buttons for non-admin users for unauthorized actions instead of showing greyed disabled buttons +OldVATRates=Vecchia aliquota IVA NewVATRates=Nuova aliquota IVA -PriceBaseTypeToChange=Modifica sui prezzi con il valore di riferimento di base definito su -MassConvert=Avvia conversione in blocco -PriceFormatInCurrentLanguage=Formato del prezzo nella lingua corrente -String=Corda -TextLong=Testo lungo -HtmlText=Testo HTML -Int=Numero intero -Float=Galleggiante +PriceBaseTypeToChange=Modifica i prezzi con la valuta di base definita. +MassConvert=Launch bulk conversion +PriceFormatInCurrentLanguage=Price Format In Current Language +String=Stringa +TextLong=Testo Lungo +HtmlText=Testo html +Int=Intero +Float=Decimale DateAndTime=Data e ora Unique=Unico -Boolean=Booleano (una casella) -ExtrafieldPhone = Telefono +Boolean=booleano (una checkbox) +ExtrafieldPhone = Tel. ExtrafieldPrice = Prezzo -ExtrafieldMail = E-mail -ExtrafieldUrl = url -ExtrafieldSelect = Seleziona la lista +ExtrafieldMail = Email +ExtrafieldUrl = Indirizzo URL +ExtrafieldSelect = Lista di selezione ExtrafieldSelectList = Seleziona dalla tabella -ExtrafieldSeparator=Separatore (non un campo) -ExtrafieldPassword=Parola d'ordine -ExtrafieldRadio=Pulsanti di opzione (solo una scelta) -ExtrafieldCheckBox=caselle di controllo -ExtrafieldCheckBoxFromList=Caselle di controllo dalla tabella -ExtrafieldLink=Collegamento a un oggetto +ExtrafieldSeparator=Separatore (non è un campo) +ExtrafieldPassword=Password +ExtrafieldRadio=Radio buttons (one choice only) +ExtrafieldCheckBox=Checkboxes +ExtrafieldCheckBoxFromList=Checkboxes from table +ExtrafieldLink=Link to an object ComputedFormula=Campo calcolato -ComputedFormulaDesc=Puoi inserire qui una formula usando altre proprietà dell'oggetto o qualsiasi codice PHP per ottenere un valore calcolato dinamico. Puoi utilizzare qualsiasi formula compatibile con PHP incluso "?" operatore condizione e seguente oggetto globale: $ db, $ conf, $ langs, $ mysoc, $ user, $ object .
ATTENZIONE : potrebbero essere disponibili solo alcune proprietà di $ object. Se hai bisogno di proprietà non caricate, recupera l'oggetto nella tua formula come nel secondo esempio.
L'uso di un campo calcolato significa che non è possibile immettere alcun valore dall'interfaccia. Inoltre, se si verifica un errore di sintassi, la formula potrebbe non restituire nulla.

Esempio di formula:
$ object-> id <10? round ($ object-> id / 2, 2): ($ object-> id + 2 * $ user-> id) * (int) substr ($ mysoc-> zip, 1, 2)

Esempio per ricaricare l'oggetto
(($ 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'

Altro esempio di formula per forzare il caricamento dell'oggetto e del suo oggetto padre:
(($ reloadedobj = new Task ($ db)) && ($ reloadedobj-> fetch ($ object-> id)> 0) && ($ secondloadedobj = nuovo progetto ($ db)) && ($ secondloadedobj-> fetch ($ reloadedobj-> fk_project)> 0))? $ secondloadedobj-> ref: 'Progetto padre non trovato' -Computedpersistent=Memorizza campo calcolato -ComputedpersistentDesc=I campi extra calcolati verranno archiviati nel database, tuttavia, il valore verrà ricalcolato solo quando l'oggetto di questo campo viene modificato. Se il campo calcolato dipende da altri oggetti o dati globali questo valore potrebbe essere sbagliato !! -ExtrafieldParamHelpPassword=Lasciare vuoto questo campo significa che questo valore verrà memorizzato senza crittografia (il campo deve essere nascosto solo con una stella sullo schermo).
Impostare 'auto' per utilizzare la regola di crittografia predefinita per salvare la password nel database (quindi il valore letto sarà solo l'hash, nessun modo per recuperare il valore originale) -ExtrafieldParamHelpselect=L'elenco di valori deve essere linee con chiave di formato, valore (dove la chiave non può essere '0')

per esempio:
1, valore1
2, valore2
CODE3, valore3
...

Per avere l'elenco in base a un altro elenco di attributi complementari:
1, value1 | options_ parent_list_code : parent_key
2, value2 | options_ parent_list_code : parent_key

Per avere l'elenco in base a un altro elenco:
1, valore1 | parent_list_code : parent_key
2, valore2 | parent_list_code : parent_key -ExtrafieldParamHelpcheckbox=L'elenco di valori deve essere linee con chiave di formato, valore (dove la chiave non può essere '0')

per esempio:
1, valore1
2, valore2
3, valore3
... -ExtrafieldParamHelpradio=L'elenco di valori deve essere linee con chiave di formato, valore (dove la chiave non può essere '0')

per esempio:
1, valore1
2, valore2
3, valore3
... -ExtrafieldParamHelpsellist=L'elenco dei valori proviene da una tabella
Sintassi: table_name: label_field: id_field :: filter
Esempio: c_typent: libelle: id :: filter

- idfilter è necessariamente una chiave int primaria
- Il filtro può essere un semplice test (ad esempio attivo = 1) per visualizzare solo il valore attivo
Puoi anche usare $ ID $ in streghe del filtro è l'ID corrente dell'oggetto corrente
Per fare un SELEZIONA nel filtro usa $ SEL $
se vuoi filtrare su campi extra usa la sintassi extra.fieldcode = ... (dove codice campo è il codice di campo extra)

Per avere l'elenco in base a un altro elenco di attributi complementari:
c_typent: libelle: id: options_ parent_list_code | parent_column: filtro

Per avere l'elenco in base a un altro elenco:
c_typent: libelle: id: parent_list_code | parent_column: filtro -ExtrafieldParamHelpchkbxlst=L'elenco dei valori proviene da una tabella
Sintassi: table_name: label_field: id_field :: filter
Esempio: c_typent: libelle: id :: filter

Il filtro può essere un semplice test (ad esempio attivo = 1) per visualizzare solo il valore attivo
Puoi anche usare $ ID $ in streghe del filtro è l'ID corrente dell'oggetto corrente
Per fare un SELEZIONA nel filtro usa $ SEL $
se vuoi filtrare su campi extra usa la sintassi extra.fieldcode = ... (dove codice campo è il codice di campo extra)

Per avere l'elenco in base a un altro elenco di attributi complementari:
c_typent: libelle: id: options_ parent_list_code | parent_column: filtro

Per avere l'elenco in base a un altro elenco:
c_typent: libelle: id: parent_list_code | parent_column: filtro -ExtrafieldParamHelplink=I parametri devono essere ObjectName: Classpath
Sintassi: ObjectName: Classpath
Esempi:
Societe: societe / class / societe.class.php
Contatto: contatto / class / contact.class.php -ExtrafieldParamHelpSeparator=Mantieni vuoto per un semplice separatore
Impostalo su 1 per un separatore collassante (aperto per impostazione predefinita per la nuova sessione, quindi lo stato viene mantenuto per ogni sessione utente)
Impostalo su 2 per un separatore compresso (compresso per impostazione predefinita per la nuova sessione, quindi lo stato viene mantenuto per ogni sessione utente) -LibraryToBuildPDF=Libreria utilizzata per la generazione di PDF -LocalTaxDesc=Alcuni paesi possono applicare due o tre tasse su ciascuna riga della fattura. In questo caso, scegli il tipo per la seconda e la terza imposta e la sua aliquota. I tipi possibili sono:
1: imposta locale applicata su prodotti e servizi senza IVA (la tassa locale è calcolata sull'importo senza tasse)
2: l'imposta locale si applica ai prodotti e servizi compresa l'IVA (la tassa locale è calcolata sull'importo + imposta principale)
3: l'imposta locale si applica ai prodotti senza iva (la tassa locale è calcolata sull'importo senza tasse)
4: l'imposta locale si applica ai prodotti compresa l'IVA (la tassa locale è calcolata sull'importo + IVA principale)
5: la tassa locale si applica ai servizi senza iva (la tassa locale è calcolata sull'importo senza tasse)
6: imposta locale applicata sui servizi, IVA inclusa (la tassa locale è calcolata sull'importo + imposta) -SMS=sms -LinkToTestClickToDial=Immettere un numero di telefono da chiamare per mostrare un collegamento per testare l'URL ClickToDial per l'utente %s -RefreshPhoneLink=Aggiorna link -LinkToTest=Link cliccabile generato per l'utente %s (fare clic sul numero di telefono per testare) -KeepEmptyToUseDefault=Mantieni vuoto per utilizzare il valore predefinito -DefaultLink=Collegamento predefinito +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' +Computedpersistent=Store computed field +ComputedpersistentDesc=Computed extra fields will be stored in the database, however, the value will only be recalculated when the object of this field is changed. If the computed field depends on other objects or global data this value might be wrong!! +ExtrafieldParamHelpPassword=Leaving this field blank means this value will be stored without encryption (field must be only hidden with star on screen).
Set 'auto' to use the default encryption rule to save password into database (then value read will be the hash only, no way to retrieve original value) +ExtrafieldParamHelpselect=List of values must be lines with format key,value (where key can't be '0')

for example:
1,value1
2,value2
code3,value3
...

In order to have the list depending on another complementary attribute list:
1,value1|options_parent_list_code:parent_key
2,value2|options_parent_list_code:parent_key

In order to have the list depending on another list:
1,value1|parent_list_code:parent_key
2,value2|parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=List of values must be lines with format key,value (where key can't be '0')

for example:
1,value1
2,value2
3,value3
... +ExtrafieldParamHelpradio=List of values must be lines with format key,value (where key can't be '0')

for example:
1,value1
2,value2
3,value3
... +ExtrafieldParamHelpsellist=List of values comes from a table
Syntax: table_name:label_field:id_field::filter
Example: c_typent:libelle:id::filter

- idfilter is necessarly a primary int key
- filter can be a simple test (eg active=1) to display only active value
You can also use $ID$ in filter witch is the current id of current object
To do a SELECT in filter use $SEL$
if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

In order to have the list depending on another complementary attribute list:
c_typent:libelle:id:options_parent_list_code|parent_column:filter

In order to have the list depending on another list:
c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpchkbxlst=List of values comes from a table
Syntax: table_name:label_field:id_field::filter
Example: c_typent:libelle:id::filter

filter can be a simple test (eg active=1) to display only active value
You can also use $ID$ in filter witch is the current id of current object
To do a SELECT in filter use $SEL$
if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

In order to have the list depending on another complementary attribute list:
c_typent:libelle:id:options_parent_list_code|parent_column:filter

In order to have the list depending on another list:
c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
Syntax: ObjectName:Classpath
Examples:
Societe:societe/class/societe.class.php
Contact:contact/class/contact.class.php +ExtrafieldParamHelpSeparator=Keep empty for a simple separator
Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) +LibraryToBuildPDF=Libreria utilizzata per generare PDF +LocalTaxDesc=Some countries may apply two or three taxes on each invoice line. If this is the case, choose the type for the second and third tax and its rate. Possible type are:
1: local tax apply on products and services without vat (localtax is calculated on amount without tax)
2: local tax apply on products and services including vat (localtax is calculated on amount + main tax)
3: local tax apply on products without vat (localtax is calculated on amount without tax)
4: local tax apply on products including vat (localtax is calculated on amount + main vat)
5: local tax apply on services without vat (localtax is calculated on amount without tax)
6: local tax apply on services including vat (localtax is calculated on amount + tax) +SMS=SMS +LinkToTestClickToDial=Per testare l'indirizzo ClickToDial dell'utente %s, inserisci un numero di telefono +RefreshPhoneLink=Link Aggiorna +LinkToTest=Collegamento cliccabile generato per l'utente %s (clicca numero di telefono per testare) +KeepEmptyToUseDefault=Lasciare vuoto per utilizzare il valore di default +DefaultLink=Link predefinito SetAsDefault=Imposta come predefinito -ValueOverwrittenByUserSetup=Attenzione, questo valore può essere sovrascritto dalla configurazione specifica dell'utente (ogni utente può impostare il proprio URL clicktodial) +ValueOverwrittenByUserSetup=Attenzione, questo valore potrebbe essere sovrascritto da un impostazione specifica dell'utente (ogni utente può settare il proprio url clicktodial) ExternalModule=Modulo esterno - Installato nella directory %s -BarcodeInitForthird-parties=Iniziale codice a barre di massa per terze parti -BarcodeInitForProductsOrServices=Inizializzazione o reimpostazione del codice a barre di massa per prodotti o servizi -CurrentlyNWithoutBarCode=Attualmente, si dispone di registrare %s su %s %s senza codice a barre definiti. -InitEmptyBarCode=Valore iniziale per i successivi record vuoti %s -EraseAllCurrentBarCode=Cancella tutti i valori correnti del codice a barre -ConfirmEraseAllCurrentBarCode=Sei sicuro di voler cancellare tutti i valori correnti del codice a barre? -AllBarcodeReset=Tutti i valori dei codici a barre sono stati rimossi -NoBarcodeNumberingTemplateDefined=Nessun modello di codice a barre di numerazione abilitato nella configurazione del modulo Codice a barre. -EnableFileCache=Abilita cache dei file -ShowDetailsInPDFPageFoot=Aggiungi più dettagli nel piè di pagina, come l'indirizzo dell'azienda o i nomi dei gestori (oltre agli ID professionali, al capitale aziendale e al numero di partita IVA). -NoDetails=Nessun dettaglio aggiuntivo nel piè di pagina -DisplayCompanyInfo=Visualizza l'indirizzo dell'azienda -DisplayCompanyManagers=Visualizza i nomi dei gestori -DisplayCompanyInfoAndManagers=Visualizza l'indirizzo dell'azienda e i nomi dei gestori -EnableAndSetupModuleCron=Se si desidera che questa fattura ricorrente venga generata automaticamente, il modulo * %s * deve essere abilitato e configurato correttamente. In caso contrario, la generazione di fatture deve essere eseguita manualmente da questo modello utilizzando il pulsante * Crea *. Nota che anche se hai abilitato la generazione automatica, puoi comunque avviare in modo sicuro la generazione manuale. La generazione di duplicati per lo stesso periodo non è possibile. -ModuleCompanyCodeCustomerAquarium=%s seguito dal codice cliente per un codice contabile cliente -ModuleCompanyCodeSupplierAquarium=%s seguito dal codice fornitore per un codice contabile fornitore -ModuleCompanyCodePanicum=Restituisce un codice contabile vuoto. -ModuleCompanyCodeDigitaria=Restituisce un codice contabile composto in base al nome della terza parte. Il codice è costituito da un prefisso che può essere definito nella prima posizione seguito dal numero di caratteri definiti nel codice di terze parti. +BarcodeInitForthird-parties=Mass barcode init for third-parties +BarcodeInitForProductsOrServices=Mass barcode init or reset for products or services +CurrentlyNWithoutBarCode=Currently, you have %s record on %s %s without barcode defined. +InitEmptyBarCode=Init value for next %s empty records +EraseAllCurrentBarCode=Erase all current barcode values +ConfirmEraseAllCurrentBarCode=Vuoi davvero eliminare tutti i valori attuali dei codici a barre? +AllBarcodeReset=All barcode values have been removed +NoBarcodeNumberingTemplateDefined=No numbering barcode template enabled in the Barcode module setup. +EnableFileCache=Abilita file di cache +ShowDetailsInPDFPageFoot=Add more details into footer, such as company address or manager names (in addition to professional ids, company capital and VAT number). +NoDetails=No additional details in footer +DisplayCompanyInfo=Mostra indirizzo dell'azienda +DisplayCompanyManagers=Visualizza nomi responsabili +DisplayCompanyInfoAndManagers=Mostra l'indirizzo dell'azienda ed il nome del manager +EnableAndSetupModuleCron=If you want to have this recurring invoice generated automatically, module *%s* must be enabled and correctly setup. Otherwise, generation of invoices must be done manually from this template using the *Create* button. Note that even if you enabled automatic generation, you can still safely launch manual generation. Generation of duplicates for the same period is not possible. +ModuleCompanyCodeCustomerAquarium=%s followed by customer code for a customer accounting code +ModuleCompanyCodeSupplierAquarium=%s followed by vendor code for a vendor 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. ModuleCompanyCodeCustomerDigitaria=%s seguito dal nome del cliente troncato dal numero di caratteri: %s per il codice contabile del cliente. ModuleCompanyCodeSupplierDigitaria=%s seguito dal nome del fornitore troncato dal numero di caratteri: %s per il codice contabile del fornitore. -Use3StepsApproval=Per impostazione predefinita, gli ordini di acquisto devono essere creati e approvati da 2 utenti diversi (un passaggio / utente da creare e un passaggio / utente da approvare. Si noti che se l'utente dispone di entrambe le autorizzazioni per creare e approvare, sarà sufficiente un passaggio / utente) . Puoi richiedere con questa opzione di introdurre un terzo passaggio / approvazione utente, se l'importo è superiore a un valore dedicato (quindi saranno necessari 3 passaggi: 1 = convalida, 2 = prima approvazione e 3 = seconda approvazione se l'importo è sufficiente).
Impostarlo su vuoto se è sufficiente un'approvazione (2 passaggi), impostarlo su un valore molto basso (0,1) se è sempre richiesta una seconda approvazione (3 passaggi). -UseDoubleApproval=Utilizzare un'approvazione in 3 passaggi quando l'importo (senza tasse) è superiore a ... -WarningPHPMail=ATTENZIONE: è spesso preferibile configurare le e-mail in uscita per utilizzare il server e-mail del proprio provider anziché l'impostazione predefinita. Alcuni provider di posta elettronica (come Yahoo) non consentono di inviare e-mail da un altro server rispetto al proprio server. La tua configurazione attuale utilizza il server dell'applicazione per inviare e-mail e non il server del tuo provider di posta elettronica, quindi alcuni destinatari (quello compatibile con il protocollo DMARC restrittivo), chiederanno al tuo provider di posta elettronica se possono accettare la tua email e alcuni provider di posta elettronica (come Yahoo) potrebbe rispondere "no" perché il server non è loro, quindi poche delle email inviate potrebbero non essere accettate (fai attenzione anche alla quota di invio del tuo provider di posta elettronica).
Se il tuo provider di posta elettronica (come Yahoo) ha questa limitazione, devi modificare la configurazione della posta elettronica per scegliere l'altro metodo "Server SMTP" e inserire il server SMTP e le credenziali fornite dal tuo fornitore di posta elettronica. -WarningPHPMail2=Se il tuo provider di posta elettronica SMTP deve limitare il client di posta elettronica ad alcuni indirizzi IP (molto raro), questo è l'indirizzo IP dell'agente utente di posta (MUA) per la tua applicazione CRM ERP: %s . -ClickToShowDescription=Fai clic per mostrare la descrizione -DependsOn=Questo modulo ha bisogno dei moduli -RequiredBy=Questo modulo è richiesto dai moduli -TheKeyIsTheNameOfHtmlField=Questo è il nome del campo HTML. Sono necessarie conoscenze tecniche per leggere il contenuto della pagina HTML per ottenere il nome chiave di un campo. -PageUrlForDefaultValues=Devi inserire il percorso relativo dell'URL della pagina. Se includi i parametri nell'URL, i valori predefiniti saranno efficaci se tutti i parametri sono impostati sullo stesso valore. -PageUrlForDefaultValuesCreate=
Esempio:
Affinché il modulo crei una nuova terza parte, è %s .
Per l'URL dei moduli esterni installati nella directory personalizzata, non includere "custom /", quindi usa path come mymodule / mypage.php e non custom / mymodule / mypage.php.
Se si desidera il valore predefinito solo se l'URL ha alcuni parametri, è possibile utilizzare %s -PageUrlForDefaultValuesList=
Esempio:
Per la pagina che elenca terze parti, è %s .
Per l'URL dei moduli esterni installati nella directory personalizzata, non includere "custom /", quindi usa un percorso come mymodule / mypagelist.php e non custom / mymodule / mypagelist.php.
Se si desidera il valore predefinito solo se l'URL ha alcuni parametri, è possibile utilizzare %s -AlsoDefaultValuesAreEffectiveForActionCreate=Si noti inoltre che la sovrascrittura dei valori predefiniti per la creazione del modulo funziona solo per le pagine che sono state progettate correttamente (quindi con il parametro action = create or presend ...) -EnableDefaultValues=Abilita la personalizzazione dei valori predefiniti -EnableOverwriteTranslation=Abilita l'uso della traduzione sovrascritta -GoIntoTranslationMenuToChangeThis=È stata trovata una traduzione per la chiave con questo codice. Per modificare questo valore, è necessario modificarlo da Home-Setup-translation. -WarningSettingSortOrder=Attenzione, l'impostazione di un ordinamento predefinito può causare un errore tecnico quando si accede alla pagina di elenco se il campo è un campo sconosciuto. Se si verifica un errore simile, tornare a questa pagina per rimuovere il criterio di ordinamento predefinito e ripristinare il comportamento predefinito. +Use3StepsApproval=By default, Purchase Orders need to be created and approved by 2 different users (one step/user to create and one step/user to approve. Note that if user has both permission to create and approve, one step/user will be enough). You can ask with this option to introduce a third step/user approval, if amount is higher than a dedicated value (so 3 steps will be necessary: 1=validation, 2=first approval and 3=second approval if amount is enough).
Set this to empty if one approval (2 steps) is enough, set it to a very low value (0.1) if a second approval (3 steps) is always required. +UseDoubleApproval=Use a 3 steps approval when amount (without tax) is higher than... +WarningPHPMail=WARNING: It is often better to setup outgoing emails to use the email server of your provider instead of the default setup. Some email providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted (be careful also of your email provider's sending quota).
If your Email provider (like Yahoo) has this restriction, you must change Email setup to choose the other method "SMTP server" and enter the SMTP server and credentials provided by your Email provider. +WarningPHPMail2=If your email SMTP provider need to restrict email client to some IP addresses (very rare), this is the IP address of the mail user agent (MUA) for your ERP CRM application: %s. +ClickToShowDescription=Clicca per mostrare la descrizione +DependsOn=This module needs the module(s) +RequiredBy=Questo modulo è richiesto dal modulo +TheKeyIsTheNameOfHtmlField=This is the name of the HTML field. Technical knowledge is required to read the content of the HTML page to get the key name of a field. +PageUrlForDefaultValues=You must enter the relative path of the page URL. If you include parameters in URL, the default values will be effective if all parameters are set to same value. +PageUrlForDefaultValuesCreate=
Example:
For the form to create a new third party, it is %s.
For URL of external modules installed into custom directory, do not include the "custom/", so use path like mymodule/mypage.php and not custom/mymodule/mypage.php.
If you want default value only if url has some parameter, you can use %s +PageUrlForDefaultValuesList=
Example:
For the page that lists third parties, it is %s.
For URL of external modules installed into custom directory, do not include the "custom/" so use a path like mymodule/mypagelist.php and not custom/mymodule/mypagelist.php.
If you want default value only if url has some parameter, you can use %s +AlsoDefaultValuesAreEffectiveForActionCreate=Also note that overwritting default values for form creation works only for pages that were correctly designed (so with parameter action=create or presend...) +EnableDefaultValues=Enable customization of default values +EnableOverwriteTranslation=Abilita queste traduzioni personalizzate +GoIntoTranslationMenuToChangeThis=A translation has been found for the key with this code. To change this value, you must edit it from Home-Setup-translation. +WarningSettingSortOrder=Warning, setting a default sort order may result in a technical error when going on the list page if field is an unknown field. If you experience such an error, come back to this page to remove the default sort order and restore default behavior. Field=Campo -ProductDocumentTemplates=Modelli di documento per generare il documento del prodotto -FreeLegalTextOnExpenseReports=Testo legale gratuito sulle note spese -WatermarkOnDraftExpenseReports=Filigrana su bozze delle note spese -AttachMainDocByDefault=Impostare questo su 1 se si desidera allegare il documento principale all'e-mail per impostazione predefinita (se applicabile) +ProductDocumentTemplates=Document templates to generate product document +FreeLegalTextOnExpenseReports=Testo libero sul report di spesa +WatermarkOnDraftExpenseReports=Bozze delle note spese filigranate +AttachMainDocByDefault=Imposta a 1 se vuoi allegare il documento principale alle email come impostazione predefinita (se applicabile) FilesAttachedToEmail=Allega file -SendEmailsReminders=Invia promemoria dell'agenda tramite e-mail -davDescription=Installa un server WebDAV -DAVSetup=Installazione del modulo DAV -DAV_ALLOW_PRIVATE_DIR=Abilita la directory privata generica (directory dedicata WebDAV denominata "privata" - accesso richiesto) -DAV_ALLOW_PRIVATE_DIRTooltip=La directory privata generica è una directory WebDAV alla quale chiunque può accedere con il proprio login / pass dell'applicazione. -DAV_ALLOW_PUBLIC_DIR=Abilita la directory pubblica generica (directory dedicata WebDAV denominata "pubblica" - nessun accesso richiesto) -DAV_ALLOW_PUBLIC_DIRTooltip=La directory pubblica generica è una directory WebDAV alla quale chiunque può accedere (in modalità lettura e scrittura), senza autorizzazione (account login / password). -DAV_ALLOW_ECM_DIR=Abilita la directory privata DMS / ECM (directory principale del modulo DMS / ECM - accesso richiesto) -DAV_ALLOW_ECM_DIRTooltip=La directory principale in cui vengono caricati manualmente tutti i file quando si utilizza il modulo DMS / ECM. Analogamente all'accesso dall'interfaccia Web, per accedervi avrai bisogno di un login / password validi con autorizzazioni adeguate. +SendEmailsReminders=Invia promemoria agenda via email +davDescription=Setup a WebDAV server +DAVSetup=Configurazione del modulo DAV +DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) +DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. +DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) +DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). +DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) +DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. # Modules Module0Name=Utenti e gruppi -Module0Desc=Gestione utenti / dipendenti e gruppi -Module1Name=Terzi -Module1Desc=Gestione di aziende e contatti (clienti, prospettive ...) +Module0Desc=Gestione utenti/impiegati e gruppi +Module1Name=Soggetti terzi +Module1Desc=Companies and contacts management (customers, prospects...) Module2Name=Commerciale Module2Desc=Gestione commerciale -Module10Name=Contabilità (semplificata) -Module10Desc=Rapporti di contabilità semplici (riviste, fatturato) basati sul contenuto del database. Non utilizza alcuna tabella di contabilità generale. -Module20Name=proposte -Module20Desc=Gestione delle proposte commerciali -Module22Name=Email di massa -Module22Desc=Gestisci le email di massa +Module10Name=Accounting (simplified) +Module10Desc=Resoconti contabili semplici (spese, ricavi) basati sul contenuto del database. Non usa tabelle di contabilità generale. +Module20Name=Proposte +Module20Desc=Gestione proposte commerciali +Module22Name=Mass Emailings +Module22Desc=Manage bulk emailing Module23Name=Energia -Module23Desc=Monitoraggio del consumo di energie -Module25Name=Ordini di vendita -Module25Desc=Gestione ordini cliente +Module23Desc=Monitoraggio del consumo energetico +Module25Name=Ordini Cliente +Module25Desc=Sales order management Module30Name=Fatture -Module30Desc=Gestione delle fatture e note di accredito per i clienti. Gestione di fatture e note di accredito per fornitori -Module40Name=I venditori -Module40Desc=Fornitori e gestione degli acquisti (ordini di acquisto e fatturazione) -Module42Name=Log di debug -Module42Desc=Funzionalità di registrazione (file, syslog, ...). Tali registri sono a scopo tecnico / di debug. -Module49Name=Editors -Module49Desc=Gestione dell'editor +Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers +Module40Name=Fornitori +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) +Module42Name=Debug Logs +Module42Desc=Strumenti di tracciamento (file, syslog, ...). Questi strumenti sono per scopi tecnici/correzione. +Module49Name=Redazione +Module49Desc=Gestione redattori Module50Name=Prodotti -Module50Desc=Gestione dei prodotti -Module51Name=Mailing di massa -Module51Desc=Gestione della posta in serie -Module52Name=riserve -Module52Desc=Gestione delle scorte +Module50Desc=Management of Products +Module51Name=Posta massiva +Module51Desc=Modulo per la gestione dell'invio massivo di posta cartacea +Module52Name=Magazzino +Module52Desc=Stock management (for products only) Module53Name=Servizi -Module53Desc=Gestione dei servizi -Module54Name=Contratti / Iscrizioni -Module54Desc=Gestione dei contratti (servizi o abbonamenti ricorrenti) +Module53Desc=Management of Services +Module54Name=Contratti/Abbonamenti +Module54Desc=Management of contracts (services or recurring subscriptions) Module55Name=Codici a barre -Module55Desc=Gestione dei codici a barre +Module55Desc=Gestione codici a barre Module56Name=Telefonia -Module56Desc=Integrazione telefonica -Module57Name=Pagamenti con addebito diretto bancario -Module57Desc=Gestione degli ordini di pagamento con addebito diretto. Include la generazione di file SEPA per i paesi europei. +Module56Desc=Integrazione telefonia +Module57Name=Bank Direct Debit payments +Module57Desc=Management of Direct Debit payment orders. It includes generation of SEPA file for European countries. Module58Name=ClickToDial -Module58Desc=Integrazione di un sistema ClickToDial (Asterisk, ...) +Module58Desc=Integrazione di un sistema ClickToDial (per esempio Asterisk) Module59Name=Bookmark4u -Module59Desc=Aggiungi funzione per generare un account Bookmark4u da un account Dolibarr -Module70Name=interventi -Module70Desc=Gestione degli interventi -Module75Name=Spese e note di viaggio -Module75Desc=Gestione spese e appunti di viaggio +Module59Desc=Aggiungi la possibilità di generare account Bookmark4u da un account Dolibarr +Module70Name=Interventi +Module70Desc=Gestione Interventi +Module75Name=Spese di viaggio e note spese +Module75Desc=Gestione spese di viaggio e note spese Module80Name=Spedizioni -Module80Desc=Gestione spedizioni e bolla di consegna -Module85Name=Banche e contanti -Module85Desc=Gestione di conti bancari o di cassa -Module100Name=Sito esterno -Module100Desc=Aggiungi un collegamento a un sito Web esterno come icona del menu principale. Il sito Web è mostrato in una cornice nel menu in alto. +Module80Desc=Shipments and delivery note management +Module85Name=Banche & Denaro +Module85Desc=Gestione di conti bancari o conti di cassa +Module100Name=External Site +Module100Desc=Add a link to an external website as a main menu icon. Website is shown in a frame under the top menu. Module105Name=Mailman e SPIP -Module105Desc=Mailman o interfaccia SPIP per il modulo membro +Module105Desc=Interfaccia Mailman o SPIP per il modulo membri Module200Name=LDAP -Module200Desc=Sincronizzazione della directory LDAP -Module210Name=PostNuke -Module210Desc=Integrazione PostNuke -Module240Name=Esportazioni di dati -Module240Desc=Strumento per esportare i dati Dolibarr (con assistenti) -Module250Name=Importazioni di dati -Module250Desc=Strumento per importare dati in Dolibarr (con assistenti) +Module200Desc=LDAP directory synchronization +Module210Name=Postnuke +Module210Desc=Integrazione Postnuke +Module240Name=Esportazione dati +Module240Desc=Strumento per esportare i dati di Dolibarr (con assistenti) +Module250Name=Importazione dati +Module250Desc=Tool to import data into Dolibarr (with assistants) Module310Name=Membri -Module310Desc=Gestione dei membri della Fondazione -Module320Name=RSS Feed -Module320Desc=Aggiungi un feed RSS alle pagine Dolibarr -Module330Name=Segnalibri e scorciatoie -Module330Desc=Crea collegamenti, sempre accessibili, alle pagine interne o esterne a cui accedi frequentemente -Module400Name=Progetti o lead -Module400Desc=Gestione di progetti, lead / opportunità e / o attività. È inoltre possibile assegnare qualsiasi elemento (fattura, ordine, proposta, intervento, ...) a un progetto e ottenere una vista trasversale dalla vista del progetto. -Module410Name=WebCalendar -Module410Desc=Integrazione con Webcalendar -Module500Name=Tasse e spese speciali -Module500Desc=Gestione di altre spese (imposte di vendita, imposte sociali o fiscali, dividendi, ...) -Module510Name=stipendi -Module510Desc=Registrare e tenere traccia dei pagamenti dei dipendenti -Module520Name=prestiti +Module310Desc=Gestione membri della fondazione +Module320Name=Feed RSS +Module320Desc=Add a RSS feed to Dolibarr pages +Module330Name=Bookmarks & Shortcuts +Module330Desc=Create shortcuts, always accessible, to the internal or external pages to which you frequently access +Module400Name=Projects or Leads +Module400Desc=Management of projects, leads/opportunities 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=Taxes & Special Expenses +Module500Desc=Management of other expenses (sale taxes, social or fiscal taxes, dividends, ...) +Module510Name=Stipendi +Module510Desc=Record and track employee payments +Module520Name=Prestiti Module520Desc=Gestione dei prestiti -Module600Name=Notifiche su eventi aziendali -Module600Desc=Invia notifiche e-mail attivate da un evento aziendale: per utente (configurazione definita su ciascun utente), per contatti di terze parti (configurazione definita su ogni terza parte) o da e-mail specifiche -Module600Long=Si noti che questo modulo invia e-mail in tempo reale quando si verifica un evento aziendale specifico. Se stai cercando una funzione per inviare promemoria e-mail per eventi dell'agenda, vai alla configurazione del modulo Agenda. -Module610Name=Varianti del prodotto -Module610Desc=Creazione di varianti di prodotto (colore, dimensioni ecc.) +Module600Name=Notifications on business event +Module600Desc=Send email notifications triggered by a business event: per user (setup defined on each user), per third-party contacts (setup defined on each third party) or by specific emails +Module600Long=Note that this module sends emails in real-time when a specific business event occurs. If you are looking for a feature to send email reminders for agenda events, go into the setup of module Agenda. +Module610Name=Varianti prodotto +Module610Desc=Creation of product variants (color, size etc.) Module700Name=Donazioni -Module700Desc=Gestione delle donazioni -Module770Name=Rapporti di spesa -Module770Desc=Gestire le richieste di rimborso spese (trasporto, pasto, ...) -Module1120Name=Proposte commerciali del venditore -Module1120Desc=Richiedi la proposta e i prezzi commerciali del fornitore -Module1200Name=Mantide +Module700Desc=Gestione donazioni +Module770Name=Expense Reports +Module770Desc=Manage expense reports claims (transportation, meal, ...) +Module1120Name=Vendor Commercial Proposals +Module1120Desc=Request vendor commercial proposal and prices +Module1200Name=Mantis Module1200Desc=Integrazione Mantis Module1520Name=Generazione dei documenti -Module1520Desc=Generazione di documenti di posta elettronica di massa -Module1780Name=Tag / Categorie -Module1780Desc=Crea tag / categoria (prodotti, clienti, fornitori, contatti o membri) -Module2000Name=Editor WYSIWYG -Module2000Desc=Consenti ai campi di testo di essere modificati / formattati usando CKEditor (html) +Module1520Desc=Mass email document generation +Module1780Name=Tag/categorie +Module1780Desc=Crea tag / categorie (prodotti, clienti, fornitori, contatti o membri) +Module2000Name=FCKeditor +Module2000Desc=Allow text fields to be edited/formatted using CKEditor (html) Module2200Name=Prezzi dinamici -Module2200Desc=Utilizza le espressioni matematiche per la generazione automatica dei prezzi -Module2300Name=Lavori programmati -Module2300Desc=Gestione dei lavori pianificati (alias cron o chrono table) -Module2400Name=Eventi / Agenda -Module2400Desc=Tracciare eventi. Registra eventi automatici a scopo di tracciamento o registra eventi o riunioni manuali. Questo è il modulo principale per una buona gestione delle relazioni con clienti o fornitori. +Module2200Desc=Use maths expressions for auto-generation of prices +Module2300Name=Processi pianificati +Module2300Desc=Gestione delle operazioni pianificate +Module2400Name=Eventi/Agenda +Module2400Desc=Track events. Log automatic events for tracking purposes or record manual events or meetings. This is the principal module for good Customer or Vendor Relationship Management. Module2500Name=DMS / ECM -Module2500Desc=Sistema di gestione dei documenti / Gestione elettronica dei contenuti. Organizzazione automatica dei documenti generati o archiviati. Condividili quando ne hai bisogno. -Module2600Name=API / servizi Web (server SOAP) -Module2600Desc=Abilitare il server SOAP Dolibarr che fornisce servizi API -Module2610Name=Servizi API / Web (server REST) -Module2610Desc=Abilitare il server Dolibarr REST che fornisce servizi API -Module2660Name=Chiamare i servizi Web (client SOAP) -Module2660Desc=Abilitare il client dei servizi Web Dolibarr (può essere utilizzato per inviare dati / richieste a server esterni. Attualmente sono supportati solo gli ordini di acquisto). -Module2700Name=gravatar -Module2700Desc=Utilizzare il servizio Gravatar online (www.gravatar.com) per mostrare le foto degli utenti / membri (trovate con le loro e-mail). Ha bisogno di accesso a Internet +Module2500Desc=Document Management System / Electronic Content Management. Automatic organization of your generated or stored documents. Share them when you need. +Module2600Name=API/Web services (SOAP server) +Module2600Desc=Attiva il server SOAP che fornisce i servizi di API +Module2610Name=API/Web services (REST server) +Module2610Desc=Attiva il server REST che fornisce i servizi di API +Module2660Name=Chiamata WebServices (SOAP client) +Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) +Module2700Name=Gravatar +Module2700Desc=Use online Gravatar service (www.gravatar.com) to show photo of users/members (found with their emails). Needs Internet access Module2800Desc=Client FTP Module2900Name=GeoIPMaxmind -Module2900Desc=Funzionalità di conversione GeoIP Maxmind -Module3200Name=Archivi inalterabili -Module3200Desc=Abilita un registro inalterabile degli eventi aziendali. Gli eventi sono archiviati in tempo reale. Il registro è una tabella di sola lettura degli eventi concatenati che possono essere esportati. Questo modulo potrebbe essere obbligatorio per alcuni paesi. -Module4000Name=HRM -Module4000Desc=Gestione delle risorse umane (gestione del dipartimento, contratti e sentimenti dei dipendenti) -Module5000Name=Multi-società -Module5000Desc=Ti permette di gestire più aziende +Module2900Desc=Localizzazione degli accessi tramite GeoIP Maxmind +Module3200Name=Unalterable Archives +Module3200Desc=Enable an unalterable log of business events. Events are archived in real-time. The log is a read-only table of chained events that can be exported. This module may be mandatory for some countries. +Module4000Name=Risorse umane +Module4000Desc=Human resources management (management of department, employee contracts and feelings) +Module5000Name=Multiazienda +Module5000Desc=Permette la gestione di diverse aziende Module6000Name=Flusso di lavoro -Module6000Desc=Gestione del flusso di lavoro (creazione automatica di oggetti e / o cambio di stato automatico) -Module10000Name=siti web -Module10000Desc=Crea siti Web (pubblici) con un editor WYSIWYG. Si tratta di un CMS orientato a webmaster o sviluppatori (è meglio conoscere il linguaggio HTML e CSS). Basta configurare il proprio server Web (Apache, Nginx, ...) in modo che punti alla directory Dolibarr dedicata per averlo online su Internet con il proprio nome di dominio. -Module20000Name=Lascia la gestione delle richieste -Module20000Desc=Definire e tenere traccia delle richieste di ferie dei dipendenti -Module39000Name=Lotti del prodotto -Module39000Desc=Lotti, numeri di serie, gestione della data di scadenza / vendita per i prodotti -Module40000Name=multivaluta -Module40000Desc=Usa valute alternative in prezzi e documenti +Module6000Desc=Workflow management (automatic creation of object and/or automatic status change) +Module10000Name=Siti web +Module10000Desc=Create websites (public) with a WYSIWYG editor. Just setup your web server (Apache, Nginx, ...) to point to the dedicated Dolibarr directory to have it online on the internet with your own domain name. +Module20000Name=Leave Request Management +Module20000Desc=Define and track employee leave requests +Module39000Name=Product Lots +Module39000Desc=Lots, serial numbers, eat-by/sell-by date management for products +Module40000Name=Multicurrency +Module40000Desc=Use alternative currencies in prices and documents Module50000Name=PayBox -Module50000Desc=Offri ai clienti una pagina di pagamento online PayBox (carte di credito / debito). Questo può essere usato per consentire ai tuoi clienti di effettuare pagamenti ad-hoc o pagamenti relativi a uno specifico oggetto Dolibarr (fattura, ordine ecc ...) -Module50100Name=POS SimplePOS -Module50100Desc=Modulo punto vendita SimplePOS (POS semplice). -Module50150Name=POS TakePOS -Module50150Desc=Modulo Point of Sale TakePOS (touchscreen POS). +Module50000Desc=Offer customers a PayBox online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50100Name=Punti vendita SimplePOS +Module50100Desc=Modulo per la creazione di un punto vendita SimplePOS (POS semplice) +Module50150Name=Punti vendita TakePOS +Module50150Desc=Point of Sale module TakePOS (touchscreen POS). Module50200Name=Paypal -Module50200Desc=Offri ai clienti una pagina di pagamento online PayPal (conto PayPal o carte di credito / debito). Questo può essere usato per consentire ai tuoi clienti di effettuare pagamenti ad-hoc o pagamenti relativi a uno specifico oggetto Dolibarr (fattura, ordine ecc ...) -Module50300Name=Banda -Module50300Desc=Offri ai clienti una pagina di pagamento online Stripe (carte di credito / debito). Questo può essere usato per consentire ai tuoi clienti di effettuare pagamenti ad-hoc o pagamenti relativi a uno specifico oggetto Dolibarr (fattura, ordine ecc ...) -Module50400Name=Contabilità (doppia iscrizione) -Module50400Desc=Gestione contabile (doppie voci, supporto contabilità generale e ausiliaria). Esporta il libro mastro in diversi altri formati di software di contabilità. +Module50200Desc=Offer customers a PayPal online payment page (PayPal account or credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50300Name=Stripe +Module50300Desc=Offer customers a Stripe online payment page (credit/debit cards). This can be used to allow your customers to make ad-hoc payments or payments related to a specific Dolibarr object (invoice, order etc...) +Module50400Name=Accounting (double entry) +Module50400Desc=Accounting management (double entries, support general and auxiliary ledgers). Export the ledger in several other accounting software formats. Module54000Name=PrintIPP -Module54000Desc=Stampa diretta (senza aprire i documenti) utilizzando l'interfaccia IPP Cups (la stampante deve essere visibile dal server e CUPS deve essere installato sul server). -Module55000Name=Sondaggio, sondaggio o voto -Module55000Desc=Crea sondaggi, sondaggi o voti online (come Doodle, Studs, RDVz ecc ...) +Module54000Desc=Direct print (without opening the documents) using Cups IPP interface (Printer must be visible from server, and CUPS must be installed on server). +Module55000Name=Sondaggio, Indagine o Votazione +Module55000Desc=Create online polls, surveys or votes (like Doodle, Studs, RDVz etc...) Module59000Name=Margini -Module59000Desc=Modulo per la gestione dei margini -Module60000Name=commissioni -Module60000Desc=Modulo per la gestione delle commissioni -Module62000Name=Incoterms -Module62000Desc=Aggiungi funzionalità per gestire Incoterms -Module63000Name=risorse -Module63000Desc=Gestire le risorse (stampanti, automobili, sale, ...) per l'allocazione agli eventi +Module59000Desc=Modulo per gestire margini +Module60000Name=Commissioni +Module60000Desc=Modulo per gestire commissioni +Module62000Name=Import-Export +Module62000Desc=Add features to manage Incoterms +Module63000Name=Risorse +Module63000Desc=Manage resources (printers, cars, rooms, ...) for allocating to events Permission11=Vedere le fatture attive -Permission12=Crea / modifica fatture cliente -Permission13=Fatture cliente non valide -Permission14=Convalida fatture cliente -Permission15=Invia fatture cliente via e-mail -Permission16=Creare pagamenti per fatture cliente -Permission19=Elimina fatture cliente +Permission12=Creare fatture attive +Permission13=Annullare le fatture attive +Permission14=Convalidare le fatture attive +Permission15=Inviare le fatture attive via email +Permission16=Creare pagamenti per fatture attive +Permission19=Eliminare le fatture attive Permission21=Vedere proposte commerciali -Permission22=Crea / modifica proposte commerciali -Permission24=Convalida proposte commerciali -Permission25=Invia proposte commerciali -Permission26=Chiudi proposte commerciali -Permission27=Elimina proposte commerciali -Permission28=Esporta proposte commerciali -Permission31=Leggi i prodotti -Permission32=Crea / modifica prodotti -Permission34=Elimina prodotti -Permission36=Vedi / gestisci prodotti nascosti -Permission38=Esporta prodotti -Permission41=Leggi progetti e attività (progetto condiviso e progetti per i quali sono in contatto). Può anche inserire il tempo impiegato, per me o la mia gerarchia, nelle attività assegnate (scheda attività) -Permission42=Crea / modifica progetti (progetto condiviso e progetti per i quali sono stato contattato). Può anche creare attività e assegnare utenti a progetti e attività -Permission44=Elimina progetti (progetto condiviso e progetti per i quali sono stato contattato) +Permission22=Creare/modificare le proposte commerciali +Permission24=Convalidare proposte commerciali +Permission25=Inviare proposte commerciali +Permission26=Chiudere proposte commerciali +Permission27=Eliminare proposte commerciali +Permission28=Esportare proposte commerciali +Permission31=Vedere prodotti +Permission32=Creare/modificare prodotti +Permission34=Eliminare prodotti +Permission36=Vedere/gestire prodotti nascosti +Permission38=Esportare prodotti +Permission41=Read projects and tasks (shared project and projects I'm contact for). Can also enter time consumed, for me or my hierarchy, on assigned tasks (Timesheet) +Permission42=Create/modify projects (shared project and projects I'm contact for). Can also create tasks and assign users to project and tasks +Permission44=Delete projects (shared project and projects I'm contact for) Permission45=Esporta progetti Permission61=Vedere gli interventi -Permission62=Crea / modifica interventi -Permission64=Elimina interventi -Permission67=Interventi di esportazione +Permission62=Creare/modificare gli interventi +Permission64=Eliminare interventi +Permission67=Esportare interventi Permission71=Vedere schede membri -Permission72=Crea / modifica membri -Permission74=Elimina membri -Permission75=Configurare i tipi di appartenenza -Permission76=Esporta dati +Permission72=Creare/modificare membri +Permission74=Eliminare membri +Permission75=Imposta i tipi di sottoscrizione +Permission76=Esportare i dati Permission78=Vedere le iscrizioni -Permission79=Crea / modifica abbonamenti +Permission79=Creare/modificare gli abbonamenti Permission81=Vedere ordini clienti -Permission82=Crea / modifica gli ordini dei clienti -Permission84=Convalida gli ordini dei clienti -Permission86=Invia gli ordini dei clienti -Permission87=Chiudi gli ordini dei clienti -Permission88=Annulla gli ordini dei clienti -Permission89=Elimina gli ordini dei clienti -Permission91=Leggi le tasse e le imposte sociali o fiscali -Permission92=Crea / modifica tasse e imposte sociali o fiscali -Permission93=Elimina le tasse e le tasse sociali o fiscali -Permission94=Esporta le tasse sociali o fiscali -Permission95=Leggi i rapporti -Permission101=Leggi gli invii -Permission102=Crea / modifica invii -Permission104=Convalida invii -Permission106=Esporta invii -Permission109=Elimina invii -Permission111=Leggi i conti finanziari -Permission112=Crea / modifica / elimina e confronta le transazioni -Permission113=Imposta conti finanziari (crea, gestisci categorie) -Permission114=Riconciliare le transazioni -Permission115=Esporta transazioni ed estratti conto -Permission116=Trasferimenti tra account -Permission117=Gestire l'invio degli assegni +Permission82=Creare/modificare ordini clienti +Permission84=Convalidare degli ordini clienti +Permission86=Inviare ordini clienti +Permission87=Chiudere gli ordini clienti +Permission88=Annullare ordini clienti +Permission89=Eliminare ordini clienti +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=Vedi resoconti +Permission101=Vedere invii +Permission102=Creare/modificare spedizioni +Permission104=Convalidare spedizioni +Permission106=Esporta gli invii +Permission109=Eliminare spedizioni +Permission111=Vedere i conti bancari +Permission112=Creare/modificare/cancellare e confrontare operazioni bancarie +Permission113=Imposta conti finanziari (crea, gestire le categorie) +Permission114=Reconcile transactions +Permission115=Operazioni di esportazione ed estratti conto +Permission116=Trasferimenti tra conti +Permission117=Manage checks dispatching Permission121=Vedere soggetti terzi collegati all'utente -Permission122=Crea / modifica terze parti collegate all'utente -Permission125=Elimina terze parti collegate all'utente -Permission126=Esporta terze parti -Permission141=Leggi tutti i progetti e le attività (anche progetti privati per i quali non sono un contatto) -Permission142=Crea / modifica tutti i progetti e le attività (anche progetti privati per i quali non sono un contatto) -Permission144=Elimina tutti i progetti e le attività (anche i progetti privati per i quali non sono contattato) -Permission146=Leggi i provider +Permission122=Creare/modificare terzi legati all'utente +Permission125=Eliminare terzi legati all'utente +Permission126=Esportare terzi +Permission141=Read all projects and tasks (also private projects for which I am not a contact) +Permission142=Create/modify all projects and tasks (also private projects for which I am not a contact) +Permission144=Cancella tutti i progetti e tutti i compiti (anche progetti privati in cui non sono stato insertio come contatto) +Permission146=Vedere provider Permission147=Vedere statistiche -Permission151=Leggi gli ordini di pagamento con addebito diretto -Permission152=Crea / modifica un ordine di pagamento con addebito diretto -Permission153=Invia / Trasmetti ordini di pagamento con addebito diretto -Permission154=Registrare crediti / rifiuti di ordini di pagamento con addebito diretto +Permission151=Vedere ordini permanenti +Permission152=Creare/modificare richieste di ordini permanenti +Permission153=Trasmettere fatture ordini permanenti +Permission154=Record Credits/Rejections of direct debit payment orders Permission161=Leggi contratti / abbonamenti Permission162=Crea/modifica contratti/abbonamenti -Permission163=Attiva un servizio / sottoscrizione di un contratto -Permission164=Disabilita un servizio / sottoscrizione di un contratto +Permission163=Attiva un servizio/sottoscrizione di un contratto +Permission164=Disable a service/subscription of a contract Permission165=Elimina contratti / abbonamenti -Permission167=Contratti di esportazione -Permission171=Leggi viaggi e spese (i tuoi e i tuoi subordinati) -Permission172=Crea / modifica viaggi e spese -Permission173=Elimina viaggi e spese -Permission174=Leggi tutti i viaggi e le spese -Permission178=Esportazione di viaggi e spese -Permission180=Leggi i fornitori -Permission181=Leggi gli ordini di acquisto -Permission182=Crea / modifica ordini di acquisto -Permission183=Convalida ordini di acquisto -Permission184=Approvare gli ordini di acquisto -Permission185=Ordina o annulla ordini di acquisto -Permission186=Ricevi ordini di acquisto -Permission187=Chiudi gli ordini di acquisto -Permission188=Annulla gli ordini di acquisto -Permission192=Crea linee -Permission193=Annulla righe -Permission194=Leggi le righe della larghezza di banda -Permission202=Crea connessioni ADSL -Permission203=Ordina ordini di connessioni -Permission204=Ordina connessioni -Permission205=Gestisci connessioni -Permission206=Leggi le connessioni -Permission211=Leggi la telefonia -Permission212=Linee d'ordine -Permission213=Attiva linea -Permission214=Impostazione della telefonia -Permission215=Fornitori di installazione -Permission221=Leggi le email -Permission222=Crea / modifica e-mail (argomento, destinatari ...) -Permission223=Convalida e-mail (consente l'invio) -Permission229=Elimina le email -Permission237=Visualizza destinatari e informazioni -Permission238=Invia manualmente mailing -Permission239=Elimina gli invii dopo la convalida o inviati -Permission241=Leggi le categorie -Permission242=Crea / modifica categorie -Permission243=Elimina categorie -Permission244=Vedi i contenuti delle categorie nascoste -Permission251=Leggi altri utenti e gruppi -PermissionAdvanced251=Leggi gli altri utenti -Permission252=Autorizzazioni di lettura di altri utenti -Permission253=Crea / modifica altri utenti, gruppi e autorizzazioni -PermissionAdvanced253=Crea / modifica utenti e autorizzazioni interni / esterni -Permission254=Crea / modifica solo utenti esterni +Permission167=Esprta contratti +Permission171=Vedi viaggi e spese (propri e i suoi subordinati) +Permission172=Crea/modifica nota spese +Permission173=Elimina nota spese +Permission174=Read all trips and expenses +Permission178=Esporta note spese +Permission180=Vedere fornitori +Permission181=Read purchase orders +Permission182=Create/modify purchase orders +Permission183=Validate purchase orders +Permission184=Approve purchase orders +Permission185=Order or cancel purchase orders +Permission186=Receive purchase orders +Permission187=Close purchase orders +Permission188=Cancel purchase orders +Permission192=Creare linee +Permission193=Eliminare linee +Permission194=Read the bandwidth lines +Permission202=Creare connessioni ADSL +Permission203=Ordinare ordini connessioni +Permission204=Ordinare connessioni +Permission205=Gestire connessioni +Permission206=Vedere connessioni +Permission211=Vedere telefonia +Permission212=Ordinare linee +Permission213=Attivare linee +Permission214=Configurare telefonia +Permission215=Impostare provider +Permission221=Vedere invii email +Permission222=Creare/modificare email (titolo, destinatari ...) +Permission223=Convalidare email (consente l'invio) +Permission229=Eliminare email +Permission237=Vedi destinatari e info +Permission238=Spedisci mail manualmente +Permission239=Cancella le mail dopo la validazione o dopo l'invio +Permission241=Vedere categorie +Permission242=Creare/modificare categorie +Permission243=Eliminare categorie +Permission244=Vedere contenuto delle categorie nascoste +Permission251=Vedere altri utenti e gruppi +PermissionAdvanced251=Vedere altri utenti +Permission252=Creare/modificare altri utenti e gruppi e propri permessi +Permission253=Create/modify other users, groups and permissions +PermissionAdvanced253=Creare/modificare utenti interni/esterni e permessi +Permission254=Eliminare o disattivare altri utenti Permission255=Cambiare le password di altri utenti Permission256=Eliminare o disabilitare altri utenti -Permission262=Estendere l'accesso a tutte le terze parti (non solo a terze parti per le quali l'utente è un rappresentante di vendita).
Non efficace per utenti esterni (sempre limitato a se stessi per proposte, ordini, fatture, contratti, ecc.).
Non efficace per i progetti (solo regole relative alle autorizzazioni, alla visibilità e all'assegnazione dei progetti). -Permission271=Leggi CA -Permission272=Leggi le fatture +Permission262=Estendere l'accesso a tutte le terze parti (non solo le terze parti per le quali tale utente è un rappresentante di vendita).
Non efficace per gli utenti esterni (sempre limitato a se stessi per proposte, ordini, fatture, contratti, ecc.).
Non efficace per i progetti (solo le regole sulle autorizzazioni del progetto, la visibilità e le questioni relative all'assegnazione). +Permission271=Vedere CA +Permission272=Vedere fatture Permission273=Emettere fatture Permission281=Vedere contatti Permission282=Creare/modificare contatti -Permission283=Elimina contatti -Permission286=Esporta contatti -Permission291=Leggi le tariffe -Permission292=Imposta le autorizzazioni sulle tariffe -Permission293=Modifica le tariffe del cliente -Permission300=Leggi i codici a barre -Permission301=Crea / modifica codici a barre -Permission302=Elimina codici a barre -Permission311=Leggi i servizi -Permission312=Assegna servizio / abbonamento al contratto -Permission331=Leggi i segnalibri +Permission283=Eliminare contatti +Permission286=Esportare contatti +Permission291=Vedere tariffe +Permission292=Impostare permessi per le tariffe +Permission293=Modify customer's tariffs +Permission300=Read barcodes +Permission301=Create/modify barcodes +Permission302=Delete barcodes +Permission311=Vedere servizi +Permission312=Assign service/subscription to contract +Permission331=Vedere segnalibri Permission332=Creare/modificare segnalibri -Permission333=Elimina i segnalibri -Permission341=Leggi le sue autorizzazioni +Permission333=Eliminare segnalibri +Permission341=Vedere i propri permessi Permission342=Creare/modificare le proprie informazioni utente Permission343=Modificare password personale Permission344=Modificare permessi personali -Permission351=Leggi gruppi -Permission352=Leggi i permessi dei gruppi +Permission351=Vedere gruppi +Permission352=Vedere i permessi dei gruppi Permission353=Creare/modificare gruppi -Permission354=Elimina o disabilita i gruppi -Permission358=Esporta utenti -Permission401=Leggi gli sconti +Permission354=Eliminare o disabilitare gruppi +Permission358=Esportare utenti +Permission401=Vedere sconti Permission402=Creare/modificare sconti -Permission403=Convalida sconti -Permission404=Elimina gli sconti -Permission430=Usa la barra di debug -Permission511=Leggi i pagamenti degli stipendi -Permission512=Crea / modifica pagamenti di stipendi -Permission514=Elimina i pagamenti degli stipendi -Permission517=Salari all'esportazione -Permission520=Leggi i prestiti -Permission522=Crea / modifica prestiti +Permission403=Convalidare sconti +Permission404=Eliminare sconti +Permission430=Use Debug Bar +Permission511=Read payments of salaries +Permission512=Create/modify payments of salaries +Permission514=Delete payments of salaries +Permission517=Esporta stipendi +Permission520=Read Loans +Permission522=Crea/modifica prestiti Permission524=Elimina prestiti -Permission525=Accedi al calcolatore di prestito -Permission527=Prestiti all'esportazione +Permission525=Access loan calculator +Permission527=Esporta prestiti Permission531=Vedere servizi Permission532=Creare/modificare servizi -Permission534=Elimina servizi -Permission536=Vedi / gestisci servizi nascosti -Permission538=Servizi di esportazione -Permission650=Leggi distinte materiali -Permission651=Crea / Aggiorna distinte materiali -Permission652=Elimina distinte materiali -Permission701=Leggi le donazioni +Permission534=Eliminare servizi +Permission536=Vedere/gestire servizi nascosti +Permission538=Esportare servizi +Permission650=Read Bills of Materials +Permission651=Create/Update Bills of Materials +Permission652=Delete Bills of Materials +Permission701=Vedere donazioni Permission702=Creare/modificare donazioni -Permission703=Elimina donazioni -Permission771=Leggi le note spese (tue e dei tuoi subordinati) -Permission772=Creare / modificare le note spese -Permission773=Elimina le note spese -Permission774=Leggi tutte le note spese (anche per utenti non subordinati) -Permission775=Approvare le note spese -Permission776=Paga le spese -Permission779=Esporta le note spese -Permission1001=Leggi le scorte -Permission1002=Crea / modifica magazzini +Permission703=Eliminare donazioni +Permission771=Visualizzare le note spese (tue e dei tuoi subordinati) +Permission772=Create/modify expense reports +Permission773=Delete expense reports +Permission774=Read all expense reports (even for user not subordinates) +Permission775=Approve expense reports +Permission776=Pay expense reports +Permission779=Esporta note spese +Permission1001=Vedere magazzino +Permission1002=Crea/modifica magazzini Permission1003=Elimina magazzini -Permission1004=Leggi i movimenti delle scorte +Permission1004=Vedere movimenti magazzino Permission1005=Creare/modificare movimenti magazzino -Permission1101=Leggi le ricevute di consegna -Permission1102=Crea / modifica le ricevute di consegna -Permission1104=Convalida le ricevute di consegna -Permission1109=Elimina le ricevute di consegna -Permission1121=Leggi le proposte dei fornitori -Permission1122=Crea / modifica proposte fornitore -Permission1123=Convalida proposte fornitore -Permission1124=Invia proposte di fornitori -Permission1125=Elimina proposte fornitore -Permission1126=Chiudi le richieste dei prezzi dei fornitori -Permission1181=Leggi i fornitori -Permission1182=Leggi gli ordini di acquisto -Permission1183=Crea / modifica ordini di acquisto -Permission1184=Convalida ordini di acquisto -Permission1185=Approvare gli ordini di acquisto -Permission1186=Ordina ordini di acquisto -Permission1187=Confermare la ricezione degli ordini di acquisto -Permission1188=Elimina gli ordini di acquisto -Permission1190=Approvare (seconda approvazione) gli ordini di acquisto -Permission1201=Ottieni il risultato di un'esportazione +Permission1101=Vedere documenti di consegna +Permission1102=Creare/modificare documenti di consegna +Permission1104=Convalidare documenti di consegna +Permission1109=Eliminare documenti di consegna +Permission1121=Read supplier proposals +Permission1122=Create/modify supplier proposals +Permission1123=Validate supplier proposals +Permission1124=Send supplier proposals +Permission1125=Delete supplier proposals +Permission1126=Close supplier price requests +Permission1181=Vedere fornitori +Permission1182=Read purchase orders +Permission1183=Create/modify purchase orders +Permission1184=Validate purchase orders +Permission1185=Approve purchase orders +Permission1186=Order purchase orders +Permission1187=Acknowledge receipt of purchase orders +Permission1188=Delete purchase orders +Permission1190=Approve (second approval) purchase orders +Permission1201=Ottieni il risultato di un esportazione Permission1202=Creare/Modificare esportazioni -Permission1231=Leggi le fatture del fornitore -Permission1232=Crea / modifica fatture fornitore -Permission1233=Convalida fatture fornitore -Permission1234=Elimina fatture fornitore -Permission1235=Invia fatture fornitore via e-mail -Permission1236=Esporta fatture, attributi e pagamenti del fornitore -Permission1237=Esporta gli ordini di acquisto e i loro dettagli -Permission1251=Esegui importazioni di massa di dati esterni nel database (caricamento dati) -Permission1321=Esporta fatture, attributi e pagamenti dei clienti -Permission1322=Riapri una fattura pagata -Permission1421=Esporta ordini e attributi di vendita -Permission2401=Leggi le azioni (eventi o attività) collegate al suo account utente (se proprietario dell'evento) -Permission2402=Crea / modifica azioni (eventi o attività) collegate al suo account utente (se proprietario dell'evento) -Permission2403=Elimina azioni (eventi o attività) collegate al suo account utente (se proprietario dell'evento) -Permission2411=Leggi le azioni (eventi o attività) di altri -Permission2412=Crea / modifica azioni (eventi o attività) di altri -Permission2413=Elimina azioni (eventi o attività) di altri -Permission2414=Esporta azioni / compiti di altri -Permission2501=Leggi / scarica documenti -Permission2502=Scarica documenti -Permission2503=Invia o elimina documenti -Permission2515=Installa le directory dei documenti -Permission2801=Usa il client FTP in modalità lettura (solo sfoglia e scarica) -Permission2802=Usa client FTP in modalità scrittura (elimina o carica file) -Permission3200=Leggi gli eventi e le impronte digitali archiviati -Permission4001=Vedi dipendenti -Permission4002=Crea dipendenti -Permission4003=Elimina dipendenti -Permission4004=Esporta dipendenti -Permission10001=Leggi il contenuto del sito Web -Permission10002=Crea / modifica il contenuto del sito Web (contenuto html e javascript) -Permission10003=Crea / modifica il contenuto del sito Web (codice php dinamico). Pericoloso, deve essere riservato agli sviluppatori con restrizioni. -Permission10005=Elimina il contenuto del sito Web -Permission20001=Leggi le richieste di ferie (le tue ferie e quelle dei tuoi subordinati) -Permission20002=Crea / modifica le tue richieste di ferie (le tue ferie e quelle dei tuoi subordinati) -Permission20003=Elimina le richieste di ferie -Permission20004=Leggi tutte le richieste di congedo (anche dell'utente non subordinato) -Permission20005=Crea / modifica richieste di ferie per tutti (anche di utenti non subordinati) -Permission20006=Richieste di congedo dell'amministratore (impostazione e aggiornamento del saldo) +Permission1231=Read vendor invoices +Permission1232=Create/modify vendor invoices +Permission1233=Validate vendor invoices +Permission1234=Delete vendor invoices +Permission1235=Send vendor invoices by email +Permission1236=Export vendor invoices, attributes and payments +Permission1237=Export purchase orders and their details +Permission1251=Eseguire importazioni di massa di dati esterni nel database (data load) +Permission1321=Esportare fatture attive, attributi e pagamenti +Permission1322=Riaprire le fatture pagate +Permission1421=Esporta Ordini Cliente e attributi +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) +Permission2402=Creare/modificare azioni (eventi o compiti) personali +Permission2403=Cancellare azioni (eventi o compiti) personali +Permission2411=Vedere azioni (eventi o compiti) altrui +Permission2412=Creare/modificare azioni (eventi o compiti) di altri +Permission2413=Cancellare azioni (eventi o compiti) di altri +Permission2414=Esporta azioni/compiti altrui +Permission2501=Vedere/scaricare documenti +Permission2502=Caricare o cancellare documenti +Permission2503=Proporre o cancellare documenti +Permission2515=Impostare directory documenti +Permission2801=Client FTP in sola lettura (solo download e navigazione dei file) +Permission2802=Client FTP in lettura e scrittura (caricamento e eliminazione dei file) +Permission3200=Read archived events and fingerprints +Permission4001=See employees +Permission4002=Create employees +Permission4003=Delete employees +Permission4004=Export employees +Permission10001=Read website content +Permission10002=Create/modify website content (html and javascript content) +Permission10003=Create/modify website content (dynamic php code). Dangerous, must be reserved to restricted developers. +Permission10005=Delete website content +Permission20001=Read leave requests (your leave and those of your subordinates) +Permission20002=Create/modify your leave requests (your leave and those of your subordinates) +Permission20003=Eliminare le richieste di ferie +Permission20004=Read all leave requests (even of user not subordinates) +Permission20005=Create/modify leave requests for everybody (even of user not subordinates) +Permission20006=Admin leave requests (setup and update balance) Permission20007=Approvare le richieste di ferie -Permission23001=Leggi processo pianificato -Permission23002=Crea / aggiorna processo pianificato -Permission23003=Elimina processo pianificato -Permission23004=Esegui processo pianificato -Permission50101=Usa il punto vendita -Permission50201=Leggi le transazioni -Permission50202=Transazioni di importazione -Permission50401=Associare prodotti e fatture con conti contabili -Permission50411=Leggi le operazioni nel libro mastro -Permission50412=Operazioni di scrittura / modifica nel libro mastro -Permission50414=Elimina operazioni nel libro mastro -Permission50415=Elimina tutte le operazioni per anno e journal nel libro mastro -Permission50418=Operazioni di esportazione del libro mastro -Permission50420=Rapporti e rapporti sulle esportazioni (fatturato, saldo, giornali, libro mastro) -Permission50430=Definire i periodi fiscali. Convalida transazioni e chiudi periodi fiscali. -Permission50440=Gestisci piano dei conti, impostazione della contabilità -Permission51001=Leggi le risorse -Permission51002=Crea / Aggiorna risorse -Permission51003=Elimina risorse -Permission51005=Tipi di installazione dell'asset +Permission23001=Leggi lavoro pianificato +Permission23002=Crea / Aggiorna lavoro pianificato +Permission23003=Elimina lavoro pianificato +Permission23004=Esegui lavoro pianificato +Permission50101=Use Point of Sale +Permission50201=Vedere transazioni +Permission50202=Importare transazioni +Permission50401=Bind products and invoices with accounting accounts +Permission50411=Read operations in ledger +Permission50412=Write/Edit operations in ledger +Permission50414=Delete operations in ledger +Permission50415=Delete all operations by year and journal in ledger +Permission50418=Export operations of the ledger +Permission50420=Report and export reports (turnover, balance, journals, ledger) +Permission50430=Define and close a fiscal period +Permission50440=Manage chart of accounts, setup of accountancy +Permission51001=Read assets +Permission51002=Create/Update assets +Permission51003=Delete assets +Permission51005=Setup types of asset Permission54001=Stampa -Permission55001=Leggi i sondaggi -Permission55002=Crea / modifica sondaggi -Permission59001=Leggi i margini commerciali -Permission59002=Definire i margini commerciali -Permission59003=Leggi ogni margine dell'utente -Permission63001=Leggi le risorse -Permission63002=Crea / modifica risorse -Permission63003=Elimina risorse -Permission63004=Collegare le risorse agli eventi dell'agenda -DictionaryCompanyType=Tipi di terze parti -DictionaryCompanyJuridicalType=Soggetti giuridici di terze parti -DictionaryProspectLevel=Potenziale potenziale -DictionaryCanton=Stati / Province +Permission55001=Leggi sondaggi +Permission55002=Crea/modifica sondaggi +Permission59001=Leggi margini commerciali +Permission59002=Definisci margini commerciali +Permission59003=Read every user margin +Permission63001=Leggi risorse +Permission63002=Crea/modifica risorse +Permission63003=Elimina risorsa +Permission63004=Collega le risorse agli eventi +DictionaryCompanyType=Tipo di soggetto terzo +DictionaryCompanyJuridicalType=Entità legali di terze parti +DictionaryProspectLevel=Liv. cliente potenziale +DictionaryCanton=States/Provinces DictionaryRegion=Regioni -DictionaryCountry=paesi -DictionaryCurrency=valute -DictionaryCivility=Titolo di civiltà -DictionaryActions=Tipi di eventi dell'agenda -DictionarySocialContributions=Tipi di imposte sociali o fiscali -DictionaryVAT=Aliquote IVA o aliquote IVA -DictionaryRevenueStamp=Importo dei contrassegni fiscali -DictionaryPaymentConditions=Termini di pagamento -DictionaryPaymentModes=Modalità di pagamento -DictionaryTypeContact=Tipi di contatto / indirizzo -DictionaryTypeOfContainer=Sito Web - Tipo di pagine / contenitori di siti Web -DictionaryEcotaxe=Ecotax (RAEE) +DictionaryCountry=Paesi +DictionaryCurrency=Valute +DictionaryCivility=Title of civility +DictionaryActions=Tipi di azioni/eventi +DictionarySocialContributions=Types of social or fiscal taxes +DictionaryVAT=Aliquote IVA o Tasse di vendita +DictionaryRevenueStamp=Amount of tax stamps +DictionaryPaymentConditions=Termini di Pagamento +DictionaryPaymentModes=Payment Modes +DictionaryTypeContact=Tipi di contatti/indirizzi +DictionaryTypeOfContainer=Website - Type of website pages/containers +DictionaryEcotaxe=Ecotassa (WEEE) DictionaryPaperFormat=Formati di carta -DictionaryFormatCards=Formati di carte -DictionaryFees=Rapporto spese - Tipi di righe della nota spese +DictionaryFormatCards=Card formats +DictionaryFees=Expense report - Types of expense report lines DictionarySendingMethods=Metodi di spedizione -DictionaryStaff=numero di dipendenti -DictionaryAvailability=Ritardo nella consegna +DictionaryStaff=Number of Employees +DictionaryAvailability=Tempi di consegna DictionaryOrderMethods=Metodi di ordinazione -DictionarySource=Origine delle proposte / ordini -DictionaryAccountancyCategory=Gruppi personalizzati per i report +DictionarySource=Origine delle proposte/ordini +DictionaryAccountancyCategory=Personalized groups for reports DictionaryAccountancysystem=Modelli per piano dei conti -DictionaryAccountancyJournal=Riviste contabili +DictionaryAccountancyJournal=Libri contabili DictionaryEMailTemplates=Modelli e-mail DictionaryUnits=Unità DictionaryMeasuringUnits=Unità di misura DictionarySocialNetworks=Social networks -DictionaryProspectStatus=Stato potenziale -DictionaryHolidayTypes=Tipi di congedo -DictionaryOpportunityStatus=Stato del lead per progetto / lead -DictionaryExpenseTaxCat=Rapporto di spesa - Categorie di trasporto -DictionaryExpenseTaxRange=Rapporto di spesa: intervallo per categoria di trasporto -SetupSaved=Installazione salvata -SetupNotSaved=Installazione non salvata -BackToModuleList=Torna all'elenco dei moduli -BackToDictionaryList=Torna all'elenco dei dizionari -TypeOfRevenueStamp=Tipo di timbro fiscale -VATManagement=Gestione delle imposte sulle vendite -VATIsUsedDesc=Per impostazione predefinita quando si creano prospettive, fatture, ordini ecc., L'aliquota IVA segue la regola standard attiva:
Se il venditore non è soggetto all'imposta sulle vendite, per impostazione predefinita l'imposta sulle vendite è 0. Fine della regola.
Se il (Paese del venditore = Paese dell'acquirente), l'imposta sulle vendite per impostazione predefinita è uguale all'imposta sulle vendite del prodotto nel paese del venditore. Fine della regola
Se il venditore e l'acquirente sono entrambi nella Comunità europea e le merci sono prodotti relativi al trasporto (trasporto, spedizione, compagnia aerea), l'IVA di default è 0. Questa regola dipende dal paese del venditore - consultare il proprio commercialista. L'IVA deve essere pagata dall'acquirente all'ufficio doganale del proprio paese e non al venditore. Fine della regola
Se il venditore e l'acquirente sono entrambi nella Comunità europea e l'acquirente non è una società (con un numero di partita IVA intracomunitaria registrato), l'IVA si imposta automaticamente sull'aliquota IVA del paese del venditore. Fine della regola
Se il venditore e l'acquirente sono entrambi nella Comunità europea e l'acquirente è una società (con una partita IVA intracomunitaria registrata), l'IVA è 0 per impostazione predefinita. Fine della regola
In tutti gli altri casi il valore predefinito proposto è IVA = 0. Fine della regola -VATIsNotUsedDesc=Per impostazione predefinita, l'imposta sulle vendite proposta è 0 che può essere utilizzata per casi come associazioni, privati o piccole aziende. -VATIsUsedExampleFR=In Francia, significa società o organizzazioni che hanno un sistema fiscale reale (reale reale o normale semplificato). Un sistema in cui viene dichiarata l'IVA. -VATIsNotUsedExampleFR=In Francia, significa associazioni che non sono dichiarate imposte sulle vendite o società, organizzazioni o professioni liberali che hanno scelto il sistema fiscale delle microimprese (imposta sulle vendite in franchising) e hanno pagato un'imposta sulle vendite in franchising senza alcuna dichiarazione sull'imposta sulle vendite. Questa scelta visualizzerà il riferimento "Imposta sulle vendite non applicabile - art. 293B del CGI" sulle fatture. +DictionaryProspectStatus=Stato cliente potenziale +DictionaryHolidayTypes=Types of leave +DictionaryOpportunityStatus=Lead status for project/lead +DictionaryExpenseTaxCat=Expense report - Transportation categories +DictionaryExpenseTaxRange=Expense report - Range by transportation category +SetupSaved=Impostazioni salvate +SetupNotSaved=Impostazioni non salvate +BackToModuleList=Back to Module list +BackToDictionaryList=Back to Dictionaries list +TypeOfRevenueStamp=Type of tax stamp +VATManagement=Sales Tax Management +VATIsUsedDesc=By default when creating prospects, invoices, orders etc. the Sales Tax rate follows the active standard rule:
If the seller is not subject to Sales tax, then Sales tax defaults to 0. End of rule.
If the (seller's country = buyer's country), then the Sales tax by default equals the Sales tax of the product in the seller's country. End of rule.
If the seller and buyer are both in the European Community and goods are transport-related products (haulage, shipping, airline), the default VAT is 0. This rule is dependant on the seller's country - please consult with your accountant. The VAT should be paid by the buyer to the customs office in their country and not to the seller. End of rule.
If the seller and buyer are both in the European Community and the buyer is not a company (with a registered intra-Community VAT number) then the VAT defaults to the VAT rate of the seller's country. End of rule.
If the seller and buyer are both in the European Community and the buyer is a company (with a registered intra-Community VAT number), then the VAT is 0 by default. End of rule.
In any other case the proposed default is Sales tax=0. End of rule. +VATIsNotUsedDesc=By default the proposed Sales tax is 0 which can be used for cases like associations, individuals or small companies. +VATIsUsedExampleFR=In France, it means companies or organizations having a real fiscal system (Simplified real or normal real). A system in which VAT is declared. +VATIsNotUsedExampleFR=In France, it means associations that are non Sales tax declared or companies, organizations or liberal professions that have chosen the micro enterprise fiscal system (Sales tax in franchise) and paid a franchise Sales tax without any Sales tax declaration. This choice will display the reference "Non applicable Sales tax - art-293B of CGI" on invoices. ##### Local Taxes ##### -LTRate=Vota -LocalTax1IsNotUsed=Non utilizzare la seconda imposta -LocalTax1IsUsedDesc=Utilizza un secondo tipo di imposta (diversa dalla prima) -LocalTax1IsNotUsedDesc=Non utilizzare un altro tipo di imposta (diversa dalla prima) -LocalTax1Management=Secondo tipo di imposta +LTRate=Tariffa +LocalTax1IsNotUsed=Non usare seconda tassa +LocalTax1IsUsedDesc=Use a second type of tax (other than first one) +LocalTax1IsNotUsedDesc=Do not use other type of tax (other than first one) +LocalTax1Management=Secondo tipo di tassa LocalTax1IsUsedExample= LocalTax1IsNotUsedExample= -LocalTax2IsNotUsed=Non utilizzare la terza imposta -LocalTax2IsUsedDesc=Utilizza un terzo tipo di imposta (diverso dal primo) -LocalTax2IsNotUsedDesc=Non utilizzare un altro tipo di imposta (diversa dalla prima) -LocalTax2Management=Terzo tipo di imposta +LocalTax2IsNotUsed=Non usare terza tassa +LocalTax2IsUsedDesc=Utilizzare un terzo tipo di imposta (diversa dalla prima) +LocalTax2IsNotUsedDesc=Do not use other type of tax (other than first one) +LocalTax2Management=Terzo: tipo di tassa LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES=Gestione RE -LocalTax1IsUsedDescES=La tariffa RE per impostazione predefinita durante la creazione di prospetti, fatture, ordini ecc. Segue la regola standard attiva:
Se l'acquirente non è soggetto a RE, RE per impostazione predefinita = 0. Fine della regola
Se l'acquirente è soggetto a RE, allora RE per impostazione predefinita. Fine della regola
-LocalTax1IsNotUsedDescES=Per impostazione predefinita, l'IR proposto è 0. Fine della regola. -LocalTax1IsUsedExampleES=In Spagna sono professionisti soggetti ad alcune sezioni specifiche della IAE spagnola. -LocalTax1IsNotUsedExampleES=In Spagna sono professionisti e società e soggetti a determinate sezioni della IAE spagnola. +LocalTax1IsUsedDescES=The RE rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
If the buyer is not subjected to RE, RE by default=0. End of rule.
If the buyer is subjected to RE then the RE by default. End of rule.
+LocalTax1IsNotUsedDescES=Per default il RE proposto è 0. Fine della regola. +LocalTax1IsUsedExampleES=In Spagna sono dei professionisti soggetti ad alcune sezioni specifiche del IAE spagnolo. +LocalTax1IsNotUsedExampleES=In Spagna alcune società professionali sono soggette a regimi particolari. LocalTax2ManagementES=Gestione IRPF -LocalTax2IsUsedDescES=La tariffa IRPF per impostazione predefinita durante la creazione di prospetti, fatture, ordini ecc. Segue la regola standard attiva:
Se il venditore non è soggetto a IRPF, allora IRPF di default = 0. Fine della regola
Se il venditore è soggetto all'IRPF, allora l'IRPF di default. Fine della regola
-LocalTax2IsNotUsedDescES=Per impostazione predefinita, l'IRPF proposto è 0. Fine della regola. -LocalTax2IsUsedExampleES=In Spagna, liberi professionisti e professionisti indipendenti che forniscono servizi e aziende che hanno scelto il sistema fiscale dei moduli. -LocalTax2IsNotUsedExampleES=In Spagna sono imprese non soggette al sistema fiscale dei moduli. -CalcLocaltax=Rapporti sulle tasse locali +LocalTax2IsUsedDescES=The IRPF rate by default when creating prospects, invoices, orders etc. follow the active standard rule:
If the seller is not subjected to IRPF, then IRPF by default=0. End of rule.
If the seller is subjected to IRPF then the IRPF by default. End of rule.
+LocalTax2IsNotUsedDescES=Per impostazione predefinita la proposta di IRPF è 0. Fine della regola. +LocalTax2IsUsedExampleES=In Spagna, liberi professionisti e freelance che forniscono servizi e le aziende che hanno scelto il regime fiscale modulare. +LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. +CalcLocaltax=Reports on local taxes CalcLocaltax1=Acquisti-vendite -CalcLocaltax1Desc=I report sulle imposte locali vengono calcolati con la differenza tra vendite di tasse locali e acquisti di tasse locali +CalcLocaltax1Desc=Local Taxes reports are calculated with the difference between localtaxes sales and localtaxes purchases CalcLocaltax2=Acquisti -CalcLocaltax2Desc=I rapporti sulle imposte locali rappresentano il totale degli acquisti di tasse locali +CalcLocaltax2Desc=Local Taxes reports are the total of localtaxes purchases CalcLocaltax3=Vendite -CalcLocaltax3Desc=I report sulle imposte locali rappresentano il totale delle vendite delle tasse locali -LabelUsedByDefault=Etichetta utilizzata per impostazione predefinita se non è possibile trovare una traduzione per il codice -LabelOnDocuments=Etichetta sui documenti -LabelOrTranslationKey=Chiave etichetta o traduzione -ValueOfConstantKey=Valore di costante -NbOfDays=No. di giorni +CalcLocaltax3Desc=Local Taxes reports are the total of localtaxes sales +LabelUsedByDefault=Descrizione (utilizzata in tutti i documenti per cui non esiste la traduzione) +LabelOnDocuments=Descrizione sul documento +LabelOrTranslationKey=Label or translation key +ValueOfConstantKey=Value of constant +NbOfDays=No. of days AtEndOfMonth=Alla fine del mese -CurrentNext=Current / Avanti -Offset=Compensare +CurrentNext=Corrente/Successivo +Offset=Scostamento AlwaysActive=Sempre attivo -Upgrade=aggiornamento -MenuUpgrade=Aggiorna / Estendi -AddExtensionThemeModuleOrOther=Distribuisci / installa app / modulo esterni -WebServer=server web -DocumentRootServer=Directory principale del server Web -DataRootServer=Directory dei file di dati +Upgrade=Aggiornamento +MenuUpgrade=Migliora/Estendi +AddExtensionThemeModuleOrOther=Trova app/moduli esterni... +WebServer=Server Web +DocumentRootServer=Cartella principale del Server Web +DataRootServer=Cartella dei file di dati IP=Indirizzo IP Port=Porta VirtualServerName=Nome del server virtuale -OS=OS -PhpWebLink=Collegamento Web-Php -Server=server -Database=Banca dati -DatabaseServer=Host del database +OS=SO +PhpWebLink=Web Php-link +Server=Server +Database=Database +DatabaseServer=Database server DatabaseName=Nome del database -DatabasePort=Porta del database -DatabaseUser=Utente del database -DatabasePassword=Password del database -Tables=tabelle +DatabasePort=Porta Database +DatabaseUser=Utente database +DatabasePassword=Database delle password +Tables=Tabelle TableName=Nome della tabella -NbOfRecord=Numero di record -Host=server +NbOfRecord=No. of records +Host=Server DriverType=Tipo di driver -SummarySystem=Riepilogo delle informazioni di sistema -SummaryConst=Elenco di tutti i parametri di configurazione Dolibarr -MenuCompanySetup=Azienda / Organizzazione -DefaultMenuManager= Gestione menu standard -DefaultMenuSmartphoneManager=Gestione menu smartphone -Skin=Tema della pelle -DefaultSkin=Tema skin predefinito -MaxSizeList=Lunghezza massima per l'elenco -DefaultMaxSizeList=Lunghezza massima predefinita per gli elenchi -DefaultMaxSizeShortList=Lunghezza massima predefinita per elenchi brevi (ad es. Nella scheda cliente) +SummarySystem=Informazioni riassuntive sul sistema +SummaryConst=Elenco di tutti i parametri di impostazione Dolibarr +MenuCompanySetup=Società/Organizzazione +DefaultMenuManager= Gestore dei menu standard +DefaultMenuSmartphoneManager=Gestore dei menu Smartphone +Skin=Tema +DefaultSkin=Skin di default +MaxSizeList=Lunghezza massima elenchi +DefaultMaxSizeList=Lunghezza massima predefinita elenchi +DefaultMaxSizeShortList=Default max length for short lists (i.e. in customer card) MessageOfDay=Messaggio del giorno -MessageLogin=Messaggio della pagina di accesso +MessageLogin=Messaggio per la pagina di login LoginPage=Pagina di login BackgroundImageLogin=Immagine di sfondo -PermanentLeftSearchForm=Modulo di ricerca permanente nel menu a sinistra -DefaultLanguage=Lingua di default -EnableMultilangInterface=Abilita supporto multilingua -EnableShowLogo=Mostra il logo dell'azienda nel menu -CompanyInfo=Azienda / Organizzazione -CompanyIds=Identità dell'azienda / organizzazione +PermanentLeftSearchForm=Modulo di ricerca permanente nel menu di sinistra +DefaultLanguage=Lingua predefinita (codice lingua) +EnableMultilangInterface=Enable multilanguage support +EnableShowLogo=Abilita la visualizzazione del logo +CompanyInfo=Società/Organizzazione +CompanyIds=Company/Organization identities CompanyName=Nome CompanyAddress=Indirizzo CompanyZip=CAP -CompanyTown=Cittadina -CompanyCountry=Nazione -CompanyCurrency=Valuta principale -CompanyObject=Oggetto dell'azienda +CompanyTown=Città +CompanyCountry=Paese +CompanyCurrency=Principali valute +CompanyObject=Mission della società IDCountry=ID paese Logo=Logo LogoDesc=Logo principale dell'azienda. Verrà utilizzato nei documenti generati (PDF, ...) @@ -1081,392 +1081,394 @@ LogoSquarred=Logo (quadrettato) LogoSquarredDesc=L'icona deve essere quadrata (larghezza = altezza). Questo logo verrà utilizzato come icona preferita o per altri usi come per la barra dei menu in alto (se non disabilitato nella configurazione della vista). DoNotSuggestPaymentMode=Non suggerire NoActiveBankAccountDefined=Nessun conto bancario attivo definito -OwnerOfBankAccount=Proprietario del conto bancario %s -BankModuleNotActive=Modulo conti bancari non abilitato -ShowBugTrackLink=Mostra link " %s " -Alerts=avvisi -DelaysOfToleranceBeforeWarning=Ritardo prima di visualizzare un avviso per: -DelaysOfToleranceDesc=Impostare il ritardo prima che un'icona di avviso %s sia mostrata sullo schermo per l'elemento in ritardo. -Delays_MAIN_DELAY_ACTIONS_TODO=Eventi pianificati (eventi dell'agenda) non completati -Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Progetto non chiuso in tempo -Delays_MAIN_DELAY_TASKS_TODO=Attività pianificata (attività del progetto) non completata -Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Ordine non elaborato -Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Ordine d'acquisto non elaborato -Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposta non chiusa -Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposta non fatturata -Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Servizio da attivare -Delays_MAIN_DELAY_RUNNING_SERVICES=Servizio scaduto -Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Fattura fornitore non pagata -Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Fattura cliente non pagata -Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Riconciliazione bancaria in sospeso -Delays_MAIN_DELAY_MEMBERS=Quota di iscrizione ritardata -Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Verifica deposito non effettuato -Delays_MAIN_DELAY_EXPENSEREPORTS=Rapporto spese da approvare +OwnerOfBankAccount=Titolare del conto bancario %s +BankModuleNotActive=Modulo conti bancari non attivato +ShowBugTrackLink=Mostra link "%s" +Alerts=Avvisi e segnalazioni +DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: +DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. +Delays_MAIN_DELAY_ACTIONS_TODO=Planned events (agenda events) not completed +Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Project not closed in time +Delays_MAIN_DELAY_TASKS_TODO=Planned task (project tasks) not completed +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Order not processed +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Purchase order not processed +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Proposal not closed +Delays_MAIN_DELAY_PROPALS_TO_BILL=Proposal not billed +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Service to activate +Delays_MAIN_DELAY_RUNNING_SERVICES=Expired service +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Unpaid vendor invoice +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Unpaid customer invoice +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pending bank reconciliation +Delays_MAIN_DELAY_MEMBERS=Delayed membership fee +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Check deposit not done +Delays_MAIN_DELAY_EXPENSEREPORTS=Expense report to approve Delays_MAIN_DELAY_HOLIDAYS=Invia richieste da approvare -SetupDescription1=Prima di iniziare a utilizzare Dolibarr, è necessario definire alcuni parametri iniziali e abilitare / configurare i moduli. -SetupDescription2=Le seguenti due sezioni sono obbligatorie (le prime due voci nel menu Imposta): -SetupDescription3=%s -> %s
Parametri di base utilizzati per personalizzare il comportamento predefinito dell'applicazione (ad es. Per funzionalità relative al Paese). -SetupDescription4=%s -> %s
Questo software è una suite di molti moduli / applicazioni, tutti più o meno indipendenti. I moduli pertinenti alle tue esigenze devono essere abilitati e configurati. Nuovi elementi / opzioni vengono aggiunti ai menu con l'attivazione di un modulo. -SetupDescription5=Altre voci del menu di configurazione gestiscono parametri opzionali. +SetupDescription1=Prima di iniziare ad utilizzare Dolibarr si devono definire alcuni parametri iniziali ed abilitare/configurare i moduli. +SetupDescription2=Le 2 seguenti sezioni sono obbligatorie (le prime 2 sezioni nel menu Impostazioni): +SetupDescription3=%s -> %s
Parametri di base utilizzati per personalizzare il comportamento predefinito della tua applicazione (es: caratteristiche relative alla nazione). +SetupDescription4=%s -> %s
Questo software è una suite composta da molteplici moduli/applicazioni, tutti più o meno indipendenti. I moduli rilevanti per le tue necessità devono essere abilitati e configurati. Nuovi oggetti/opzioni vengono aggiunti ai menu quando un modulo viene attivato. +SetupDescription5=Other Setup menu entries manage optional parameters. LogEvents=Eventi di audit di sicurezza -Audit=Controllo amministrativo +Audit=Audit InfoDolibarr=Informazioni su Dolibarr -InfoBrowser=Informazioni sul browser -InfoOS=Informazioni sul sistema operativo -InfoWebServer=Informazioni sul server Web -InfoDatabase=Informazioni sul database -InfoPHP=Informazioni su PHP -InfoPerf=A proposito di spettacoli -BrowserName=Nome del browser -BrowserOS=Sistema operativo del browser +InfoBrowser=Informazioni browser +InfoOS=Informazioni OS +InfoWebServer=Informazioni web server +InfoDatabase=Informazioni database +InfoPHP=Informazioni PHP +InfoPerf=Informazioni prestazioni +BrowserName=Browser +BrowserOS=Sistema operativo ListOfSecurityEvents=Elenco degli eventi di sicurezza Dolibarr SecurityEventsPurged=Eventi di sicurezza eliminati -LogEventDesc=Abilita la registrazione per eventi di sicurezza specifici. Amministrare il registro tramite il menu %s - %s . Attenzione, questa funzione può generare una grande quantità di dati nel database. -AreaForAdminOnly=I parametri di configurazione possono essere impostati solo dagli utenti amministratori . -SystemInfoDesc=Le informazioni di sistema sono informazioni tecniche varie ottenute in modalità di sola lettura e visibili solo agli amministratori. -SystemAreaForAdminOnly=Questa area è disponibile solo per gli utenti amministratori. Le autorizzazioni utente Dolibarr non possono modificare questa limitazione. -CompanyFundationDesc=Modifica le informazioni dell'azienda / fondazione. Fai clic sul pulsante "%s" nella parte inferiore della pagina. -AccountantDesc=Se hai un contabile / contabile esterno, puoi modificare qui le sue informazioni. -AccountantFileNumber=Codice contabile -DisplayDesc=I parametri che influenzano l'aspetto e il comportamento di Dolibarr possono essere modificati qui. -AvailableModules=App / moduli disponibili -ToActivateModule=Per attivare i moduli, vai nell'area di configurazione (Home-> Setup-> Moduli). -SessionTimeOut=Timeout per la sessione -SessionExplanation=Questo numero garantisce che la sessione non scadrà mai prima di questo ritardo, se il pulitore di sessione viene eseguito dal pulitore di sessioni PHP interno (e nient'altro). Il programma di pulizia delle sessioni PHP interno non garantisce che la sessione scada dopo questo ritardo. Scadrà, dopo questo ritardo, e quando viene eseguito il pulitore di sessione, quindi ogni accesso %s / %s , ma solo durante l'accesso effettuato da altre sessioni (se il valore è 0, significa che la cancellazione della sessione viene eseguita solo da un processo esterno) .
Nota: su alcuni server con un meccanismo di pulizia delle sessioni esterno (cron sotto debian, ubuntu ...), le sessioni possono essere distrutte dopo un periodo definito da un setup esterno, indipendentemente dal valore inserito qui. +LogEventDesc=Enable logging for specific security events. Administrators the log via menu %s - %s. Warning, this feature can generate a large amount of data in the database. +AreaForAdminOnly=I parametri di setup possono essere definiti solo da utenti di tipo amministratore. +SystemInfoDesc=Le informazioni di sistema sono dati tecnici visibili in sola lettura e solo dagli amministratori. +SystemAreaForAdminOnly=This area is available to administrator users only. Dolibarr user permissions cannot change this restriction. +CompanyFundationDesc=Edit the information of the company/entity. Click on "%s" or "%s" button at the bottom of the page. +AccountantDesc=If you have an external accountant/bookkeeper, you can edit here its information. +AccountantFileNumber=Accountant code +DisplayDesc=Parameters affecting the look and behaviour of Dolibarr can be modified here. +AvailableModules=Moduli disponibili +ToActivateModule=Per attivare i moduli, andare nell'area Impostazioni (Home->Impostazioni->Moduli). +SessionTimeOut=Timeout delle sessioni +SessionExplanation=This number guarantees that the session will never expire before this delay, if the session cleaner is done by Internal PHP session cleaner (and nothing else). Internal PHP session cleaner does not guarantee that the session will expire after this delay. It will expire, after this delay, and when the session cleaner is run, so every %s/%s access, but only during access made by other sessions (if value is 0, it means clearing of session is done only by an external process).
Note: on some servers with an external session cleaning mechanism (cron under debian, ubuntu ...), the sessions can be destroyed after a period defined by an external setup, no matter what the value entered here is. TriggersAvailable=Trigger disponibili -TriggersDesc=I trigger sono file che modificheranno il comportamento del flusso di lavoro Dolibarr una volta copiati nella directory htdocs / core / triggers . Realizzano nuove azioni, attivate su eventi Dolibarr (creazione di una nuova società, validazione delle fatture, ...). -TriggerDisabledByName=I trigger in questo file sono disabilitati dal suffisso -NORUN nel loro nome. -TriggerDisabledAsModuleDisabled=I trigger in questo file sono disabilitati poiché il modulo %s è disabilitato. +TriggersDesc=Triggers are files that will modify the behavior of Dolibarr workflow once copied into the directory htdocs/core/triggers. They realize new actions, activated on Dolibarr events (new company creation, invoice validation, ...). +TriggerDisabledByName=I trigger in questo file sono disattivati dal suffisso -NoRun nel nome. +TriggerDisabledAsModuleDisabled=I trigger in questo file sono disabilitati perché il modulo %s è disattivato. TriggerAlwaysActive=I trigger in questo file sono sempre attivi, indipendentemente da quali moduli siano attivi in Dolibarr. -TriggerActiveAsModuleActive=I trigger in questo file sono attivi quando il modulo %s è abilitato. -GeneratedPasswordDesc=Scegli il metodo da utilizzare per le password generate automaticamente. -DictionaryDesc=Inserisci tutti i dati di riferimento. È possibile aggiungere i valori predefiniti. -ConstDesc=Questa pagina consente di modificare (sovrascrivere) i parametri non disponibili in altre pagine. Questi sono parametri principalmente riservati agli sviluppatori o per la risoluzione avanzata dei problemi. -MiscellaneousDesc=Tutti gli altri parametri relativi alla sicurezza sono definiti qui. -LimitsSetup=Limiti / impostazione di precisione -LimitsDesc=Qui puoi definire limiti, precisazioni e ottimizzazioni utilizzate da Dolibarr -MAIN_MAX_DECIMALS_UNIT=Max. decimali per i prezzi unitari -MAIN_MAX_DECIMALS_TOT=Max. decimali per i prezzi totali -MAIN_MAX_DECIMALS_SHOWN=Max. decimali per i prezzi visualizzati sullo schermo . Aggiungi un puntino di sospensione ... dopo questo parametro (ad es. "2 ...") se vuoi vedere " ... " con il suffisso sul prezzo troncato. -MAIN_ROUNDING_RULE_TOT=Passaggio dell'intervallo di arrotondamento (per i paesi in cui l'arrotondamento viene eseguito su qualcosa di diverso dalla base 10. Ad esempio, inserire 0,05 se l'arrotondamento viene eseguito con incrementi di 0,05) +TriggerActiveAsModuleActive=I trigger in questo file sono attivi se il modulo %s è attivo. +GeneratedPasswordDesc=Choose the method to be used for auto-generated passwords. +DictionaryDesc=Inserire tutti i dati di riferimento. È possibile aggiungere i propri valori a quelli di default. +ConstDesc=This page allows you to edit (override) parameters not available in other pages. These are mostly reserved parameters for developers/advanced troubleshooting. For a full list of the parameters available see here. +MiscellaneousDesc=Definire qui tutti gli altri parametri relativi alla sicurezza. +LimitsSetup=Limiti/impostazioni di precisione +LimitsDesc=You can define limits, precisions and optimizations used by Dolibarr here +MAIN_MAX_DECIMALS_UNIT=Max. decimals for unit prices +MAIN_MAX_DECIMALS_TOT=Max. decimals for total prices +MAIN_MAX_DECIMALS_SHOWN=Max. decimals for prices shown on screen. Add an ellipsis ... after this parameter (e.g. "2...") if you want to see "..." suffixed to the truncated price. +MAIN_ROUNDING_RULE_TOT=Step of rounding range (for countries where rounding is done on something other than base 10. For example, put 0.05 if rounding is done by 0.05 steps) UnitPriceOfProduct=Prezzo unitario netto di un prodotto -TotalPriceAfterRounding=Prezzo totale (IVA esclusa / IVA inclusa) dopo l'arrotondamento -ParameterActiveForNextInputOnly=Parametro valido solo per l'ingresso successivo -NoEventOrNoAuditSetup=Nessun evento di sicurezza è stato registrato. Ciò è normale se il controllo non è stato abilitato nella pagina "Configurazione - Sicurezza - Eventi". -NoEventFoundWithCriteria=Nessun evento di sicurezza è stato trovato per questo criterio di ricerca. -SeeLocalSendMailSetup=Vedi la tua configurazione sendmail locale -BackupDesc=Un backup completo di un'installazione Dolibarr richiede due passaggi. -BackupDesc2=Eseguire il backup del contenuto della directory "documenti" ( %s ) contenente tutti i file caricati e generati. Ciò includerà anche tutti i file di dump generati nel passaggio 1. -BackupDesc3=Eseguire il backup della struttura e dei contenuti del database ( %s ) in un file di dump. Per questo, è possibile utilizzare il seguente assistente. -BackupDescX=La directory archiviata deve essere archiviata in un luogo sicuro. -BackupDescY=Il file di dump generato deve essere archiviato in un luogo sicuro. -BackupPHPWarning=Il backup non può essere garantito con questo metodo. Consigliato uno precedente. -RestoreDesc=Per ripristinare un backup Dolibarr, sono necessari due passaggi. -RestoreDesc2=Ripristina il file di backup (ad esempio il file zip) della directory "documenti" in una nuova installazione di Dolibarr o in questa directory di documenti corrente ( %s ). -RestoreDesc3=Ripristinare la struttura del database e i dati da un file di dump di backup nel database della nuova installazione Dolibarr o nel database di questa installazione corrente ( %s ). Attenzione, una volta completato il ripristino, è necessario utilizzare un login / password, che esisteva dal tempo di backup / installazione per riconnettersi.
Per ripristinare un database di backup in questa installazione corrente, è possibile seguire questo assistente. -RestoreMySQL=Importazione MySQL -ForcedToByAModule= Questa regola è forzata su %s da un modulo attivato -PreviousDumpFiles=File di backup esistenti -WeekStartOnDay=Primo giorno della settimana -RunningUpdateProcessMayBeRequired=Sembra sia necessario eseguire il processo di aggiornamento (la versione del programma %s differisce dalla versione del database %s) -YouMustRunCommandFromCommandLineAfterLoginToUser=È necessario eseguire questo comando dalla riga di comando dopo l'accesso a una shell con l'utente %s oppure è necessario aggiungere l'opzione -W alla fine della riga di comando per fornire una password %s . -YourPHPDoesNotHaveSSLSupport=Funzioni SSL non disponibili nel tuo PHP -DownloadMoreSkins=Altre skin da scaricare -SimpleNumRefModelDesc=Restituisce il numero di riferimento con il formato %syymm-nnnn dove yy è l'anno, mm è il mese e nnnn è sequenziale senza reset -ShowProfIdInAddress=Mostra ID professionale con indirizzi -ShowVATIntaInAddress=Nascondi il numero di partita IVA intracomunitaria con gli indirizzi -TranslationUncomplete=Traduzione parziale -MAIN_DISABLE_METEO=Disabilita la vista meteorologica -MeteoStdMod=Modalità standard -MeteoStdModEnabled=Modalità standard abilitata +TotalPriceAfterRounding=Total price (excl/vat/incl tax) after rounding +ParameterActiveForNextInputOnly=Parametro valido esclusivamente per il prossimo inserimento +NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit has not been enabled in the "Setup - Security - Events" page. +NoEventFoundWithCriteria=No security event has been found for this search criteria. +SeeLocalSendMailSetup=Controllare le impostazioni locali del server di posta (sendmail) +BackupDesc=A complete backup of a Dolibarr installation requires two steps. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. +BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. +BackupDescX=The archived directory should be stored in a secure place. +BackupDescY=Il file generato va conservato in un luogo sicuro. +BackupPHPWarning=Backup cannot be guaranteed with this method. Previous one recommended. +RestoreDesc=To restore a Dolibarr backup, two steps are required. +RestoreDesc2=Restore the backup file (zip file for example) of the "documents" directory to a new Dolibarr installation or into this current documents directory (%s). +RestoreDesc3=Restore the database structure and data from a backup dump file into the database of the new Dolibarr installation or into the database of this current installation (%s). Warning, once the restore is complete, you must use a login/password, that existed from the backup time/installation to connect again.
To restore a backup database into this current installation, you can follow this assistant. +RestoreMySQL=Importa MySQL +ForcedToByAModule= Questa regola è impsotata su %s da un modulo attivo +PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files +WeekStartOnDay=First day of the week +RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) +YouMustRunCommandFromCommandLineAfterLoginToUser=È necessario eseguire questo comando dal riga di comando dopo il login in una shell con l'utente %s. +YourPHPDoesNotHaveSSLSupport=Il PHP del server non supporta SSL +DownloadMoreSkins=Scarica altre skin +SimpleNumRefModelDesc=Returns the reference number with format %syymm-nnnn where yy is year, mm is month and nnnn is sequential with no reset +ShowProfIdInAddress=Show professional id with addresses +ShowVATIntaInAddress=Hide intra-Community VAT number with addresses +TranslationUncomplete=Traduzione incompleta +MAIN_DISABLE_METEO=Disable meteorological view +MeteoStdMod=Standard mode +MeteoStdModEnabled=Standard mode enabled MeteoPercentageMod=Modalità percentuale -MeteoPercentageModEnabled=Modalità percentuale abilitata -MeteoUseMod=Fare clic per utilizzare %s -TestLoginToAPI=Test di accesso all'API -ProxyDesc=Alcune funzioni di Dolibarr richiedono l'accesso a Internet. Definire qui i parametri della connessione Internet come l'accesso tramite un server proxy, se necessario. -ExternalAccess=Accesso esterno / Internet -MAIN_PROXY_USE=Utilizzare un server proxy (altrimenti l'accesso è diretto a Internet) -MAIN_PROXY_HOST=Server proxy: nome / indirizzo -MAIN_PROXY_PORT=Server proxy: porta -MAIN_PROXY_USER=Server proxy: Login / Utente -MAIN_PROXY_PASS=Server proxy: password -DefineHereComplementaryAttributes=Definire qui eventuali attributi aggiuntivi / personalizzati per i quali si desidera essere inclusi: %s -ExtraFields=Attributi complementari -ExtraFieldsLines=Attributi complementari (linee) -ExtraFieldsLinesRec=Attributi complementari (linee di fatturazione dei modelli) -ExtraFieldsSupplierOrdersLines=Attributi complementari (righe ordine) -ExtraFieldsSupplierInvoicesLines=Attributi complementari (righe della fattura) -ExtraFieldsThirdParties=Attributi complementari (di terze parti) -ExtraFieldsContacts=Attributi complementari (contatti / indirizzo) -ExtraFieldsMember=Attributi complementari (membro) -ExtraFieldsMemberType=Attributi complementari (tipo di membro) +MeteoPercentageModEnabled=Percentage mode enabled +MeteoUseMod=Clicca per usare %s +TestLoginToAPI=Test login per API +ProxyDesc=Some features of Dolibarr require internet access. Define here the internet connection parameters such as access through a proxy server if necessary. +ExternalAccess=External/Internet Access +MAIN_PROXY_USE=Use a proxy server (otherwise access is direct to the internet) +MAIN_PROXY_HOST=Proxy server: Name/Address +MAIN_PROXY_PORT=Proxy server: Port +MAIN_PROXY_USER=Proxy server: Login/User +MAIN_PROXY_PASS=Proxy server: Password +DefineHereComplementaryAttributes=Define here any additional/custom attributes that you want to be included for: %s +ExtraFields=Campi extra +ExtraFieldsLines=Complementary attributes (lines) +ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsSupplierOrdersLines=Complementary attributes (order lines) +ExtraFieldsSupplierInvoicesLines=Complementary attributes (invoice lines) +ExtraFieldsThirdParties=Attributi complementari (soggetto terzo) +ExtraFieldsContacts=Complementary attributes (contacts/address) +ExtraFieldsMember=Attributi Complementari (membri) +ExtraFieldsMemberType=Attributi Complementari (tipo di membro) ExtraFieldsCustomerInvoices=Attributi aggiuntivi (fatture) -ExtraFieldsCustomerInvoicesRec=Attributi complementari (fatture dei modelli) -ExtraFieldsSupplierOrders=Attributi complementari (ordini) -ExtraFieldsSupplierInvoices=Attributi complementari (fatture) -ExtraFieldsProject=Attributi complementari (progetti) -ExtraFieldsProjectTask=Attributi complementari (attività) -ExtraFieldsSalaries=Attributi complementari (stipendi) -ExtraFieldHasWrongValue=L'attributo %s ha un valore errato. -AlphaNumOnlyLowerCharsAndNoSpace=solo caratteri alfanumerici e caratteri minuscoli senza spazio -SendmailOptionNotComplete=Attenzione, su alcuni sistemi Linux, per inviare e-mail dalla tua e-mail, l'installazione di sendmail deve contenere l'opzione -ba (parametro mail.force_extra_parameters nel tuo file php.ini). Se alcuni destinatari non ricevono mai e-mail, prova a modificare questo parametro PHP con mail.force_extra_parameters = -ba). -PathToDocuments=Percorso dei documenti -PathDirectory=elenco -SendmailOptionMayHurtBuggedMTA=La funzione per inviare messaggi di posta utilizzando il metodo "PHP mail direct" genererà un messaggio di posta che potrebbe non essere analizzato correttamente da alcuni server di posta riceventi. Il risultato è che alcune mail non possono essere lette da persone ospitate da quelle piattaforme con bug. Questo è il caso di alcuni provider di servizi Internet (ad es. Orange in Francia). Questo non è un problema con Dolibarr o PHP ma con il server di posta ricevente. È comunque possibile aggiungere un'opzione MAIN_FIX_FOR_BUGGED_MTA a 1 in Setup - Altro per modificare Dolibarr per evitarlo. Tuttavia, potresti riscontrare problemi con altri server che utilizzano rigorosamente lo standard SMTP. L'altra soluzione (consigliata) consiste nell'utilizzare il metodo "Libreria socket SMTP" che non presenta svantaggi. -TranslationSetup=Impostazione della traduzione -TranslationKeySearch=Cerca una chiave o una stringa di traduzione -TranslationOverwriteKey=Sovrascrivi una stringa di traduzione -TranslationDesc=Come impostare la lingua del display:
* Predefinito / Sistema: menu Home -> Setup -> Display
* Per utente: fare clic sul nome utente nella parte superiore dello schermo e modificare la scheda Impostazione visualizzazione utente sulla scheda utente. -TranslationOverwriteDesc=Puoi anche sostituire le stringhe riempiendo la tabella seguente. Scegli la lingua dal menu a discesa "%s", inserisci la stringa della chiave di traduzione in "%s" e la nuova traduzione in "%s" -TranslationOverwriteDesc2=Puoi usare l'altra scheda per aiutarti a sapere quale chiave di traduzione usare -TranslationString=Stringa di traduzione -CurrentTranslationString=Stringa di traduzione corrente -WarningAtLeastKeyOrTranslationRequired=Un criterio di ricerca è richiesto almeno per la chiave o la stringa di traduzione -NewTranslationStringToShow=Nuova stringa di traduzione da mostrare -OriginalValueWas=La traduzione originale viene sovrascritta. Il valore originale era:

%s -TransKeyWithoutOriginalValue=Hai forzato una nuova traduzione per la chiave di traduzione ' %s ' che non esiste in nessun file di lingua -TotalNumberOfActivatedModules=Applicazione / moduli attivati : %s / %s +ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsSupplierOrders=Attributi Complementari (ordini) +ExtraFieldsSupplierInvoices=Attributi Complementari (fatture) +ExtraFieldsProject=Attributi Complementari (progetti) +ExtraFieldsProjectTask=Attributi Complementari (attività) +ExtraFieldsSalaries=Complementary attributes (salaries) +ExtraFieldHasWrongValue=L'attributo %s ha un valore errato. +AlphaNumOnlyLowerCharsAndNoSpace=only alphanumericals and lower case characters without space +SendmailOptionNotComplete=Attenzione: su alcuni sistemi Linux, per poter inviare email, la configurazione di sendmail deve contenere l'opzione -ba (il parametro mail.force_extra_parameters nel file php.ini). Se alcuni destinatari non ricevono messaggi di posta elettronica, provate a modificare questo parametro con mail.force_extra_parameters =-BA). +PathToDocuments=Percorso documenti +PathDirectory=Percorso directory +SendmailOptionMayHurtBuggedMTA=Feature to send mails using method "PHP mail direct" will generate a mail message that might not be parsed correctly by some receiving mail servers. The result is that some mails can't be read by people hosted by those bugged platforms. This is the case for some Internet providers (Ex: Orange in France). This is not a problem with Dolibarr or PHP but with the receiving mail server. You can however add an option MAIN_FIX_FOR_BUGGED_MTA to 1 in Setup - Other to modify Dolibarr to avoid this. However, you may experience problems with other servers that strictly use the SMTP standard. The other solution (recommended) is to use the method "SMTP socket library" which has no disadvantages. +TranslationSetup=Configurazione della traduzione +TranslationKeySearch=Cerca una chiave o una stringa di testo +TranslationOverwriteKey=Sovrascrivi una stringa di testo +TranslationDesc=Puoi scegliere la lingua utilizzata dal sistema in 2 modi:
- Predefinito per tutto il sito da Home > Impostazioni > Aspetto grafico e lingua
- Per utente da < nomeutente > (icona in alto a dx) > Impostazioni interfaccia grafica. +TranslationOverwriteDesc=Puoi anche effettuare l'override delle stringhe di testo utilizzando la tabella seguente. Seleziona la tua lingua nel box "%s", inserisci la chiave della stringa da tradurre nel campo "%s" e la tua traduzione nel campo "%s". +TranslationOverwriteDesc2=Puoi usare il tab di ricerca per ottenere la chiave di traduzione da usare +TranslationString=Stringa di testo +CurrentTranslationString=Stringa di testo corrente +WarningAtLeastKeyOrTranslationRequired=È necessario almeno un criterio di ricerca tra: chiave di traduzione e stringa di testo +NewTranslationStringToShow=Nuova stringa di testo da utilizzare +OriginalValueWas=La traduzione originale è stata sovrascritta. Il testo originale era:

%s +TransKeyWithoutOriginalValue=You forced a new translation for the translation key '%s' that does not exist in any language files +TotalNumberOfActivatedModules=Applicazioni/moduli attivi: %s / %s YouMustEnableOneModule=Devi abilitare almeno un modulo -ClassNotFoundIntoPathWarning=Classe %s non trovata nel percorso PHP -YesInSummer=Sì d'estate -OnlyFollowingModulesAreOpenedToExternalUsers=Nota, solo i seguenti moduli sono disponibili per gli utenti esterni (indipendentemente dalle autorizzazioni di tali utenti) e solo se le autorizzazioni sono concesse:
-SuhosinSessionEncrypt=Archivio sessioni crittografato da Suhosin -ConditionIsCurrently=La condizione è attualmente %s -YouUseBestDriver=Si utilizza il driver %s che è il miglior driver attualmente disponibile. -YouDoNotUseBestDriver=Si utilizza il driver %s ma si consiglia il driver %s. -NbOfObjectIsLowerThanNoPb=Hai solo %s %s nel database. Ciò non richiede alcuna particolare ottimizzazione. +ClassNotFoundIntoPathWarning=Class %s not found in PHP path +YesInSummer=Si in estate +OnlyFollowingModulesAreOpenedToExternalUsers=Note, only the following modules are available to external users (irrespective of the permissions of such users) and only if permissions are granted:
+SuhosinSessionEncrypt=Sessioni salvate con criptazione tramite Suhosin +ConditionIsCurrently=La condizione corrente è %s +YouUseBestDriver=You use driver %s which is the best driver currently available. +YouDoNotUseBestDriver=You use driver %s but driver %s is recommended. +NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. SearchOptim=Ottimizzazione della ricerca -YouHaveXObjectUseSearchOptim=Hai %s %s nel database. È necessario aggiungere la costante %s a 1 in Home-Setup-Altro. Limitare la ricerca all'inizio delle stringhe che consentono al database di utilizzare gli indici e si dovrebbe ottenere una risposta immediata. -YouHaveXObjectAndSearchOptimOn=Hai %s %s nel database e la costante %s è impostata su 1 in Home-Setup-Altro. -BrowserIsOK=Stai utilizzando il browser web %s. Questo browser è ok per sicurezza e prestazioni. -BrowserIsKO=Stai utilizzando il browser web %s. Questo browser è noto per essere una cattiva scelta per sicurezza, prestazioni e affidabilità. Ti consigliamo di utilizzare Firefox, Chrome, Opera o Safari. -PHPModuleLoaded=Il componente PHP %s è caricato -PreloadOPCode=Viene utilizzato il codice OP precaricato -AddRefInList=Visualizza rif. Cliente / fornitore elenco di informazioni (selezionare elenco o casella combinata) e la maggior parte del collegamento ipertestuale.
Verranno visualizzate terze parti con un formato nome "CC12345 - SC45678 - The Big Company corp." invece di "The Big Company corp". -AddAdressInList=Visualizza l'elenco informazioni indirizzo cliente / fornitore (selezionare l'elenco o la casella combinata)
Le terze parti appariranno con un formato nome di "The Big Company corp. - 21 jump street 123456 Big town - USA" anziché "The Big Company corp". -AskForPreferredShippingMethod=Richiedi il metodo di spedizione preferito per Terze Parti. -FieldEdition=Edizione del campo %s -FillThisOnlyIfRequired=Esempio: +2 (riempire solo se si verificano problemi di offset del fuso orario) +YouHaveXObjectUseSearchOptim=You have %s %s in the database. You should add the constant %s to 1 in Home-Setup-Other. Limit the search to the beginning of strings which makes it possible for the database to use indexes and you should get an immediate response. +YouHaveXObjectAndSearchOptimOn=You have %s %s in the database and constant %s is set to 1 in Home-Setup-Other. +BrowserIsOK=You are using the %s web browser. This browser is ok for security and performance. +BrowserIsKO=You are using the %s web browser. This browser is known to be a bad choice for security, performance and reliability. We recommend using Firefox, Chrome, Opera or Safari. +PHPModuleLoaded=PHP component %s is loaded +PreloadOPCode=Preloaded OPCode is used +AddRefInList=Display Customer/Vendor ref. info list (select list or combobox) and most of hyperlink.
Third Parties will appear with a name format of "CC12345 - SC45678 - The Big Company corp." instead of "The Big Company corp". +AddAdressInList=Display Customer/Vendor adress info list (select list or combobox)
Third Parties will appear with a name format of "The Big Company corp. - 21 jump street 123456 Big town - USA" instead of "The Big Company corp". +AskForPreferredShippingMethod=Ask for preferred shipping method for Third Parties. +FieldEdition=Edition of field %s +FillThisOnlyIfRequired=Per esempio: +2 (compilare solo se ci sono problemi di scostamento del fuso orario) GetBarCode=Ottieni codice a barre +NumberingModules=Numbering models ##### Module password generation -PasswordGenerationStandard=Restituisce una password generata secondo l'algoritmo Dolibarr interno: 8 caratteri contenenti numeri e caratteri condivisi in minuscolo. -PasswordGenerationNone=Non suggerire una password generata. La password deve essere digitata manualmente. -PasswordGenerationPerso=Restituire una password in base alla configurazione definita personalmente. +PasswordGenerationStandard=Genera una password in base all'algoritmo interno di Dolibarr: 8 caratteri comprensivi di numeri e lettere minuscole. +PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. +PasswordGenerationPerso=Return a password according to your personally defined configuration. SetupPerso=Secondo la tua configurazione -PasswordPatternDesc=Descrizione del modello di password +PasswordPatternDesc=Password pattern description ##### Users setup ##### -RuleForGeneratedPasswords=Regole per generare e convalidare le password -DisableForgetPasswordLinkOnLogonPage=Non mostrare il link "Password dimenticata" nella pagina di accesso -UsersSetup=Configurazione del modulo utenti -UserMailRequired=Email richiesta per creare un nuovo utente +RuleForGeneratedPasswords=Rules to generate and validate passwords +DisableForgetPasswordLinkOnLogonPage=Do not show the "Password Forgotten" link on the Login page +UsersSetup=Impostazioni modulo utenti +UserMailRequired=Email required to create a new user ##### HRM setup ##### -HRMSetup=Impostazione del modulo HRM +HRMSetup=Impostazioni modulo risorse umane ##### Company setup ##### -CompanySetup=Installazione del modulo società -CompanyCodeChecker=Opzioni per la generazione automatica di codici cliente / fornitore -AccountCodeManager=Opzioni per la generazione automatica di codici contabili cliente / fornitore -NotificationsDesc=Le notifiche e-mail possono essere inviate automaticamente per alcuni eventi Dolibarr.
I destinatari delle notifiche possono essere definiti: -NotificationsDescUser=* per utente, un utente alla volta. -NotificationsDescContact=* per contatti di terze parti (clienti o fornitori), un contatto alla volta. -NotificationsDescGlobal=* o impostando gli indirizzi e-mail globali in questa pagina di configurazione. -ModelModules=Modelli di documento -DocumentModelOdt=Genera documenti da modelli OpenDocument (file .ODT / .ODS da LibreOffice, OpenOffice, KOffice, TextEdit, ...) -WatermarkOnDraft=Filigrana su bozza di documento -JSOnPaimentBill=Attiva la funzione per riempire automaticamente le linee di pagamento sul modulo di pagamento -CompanyIdProfChecker=Regole per gli ID professionali +CompanySetup=Impostazioni modulo aziende +CompanyCodeChecker=Options for automatic generation of customer/vendor codes +AccountCodeManager=Options for automatic generation of customer/vendor accounting codes +NotificationsDesc=Email notifications can be sent automatically for some Dolibarr events.
Recipients of notifications can be defined: +NotificationsDescUser=* per user, one user at a time. +NotificationsDescContact=* per third-party contacts (customers or vendors), one contact at a time. +NotificationsDescGlobal=* or by setting global email addresses in this setup page. +ModelModules=Document Templates +DocumentModelOdt=Generate documents from OpenDocument templates (.ODT / .ODS files from LibreOffice, OpenOffice, KOffice, TextEdit,...) +WatermarkOnDraft=Filigrana sulle bozze +JSOnPaimentBill=Activate feature to autofill payment lines on payment form +CompanyIdProfChecker=Rules for Professional IDs MustBeUnique=Deve essere unico? -MustBeMandatory=Obbligatorio per la creazione di terze parti (se definito il numero di partita IVA o il tipo di società)? +MustBeMandatory=Mandatory to create third parties (if VAT number or type of company defined) ? MustBeInvoiceMandatory=Obbligatorio per convalidare le fatture? TechnicalServicesProvided=Servizi tecnici forniti #####DAV ##### -WebDAVSetupDesc=Questo è il collegamento per accedere alla directory WebDAV. Contiene una directory "pubblica" aperta a tutti gli utenti che conoscono l'URL (se l'accesso alla directory pubblica è consentito) e una directory "privata" che necessita di un account / password di accesso esistente per l'accesso. -WebDavServer=URL di root del server %s: %s +WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. +WebDavServer=Root URL of %s server: %s ##### Webcal setup ##### -WebCalUrlForVCalExport=Un link di esportazione nel formato %s è disponibile al seguente link: %s +WebCalUrlForVCalExport=Un link per esportare %s è disponibile al seguente link: %s ##### Invoices ##### -BillsSetup=Impostazione del modulo fatture -BillsNumberingModule=Modello di numerazione delle fatture e delle note di credito -BillsPDFModules=Modelli di documenti di fattura -BillsPDFModulesAccordindToInvoiceType=Fattura documenti modelli in base al tipo di fattura -PaymentsPDFModules=Modelli di documenti di pagamento +BillsSetup=Impostazioni modulo fatture +BillsNumberingModule=Numerazione modulo fatture e note di credito +BillsPDFModules=Modelli fattura in pdf +BillsPDFModulesAccordindToInvoiceType=Invoice documents models according to invoice type +PaymentsPDFModules=Payment documents models ForceInvoiceDate=Forza la data della fattura alla data di convalida -SuggestedPaymentModesIfNotDefinedInInvoice=Modalità di pagamento suggerita sulla fattura per impostazione predefinita se non definita per la fattura -SuggestPaymentByRIBOnAccount=Suggerisci il pagamento tramite prelievo sul conto -SuggestPaymentByChequeToAddress=Suggerisci pagamento con assegno a +SuggestedPaymentModesIfNotDefinedInInvoice=Suggerire le modalità predefinite di pagamento delle fatture, se non definite già nella fattura +SuggestPaymentByRIBOnAccount=Suggest payment by withdrawal on account +SuggestPaymentByChequeToAddress=Suggest payment by check to FreeLegalTextOnInvoices=Testo libero sulle fatture -WatermarkOnDraftInvoices=Filigrana su bozze di fatture (nessuna se vuota) -PaymentsNumberingModule=Modello di numerazione dei pagamenti -SuppliersPayment=Pagamenti del fornitore -SupplierPaymentSetup=Impostazione pagamenti fornitore +WatermarkOnDraftInvoices=Bozze delle fatture filigranate (nessuna filigrana se vuoto) +PaymentsNumberingModule=Modello per la numerazione dei documenti +SuppliersPayment=Vendor payments +SupplierPaymentSetup=Vendor payments setup ##### Proposals ##### -PropalSetup=Impostazione del modulo di proposte commerciali -ProposalsNumberingModules=Modelli di numerazione delle proposte commerciali -ProposalsPDFModules=Modelli di documenti di proposta commerciale -SuggestedPaymentModesIfNotDefinedInProposal=Modalità di pagamento suggerita su proposta per impostazione predefinita se non definita per la proposta -FreeLegalTextOnProposal=Testo libero su proposte commerciali -WatermarkOnDraftProposal=Filigrana su bozze di proposte commerciali (nessuna se vuota) -BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Richiedi la destinazione del conto bancario della proposta +PropalSetup=Impostazioni proposte commerciali +ProposalsNumberingModules=Modelli di numerazione della proposta commerciale +ProposalsPDFModules=Modelli per pdf proposta commerciale +SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined for proposal +FreeLegalTextOnProposal=Testo libero sulle proposte commerciali +WatermarkOnDraftProposal=Bozze dei preventivi filigranate (nessuna filigrana se vuoto) +BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Ask for bank account destination of proposal ##### SupplierProposal ##### -SupplierProposalSetup=Il modulo richiede l'installazione del modulo fornitori -SupplierProposalNumberingModules=Il prezzo richiede modelli di numerazione dei fornitori -SupplierProposalPDFModules=Il prezzo richiede modelli di documenti fornitori -FreeLegalTextOnSupplierProposal=Testo libero sui fornitori di richieste di prezzo -WatermarkOnDraftSupplierProposal=Filigrana su fornitori di richieste di prezzi bozza (nessuno se vuoto) -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Richiedi la destinazione del conto bancario della richiesta di prezzo -WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Richiedi la fonte di magazzino per l'ordine +SupplierProposalSetup=Price requests suppliers module setup +SupplierProposalNumberingModules=Price requests suppliers numbering models +SupplierProposalPDFModules=Price requests suppliers documents models +FreeLegalTextOnSupplierProposal=Free text on price requests suppliers +WatermarkOnDraftSupplierProposal=Watermark on draft price requests suppliers (none if empty) +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Ask for bank account destination of price request +WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Ask for Warehouse Source for order ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Richiedi la destinazione del conto bancario dell'ordine d'acquisto +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order ##### Orders ##### -OrdersSetup=Impostazione della gestione degli ordini di vendita -OrdersNumberingModules=Modelli di numerazione degli ordini -OrdersModelModule=Ordina modelli di documenti +OrdersSetup=Impostazione gestione Ordini Cliente +OrdersNumberingModules=Modelli di numerazione ordini +OrdersModelModule=Modelli per ordini in pdf FreeLegalTextOnOrders=Testo libero sugli ordini -WatermarkOnDraftOrders=Filigrana su ordini di sformo (nessuno se vuoto) -ShippableOrderIconInList=Aggiungi un'icona nell'elenco degli ordini che indica se l'ordine è spedibile -BANK_ASK_PAYMENT_BANK_DURING_ORDER=Richiedi la destinazione dell'ordine del conto bancario +WatermarkOnDraftOrders=Bozze degli ordini filigranate (nessuna filigrana se vuoto) +ShippableOrderIconInList=Add an icon in Orders list which indicate if order is shippable +BANK_ASK_PAYMENT_BANK_DURING_ORDER=Ask for bank account destination of order ##### Interventions ##### -InterventionsSetup=Installazione del modulo di intervento -FreeLegalTextOnInterventions=Testo libero su documenti di intervento -FicheinterNumberingModules=Modelli di numerazione di intervento -TemplatePDFInterventions=Modelli di documenti di carte di intervento -WatermarkOnDraftInterventionCards=Filigrana sui documenti della carta di intervento (nessuno se vuoto) +InterventionsSetup=Impostazioni modulo interventi +FreeLegalTextOnInterventions=Testo libero sui documenti d'intervento +FicheinterNumberingModules=Numerazione dei moduli di intervento +TemplatePDFInterventions=Modelli per moduli di intervento in pdf +WatermarkOnDraftInterventionCards=Bozze delle schede di intervento filigranate (nessuna filigrana se vuoto) ##### Contracts ##### -ContractsSetup=Impostazione del modulo Contratti / Abbonamenti -ContractsNumberingModules=Moduli di numerazione dei contratti -TemplatePDFContracts=Contratti modelli di documenti +ContractsSetup=Modulo di configurazione Contratti / Sottoscrizioni +ContractsNumberingModules=Moduli per la numerazione dei contratti +TemplatePDFContracts=Modelli per documenti e contratti FreeLegalTextOnContracts=Testo libero sui contratti -WatermarkOnDraftContractCards=Filigrana su bozze di contratti (nessuna se vuota) +WatermarkOnDraftContractCards=Bozze dei contratti filigranate (nessuna filigrana se vuoto) ##### Members ##### -MembersSetup=Impostazione del modulo membri +MembersSetup=Impostazioni modulo membri MemberMainOptions=Opzioni principali -AdherentLoginRequired= Gestisci un Login per ogni membro -AdherentMailRequired=Email richiesta per creare un nuovo membro -MemberSendInformationByMailByDefault=La casella di controllo per inviare la conferma e-mail ai membri (convalida o nuova iscrizione) è attiva per impostazione predefinita -VisitorCanChooseItsPaymentMode=Il visitatore può scegliere tra le modalità di pagamento disponibili -MEMBER_REMINDER_EMAIL=Abilita promemoria automatico tramite e-mail degli abbonamenti scaduti. Nota: il modulo %s deve essere abilitato e configurato correttamente per inviare promemoria. +AdherentLoginRequired= Gestire un account di accesso per ogni membro +AdherentMailRequired=Email required to create a new member +MemberSendInformationByMailByDefault=Checkbox per inviare una mail di conferma per i membri (è attiva per impostazione predefinita) +VisitorCanChooseItsPaymentMode=Visitor can choose from available payment modes +MEMBER_REMINDER_EMAIL=Enable automatic reminder by email of expired subscriptions. Note: Module %s must be enabled and correctly setup to send reminders. ##### LDAP setup ##### -LDAPSetup=Configurazione LDAP +LDAPSetup=Impostazioni del protocollo LDAP LDAPGlobalParameters=Parametri globali -LDAPUsersSynchro=utenti +LDAPUsersSynchro=Utenti LDAPGroupsSynchro=Gruppi LDAPContactsSynchro=Contatti LDAPMembersSynchro=Membri -LDAPMembersTypesSynchro=Tipi di membri +LDAPMembersTypesSynchro=Tipi di membro LDAPSynchronization=Sincronizzazione LDAP -LDAPFunctionsNotAvailableOnPHP=Le funzioni LDAP non sono disponibili sul tuo PHP -LDAPToDolibarr=LDAP -> Dolibarr +LDAPFunctionsNotAvailableOnPHP=Funzioni LDAP non disponibili sull'attuale installazione di PHP +LDAPToDolibarr=LDAP -> Dolibarr DolibarrToLDAP=Dolibarr -> LDAP -LDAPNamingAttribute=Digita LDAP -LDAPSynchronizeUsers=Organizzazione degli utenti in LDAP -LDAPSynchronizeGroups=Organizzazione di gruppi in LDAP -LDAPSynchronizeContacts=Organizzazione dei contatti in LDAP -LDAPSynchronizeMembers=Organizzazione dei membri della fondazione in LDAP -LDAPSynchronizeMembersTypes=Organizzazione dei tipi di membri della fondazione in LDAP -LDAPPrimaryServer=Server primario -LDAPSecondaryServer=Server secondario +LDAPNamingAttribute=Chiave LDAP +LDAPSynchronizeUsers=Gestione utenti con LDAP +LDAPSynchronizeGroups=Gestione gruppi con LDAP +LDAPSynchronizeContacts=Gestione contatti con LDAP +LDAPSynchronizeMembers=Gestione membri della Società/Fondazione con LDAP +LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPPrimaryServer=Server LDAP primario +LDAPSecondaryServer=Server LDAP secondario LDAPServerPort=Porta del server -LDAPServerPortExample=Porta predefinita: 389 +LDAPServerPortExample=Default port: 389 LDAPServerProtocolVersion=Versione del protocollo LDAPServerUseTLS=Usa TLS -LDAPServerUseTLSExample=Il tuo server LDAP usa TLS +LDAPServerUseTLSExample=Il server LDAP utilizza TLS LDAPServerDn=Server DN -LDAPAdminDn=Amministratore DN -LDAPAdminDnExample=DN completo (es: cn = admin, dc = esempio, dc = com o cn = amministratore, cn = Users, dc = esempio, dc = com per active directory) -LDAPPassword=Password amministratore +LDAPAdminDn=DN dell'amministratore +LDAPAdminDnExample=Complete DN (ex: cn=admin,dc=example,dc=com or cn=Administrator,cn=Users,dc=example,dc=com for active directory) +LDAPPassword=Password di amministratore LDAPUserDn=DN degli utenti -LDAPUserDnExample=DN completo (es: ou = users, dc = example, dc = com) -LDAPGroupDn=DN gruppi -LDAPGroupDnExample=DN completo (es: ou = gruppi, dc = esempio, dc = com) -LDAPServerExample=Indirizzo del server (es: localhost, 192.168.0.2, ldaps: //ldap.example.com/) -LDAPServerDnExample=DN completo (es: dc = esempio, dc = com) -LDAPDnSynchroActive=Sincronizzazione di utenti e gruppi -LDAPDnSynchroActiveExample=Sincronizzazione da LDAP a Dolibarr o Dolibarr a LDAP -LDAPDnContactActive=Sincronizzazione dei contatti -LDAPDnContactActiveExample=Sincronizzazione attivata / non attivata -LDAPDnMemberActive=Sincronizzazione dei membri -LDAPDnMemberActiveExample=Sincronizzazione attivata / non attivata -LDAPDnMemberTypeActive=Sincronizzazione dei tipi di membri -LDAPDnMemberTypeActiveExample=Sincronizzazione attivata / non attivata -LDAPContactDn=DN contatti Dolibarr -LDAPContactDnExample=DN completo (es: ou = contatti, dc = esempio, dc = com) -LDAPMemberDn=Membri Dolibarr DN -LDAPMemberDnExample=DN completo (es: ou = members, dc = example, dc = com) -LDAPMemberObjectClassList=Elenco di objectClass -LDAPMemberObjectClassListExample=Elenco di objectClass che definisce gli attributi del record (es: top, inetOrgPerson o top, utente per active directory) -LDAPMemberTypeDn=Membri Dolibarr tipi DN -LDAPMemberTypepDnExample=DN completo (es: ou = memberstypes, dc = esempio, dc = com) -LDAPMemberTypeObjectClassList=Elenco di objectClass -LDAPMemberTypeObjectClassListExample=Elenco di objectClass che definisce gli attributi del record (es: top, groupOfUniqueNames) +LDAPUserDnExample=DN completo (per esempio: ou=users,dc=society,dc=com) +LDAPGroupDn=DN dei gruppi +LDAPGroupDnExample=DN completo (per esempio: ou=groups,dc=society,dc=com) +LDAPServerExample=Indirizzo del server (ad es: localhost, 192.168.0.2, LDAPS://ldap.example.com/) +LDAPServerDnExample=DN completo (per esempio: dc=company,dc=com) +LDAPDnSynchroActive=Sincronizzazione utenti e gruppi +LDAPDnSynchroActiveExample=Sincronizzazione LDAP -> Dolibarr o Dolibarr -> LDAP per gruppi e utenti +LDAPDnContactActive=Sincronizzazione contatti +LDAPDnContactActiveExample=Attiva/disattiva sincronizzazione contatti +LDAPDnMemberActive=Sincronizzazione membri +LDAPDnMemberActiveExample=Attiva/Disattiva sincronizzazione membri +LDAPDnMemberTypeActive=Members types' synchronization +LDAPDnMemberTypeActiveExample=Attiva/Disattiva sincronizzazione membri +LDAPContactDn=DN dei contatti +LDAPContactDnExample=DN completo (per esempio: ou=contacts,dc=society,dc=com) +LDAPMemberDn=DN dei membri +LDAPMemberDnExample=DN completo (per esempio: ou=members,dc=society,dc=com) +LDAPMemberObjectClassList=Elenco delle objectClass +LDAPMemberObjectClassListExample=Elenco dei record objectClass che definiscono gli attributi +LDAPMemberTypeDn=Dolibarr members types DN +LDAPMemberTypepDnExample=DN completo (per esempio: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeObjectClassList=Elenco delle objectClass +LDAPMemberTypeObjectClassListExample=Elenco dei record objectClass che definiscono gli attributi LDAPUserObjectClassList=Elenco delle objectClass -LDAPUserObjectClassListExample=Elenco di objectClass che definisce gli attributi del record (es: top, inetOrgPerson o top, utente per active directory) -LDAPGroupObjectClassList=Elenco di objectClass -LDAPGroupObjectClassListExample=Elenco di objectClass che definisce gli attributi del record (es: top, groupOfUniqueNames) -LDAPContactObjectClassList=Elenco di objectClass -LDAPContactObjectClassListExample=Elenco di objectClass che definisce gli attributi del record (es: top, inetOrgPerson o top, utente per active directory) -LDAPTestConnect=Test della connessione LDAP -LDAPTestSynchroContact=Testare la sincronizzazione dei contatti -LDAPTestSynchroUser=Testare la sincronizzazione dell'utente -LDAPTestSynchroGroup=Sincronizzazione del gruppo di test -LDAPTestSynchroMember=Testare la sincronizzazione dei membri -LDAPTestSynchroMemberType=Testare la sincronizzazione del tipo di membro -LDAPTestSearch= Prova una ricerca LDAP -LDAPSynchroOK=Test di sincronizzazione riuscito -LDAPSynchroKO=Test di sincronizzazione non riuscito -LDAPSynchroKOMayBePermissions=Test di sincronizzazione non riuscito. Verificare che la connessione al server sia configurata correttamente e consenta gli aggiornamenti LDAP -LDAPTCPConnectOK=Connessione TCP al server LDAP eseguita correttamente (Server = %s, Porta = %s) -LDAPTCPConnectKO=Connessione TCP al server LDAP non riuscita (Server = %s, Porta = %s) -LDAPBindOK=Connessione / autenticazione al server LDAP eseguita correttamente (Server = %s, Porta = %s, Admin = %s, Password = %s) -LDAPBindKO=Connessione / autenticazione al server LDAP non riuscita (Server = %s, Porta = %s, Admin = %s, Password = %s) +LDAPUserObjectClassListExample=Elenco dei record objectClass che definiscono gli attributi +LDAPGroupObjectClassList=Elenco delle objectClass +LDAPGroupObjectClassListExample=Elenco dei record objectClass che definiscono gli attributi +LDAPContactObjectClassList=Elenco delle objectClass +LDAPContactObjectClassListExample=Elenco dei record objectClass che definiscono gli attributi +LDAPTestConnect=Test connessione LDAP +LDAPTestSynchroContact=Test sincronizzazione contatti +LDAPTestSynchroUser=Test sincronizzazione utenti +LDAPTestSynchroGroup=Test sincronizzazione gruppi +LDAPTestSynchroMember=Test sincronizzazione membri +LDAPTestSynchroMemberType=Test member type synchronization +LDAPTestSearch= Test della ricerca LDAP +LDAPSynchroOK=Test sincronizzazione OK +LDAPSynchroKO=Test sincronizzazione fallito +LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates +LDAPTCPConnectOK=Connessione TCP al server LDAP Ok (Server=%s, Port=%s) +LDAPTCPConnectKO=Connessione TCP al server LDAP non riuscita (Server=%s, Port=%s) +LDAPBindOK=Connect/Authenticate to LDAP server successful (Server=%s, Port=%s, Admin=%s, Password=%s) +LDAPBindKO=Connect/Authenticate to LDAP server failed (Server=%s, Port=%s, Admin=%s, Password=%s) LDAPSetupForVersion3=Server LDAP configurato per la versione 3 LDAPSetupForVersion2=Server LDAP configurato per la versione 2 LDAPDolibarrMapping=Mappatura Dolibarr LDAPLdapMapping=Mappatura LDAP -LDAPFieldLoginUnix=Accedi (unix) -LDAPFieldLoginExample=Esempio: uid +LDAPFieldLoginUnix=Login (Unix) +LDAPFieldLoginExample=Example: uid LDAPFilterConnection=Filtro di ricerca -LDAPFilterConnectionExample=Esempio: & (objectClass = inetOrgPerson) -LDAPFieldLoginSamba=Login (samba, activedirectory) -LDAPFieldLoginSambaExample=Esempio: samaccountname -LDAPFieldFullname=Nome e cognome -LDAPFieldFullnameExample=Esempio: cn -LDAPFieldPasswordNotCrypted=Password non crittografata -LDAPFieldPasswordCrypted=Password criptata -LDAPFieldPasswordExample=Esempio: userPassword -LDAPFieldCommonNameExample=Esempio: cn +LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) +LDAPFieldLoginSamba=Login (samba, ActiveDirectory) +LDAPFieldLoginSambaExample=Example: samaccountname +LDAPFieldFullname=Cognome Nome +LDAPFieldFullnameExample=Example: cn +LDAPFieldPasswordNotCrypted=Password not encrypted +LDAPFieldPasswordCrypted=Password encrypted +LDAPFieldPasswordExample=Example: userPassword +LDAPFieldCommonNameExample=Example: cn LDAPFieldName=Nome -LDAPFieldNameExample=Esempio: sn -LDAPFieldFirstName=nome di battesimo -LDAPFieldFirstNameExample=Esempio: givenName -LDAPFieldMail=Indirizzo email -LDAPFieldMailExample=Esempio: posta -LDAPFieldPhone=Numero di telefono professionale -LDAPFieldPhoneExample=Esempio: numero di telefono +LDAPFieldNameExample=Example: sn +LDAPFieldFirstName=Nome proprio +LDAPFieldFirstNameExample=Example: givenName +LDAPFieldMail=Indirizzo e-mail +LDAPFieldMailExample=Example: mail +LDAPFieldPhone=Numero di telefono ufficio +LDAPFieldPhoneExample=Example: telephonenumber LDAPFieldHomePhone=Numero di telefono personale -LDAPFieldHomePhoneExample=Esempio: homephone -LDAPFieldMobile=Cellulare -LDAPFieldMobileExample=Esempio: mobile +LDAPFieldHomePhoneExample=Example: homephone +LDAPFieldMobile=Telefono cellulare +LDAPFieldMobileExample=Example: mobile LDAPFieldFax=Numero di fax -LDAPFieldFaxExample=Esempio: facsimiletelephonenumber -LDAPFieldAddress=strada -LDAPFieldAddressExample=Esempio: via -LDAPFieldZip=Cerniera lampo -LDAPFieldZipExample=Esempio: codice postale -LDAPFieldTown=Cittadina -LDAPFieldTownExample=Esempio: l -LDAPFieldCountry=Nazione +LDAPFieldFaxExample=Example: facsimiletelephonenumber +LDAPFieldAddress=Indirizzo +LDAPFieldAddressExample=Example: street +LDAPFieldZip=CAP +LDAPFieldZipExample=Example: postalcode +LDAPFieldTown=Città +LDAPFieldTownExample=Example: l +LDAPFieldCountry=Paese LDAPFieldDescription=Descrizione -LDAPFieldDescriptionExample=Esempio: descrizione +LDAPFieldDescriptionExample=Example: description LDAPFieldNotePublic=Nota pubblica -LDAPFieldNotePublicExample=Esempio: nota pubblica +LDAPFieldNotePublicExample=Example: publicnote LDAPFieldGroupMembers= Membri del gruppo -LDAPFieldGroupMembersExample= Esempio: uniqueMember +LDAPFieldGroupMembersExample= Example: uniqueMember LDAPFieldBirthdate=Data di nascita -LDAPFieldCompany=Azienda -LDAPFieldCompanyExample=Esempio: o +LDAPFieldCompany=Società +LDAPFieldCompanyExample=Example: o LDAPFieldSid=SID -LDAPFieldSidExample=Esempio: objectsid -LDAPFieldEndLastSubscription=Data di fine dell'abbonamento -LDAPFieldTitle=Posto di lavoro +LDAPFieldSidExample=Example: objectsid +LDAPFieldEndLastSubscription=Data di fine abbonamento +LDAPFieldTitle=Posizione lavorativa LDAPFieldTitleExample=Esempio: titolo LDAPFieldGroupid=ID gruppo LDAPFieldGroupidExample=Esempio: gidnumber @@ -1475,76 +1477,76 @@ LDAPFieldUseridExample=Esempio: uidnumber LDAPFieldHomedirectory=Home directory LDAPFieldHomedirectoryExample=Esempio: homedirectory LDAPFieldHomedirectoryprefix=Prefisso della home directory -LDAPSetupNotComplete=Impostazione LDAP non completata (vai su altre schede) -LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nessun amministratore o password forniti. L'accesso LDAP sarà anonimo e in modalità di sola lettura. -LDAPDescContact=Questa pagina consente di definire il nome degli attributi LDAP nell'albero LDAP per ogni dato trovato sui contatti Dolibarr. -LDAPDescUsers=Questa pagina consente di definire il nome degli attributi LDAP nell'albero LDAP per ciascun dato trovato sugli utenti Dolibarr. -LDAPDescGroups=Questa pagina consente di definire il nome degli attributi LDAP nell'albero LDAP per ciascun dato trovato nei gruppi Dolibarr. -LDAPDescMembers=Questa pagina consente di definire il nome degli attributi LDAP nella struttura ad albero LDAP per ogni dato trovato nel modulo dei membri Dolibarr. -LDAPDescMembersTypes=Questa pagina consente di definire il nome degli attributi LDAP nell'albero LDAP per ogni dato trovato sui tipi di membri Dolibarr. -LDAPDescValues=I valori di esempio sono progettati per OpenLDAP con i seguenti schemi caricati: core.schema, cosine.schema, inetorgperson.schema ). Se si utilizzano i valori thoose e OpenLDAP, modificare il file di configurazione LDAP slapd.conf per caricare tutti gli schemi di questi. -ForANonAnonymousAccess=Per un accesso autenticato (ad esempio per un accesso in scrittura) -PerfDolibarr=Impostazione delle prestazioni / rapporto di ottimizzazione -YouMayFindPerfAdviceHere=Questa pagina fornisce alcuni controlli o consigli relativi alle prestazioni. -NotInstalled=Non installato, quindi il tuo server non è rallentato da questo. +LDAPSetupNotComplete=Configurazione LDAP incompleta (vai alle altre schede) +LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Nessun amministratore o password forniti. L'accesso a LDAP sarà eseguito in forma anonima e in sola lettura. +LDAPDescContact=Questa pagina consente di definire i nomi degli attributi nella gerarchia LDAP corrispondenti ad ognuno dei dati dei contatti in Dolibarr. +LDAPDescUsers=Questa pagina consente di definire i nomi degli attributi nella gerarchia LDAP corrispondenti ad ognuno dei dati degli utenti in Dolibarr. +LDAPDescGroups=Questa pagina consente di definire i nomi degli attributi nella gerarchia LDAP corrispondenti ad ognuno dei dati dei gruppi in Dolibarr. +LDAPDescMembers=Questa pagina consente di definire i nomi degli attributi nella gerarchia LDAP corrispondenti ad ognuno dei dati dei membri in Dolibarr. +LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescValues=I valori di esempio sono progettati per OpenLDAP con i seguenti schemi di carico: core.schema, cosine.schema, inetorgperson.schema). Se si utilizzano tali schemi in OpenLDAP, modificare il file di configurazione slapd.conf per caricare tutti tali schemi. +ForANonAnonymousAccess=Per un accesso autenticato (per esempio un accesso in scrittura) +PerfDolibarr=Report di setup/ottimizzazione della performance +YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. +NotInstalled=Not installed, so your server is not slowed down by this. ApplicativeCache=Cache applicativa -MemcachedNotAvailable=Nessuna cache applicativa trovata. È possibile migliorare le prestazioni installando un server cache Memcached e un modulo in grado di utilizzare questo server cache.
Maggiori informazioni qui http://wiki.dolibarr.org/index.php/Module_MemCached_EN .
Si noti che molti provider di web hosting non forniscono tale server cache. -MemcachedModuleAvailableButNotSetup=Modulo memorizzato nella cache applicativa trovato ma l'installazione del modulo non è completa. +MemcachedNotAvailable=No applicative cache found. You can enhance performance by installing a cache server Memcached and a module able to use this cache server.
More information here http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
Note that a lot of web hosting provider does not provide such cache server. +MemcachedModuleAvailableButNotSetup=Module memcached for applicative cache found but setup of module is not complete. MemcachedAvailableAndSetup=Il modulo memcached, dedicato all'utilizzo del server memcached, è stato attivato. -OPCodeCache=Cache OPCode -NoOPCodeCacheFound=Nessuna cache OPCode trovata. Forse stai usando una cache OPCode diversa da XCache o eAccelerator (buono), o forse non hai la cache OPCode (molto male). -HTTPCacheStaticResources=Cache HTTP per risorse statiche (css, img, javascript) -FilesOfTypeCached=I file di tipo %s vengono memorizzati nella cache dal server HTTP -FilesOfTypeNotCached=I file di tipo %s non vengono memorizzati nella cache dal server HTTP -FilesOfTypeCompressed=I file di tipo %s sono compressi dal server HTTP -FilesOfTypeNotCompressed=I file di tipo %s non sono compressi dal server HTTP +OPCodeCache=OPCode cache +NoOPCodeCacheFound=No OPCode cache found. Maybe you are using an OPCode cache other than XCache or eAccelerator (good), or maybe you don't have OPCode cache (very bad). +HTTPCacheStaticResources=Cache HTTP per le risorse statiche (css, img, javascript) +FilesOfTypeCached=I file di tipo %s vengono serviti dalla cache del server HTTP +FilesOfTypeNotCached=I file di tipo %s non vengono serviti dalla cache del server HTTP +FilesOfTypeCompressed=I file di tipo %s vengono compressi dal server HTTP +FilesOfTypeNotCompressed=I file di tipo %s non vengono compressi dal server HTTP CacheByServer=Cache per server -CacheByServerDesc=Ad esempio, utilizzando la direttiva Apache "ExpiresByType image / gif A2592000" -CacheByClient=Cache dal browser +CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" +CacheByClient=Cache per browser CompressionOfResources=Compressione delle risposte HTTP -CompressionOfResourcesDesc=Ad esempio utilizzando la direttiva Apache "AddOutputFilterByType DEFLATE" -TestNotPossibleWithCurrentBrowsers=Un tale rilevamento automatico non è possibile con i browser attuali -DefaultValuesDesc=Qui è possibile definire il valore predefinito che si desidera utilizzare durante la creazione di un nuovo record e / o i filtri predefiniti o l'ordinamento quando si elencano i record. -DefaultCreateForm=Valori predefiniti (da utilizzare sui moduli) +CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" +TestNotPossibleWithCurrentBrowsers=Con i browser attuali l'individuazione automatica non è possibile +DefaultValuesDesc=Here you may define the default value you wish to use when creating a new record, and/or default filters or the sort order when you list records. +DefaultCreateForm=Default values (to use on forms) DefaultSearchFilters=Filtri di ricerca predefiniti -DefaultSortOrder=Ordinamento predefinito -DefaultFocus=Campi di messa a fuoco predefiniti -DefaultMandatory=Campi obbligatori +DefaultSortOrder=Default sort orders +DefaultFocus=Default focus fields +DefaultMandatory=Mandatory form fields ##### Products ##### -ProductSetup=Impostazione del modulo prodotti -ServiceSetup=Installazione del modulo servizi -ProductServiceSetup=Installazione dei moduli di prodotti e servizi -NumberOfProductShowInSelect=Numero massimo di prodotti da mostrare negli elenchi di selezione combinati (0 = nessun limite) -ViewProductDescInFormAbility=Visualizza le descrizioni dei prodotti nei moduli (altrimenti visualizzati in una finestra popup della descrizione comando) -MergePropalProductCard=Attiva nella scheda File allegati prodotto / servizio un'opzione per unire il documento PDF del prodotto al PDF azur della proposta se il prodotto / servizio è nella proposta -ViewProductDescInThirdpartyLanguageAbility=Visualizza le descrizioni dei prodotti nella lingua di terzi -UseSearchToSelectProductTooltip=Inoltre, se hai un gran numero di prodotti (> 100000), puoi aumentare la velocità impostando costante PRODUCT_DONOTSEARCH_ANYWHERE su 1 in Setup-> Altro. La ricerca sarà quindi limitata all'inizio della stringa. -UseSearchToSelectProduct=Attendere fino a quando non si preme un tasto prima di caricare il contenuto dell'elenco combinato di prodotti (ciò può aumentare le prestazioni se si dispone di un numero elevato di prodotti, ma è meno conveniente) -SetDefaultBarcodeTypeProducts=Tipo di codice a barre predefinito da utilizzare per i prodotti -SetDefaultBarcodeTypeThirdParties=Tipo di codice a barre predefinito da utilizzare per terze parti -UseUnits=Definire un'unità di misura per Quantità durante l'edizione delle righe ordine, proposta o fattura -ProductCodeChecker= Modulo per la generazione e il controllo del codice prodotto (prodotto o servizio) -ProductOtherConf= Configurazione del prodotto / servizio -IsNotADir=non è una directory! +ProductSetup=Impostazioni modulo prodotti +ServiceSetup=Impostazioni modulo servizi +ProductServiceSetup=Impostazioni moduli prodotti e servizi +NumberOfProductShowInSelect=Maximum number of products to show in combo select lists (0=no limit) +ViewProductDescInFormAbility=Display product descriptions in forms (otherwise shown in a tooltip popup) +MergePropalProductCard=Activate in product/service Attached Files tab an option to merge product PDF document to proposal PDF azur if product/service is in the proposal +ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in the language of the third party +UseSearchToSelectProductTooltip=Also if you have a large number of products (> 100 000), you can increase speed by setting constant PRODUCT_DONOTSEARCH_ANYWHERE to 1 in Setup->Other. Search will then be limited to start of string. +UseSearchToSelectProduct=Wait until you press a key before loading content of product combo list (This may increase performance if you have a large number of products, but it is less convenient) +SetDefaultBarcodeTypeProducts=Tipo di codici a barre predefinito da utilizzare per i prodotti +SetDefaultBarcodeTypeThirdParties=Tipo di codici a barre predefinito da utilizzare per terze parti +UseUnits=Define a unit of measure for Quantity during order, proposal or invoice lines edition +ProductCodeChecker= Modulo per la generazione e verifica dei codici prodotto (prodotto o servizio) +ProductOtherConf= Configurazione Prodotto/servizio +IsNotADir=non è una cartella! ##### Syslog ##### -SyslogSetup=Registra la configurazione del modulo -SyslogOutput=Registra le uscite -SyslogFacility=Servizio, struttura +SyslogSetup=Impostazioni modulo per i log +SyslogOutput=Output di syslog +SyslogFacility=Facility SyslogLevel=Livello -SyslogFilename=Nome e percorso del file -YouCanUseDOL_DATA_ROOT=È possibile utilizzare DOL_DATA_ROOT / dolibarr.log per un file di registro nella directory "documenti" di Dolibarr. È possibile impostare un percorso diverso per memorizzare questo file. -ErrorUnknownSyslogConstant=La costante %s non è una costante Syslog nota -OnlyWindowsLOG_USER=Windows supporta solo LOG_USER -CompressSyslogs=Compressione e backup dei file di registro di debug (generati dal modulo Log per il debug) -SyslogFileNumberOfSaves=Registra i backup -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configurare il processo pianificato di pulizia per impostare la frequenza di backup del registro +SyslogFilename=Nome file e percorso +YouCanUseDOL_DATA_ROOT=È possibile utilizzare DOL_DATA_ROOT/dolibarr.log come file di log per la directory "documenti". È anche possibile impostare un percorso diverso per tale file. +ErrorUnknownSyslogConstant=La costante %s è sconosciuta a syslog. +OnlyWindowsLOG_USER=Solo utenti Windows supportano LOG_USER +CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) +SyslogFileNumberOfSaves=Backup dei registri +ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency ##### Donations ##### -DonationsSetup=Impostazione del modulo di donazione -DonationsReceiptModel=Modello di ricevuta della donazione +DonationsSetup=Impostazioni modulo donazioni +DonationsReceiptModel=Modello di ricevuta per donazioni ##### Barcode ##### -BarcodeSetup=Impostazione del codice a barre -PaperFormatModule=Modulo formato di stampa -BarcodeEncodeModule=Tipo di codifica del codice a barre +BarcodeSetup=Impostazioni per codici a barre +PaperFormatModule=Formato del modulo di stampa +BarcodeEncodeModule=Tipo di codifica dei codici a barre CodeBarGenerator=Generatore di codici a barre ChooseABarCode=Nessun generatore definito FormatNotSupportedByGenerator=Formato non supportato da questo generatore @@ -1554,414 +1556,418 @@ BarcodeDescUPC=Codice a barre di tipo UPC BarcodeDescISBN=Codice a barre di tipo ISBN BarcodeDescC39=Codice a barre di tipo C39 BarcodeDescC128=Codice a barre di tipo C128 -BarcodeDescDATAMATRIX=Codice a barre di tipo Datamatrix -BarcodeDescQRCODE=Codice a barre di tipo codice QR -GenbarcodeLocation=Strumento da riga di comando per la generazione di codici a barre (utilizzato dal motore interno per alcuni tipi di codici a barre). Deve essere compatibile con "genbarcode".
Ad esempio: / usr / local / bin / genbarcode +BarcodeDescDATAMATRIX=Barcode of type Datamatrix +BarcodeDescQRCODE=Barcode of type QR code +GenbarcodeLocation=Bar code generation è uno strumento di linea di comando (utilizzato dal motore interno per alcuni tipi di codici a barre). Deve essere compatibile con "genbarcode".
Per esempio: /usr/local/bin/genbarcode BarcodeInternalEngine=Motore interno -BarCodeNumberManager=Manager per definire automaticamente i numeri di codice a barre +BarCodeNumberManager=Manager per auto-definizione dei numeri barcode ##### Prelevements ##### -WithdrawalsSetup=Impostazione dei pagamenti con addebito diretto del modulo +WithdrawalsSetup=Setup of module Direct Debit payments ##### ExternalRSS ##### -ExternalRSSSetup=Impostazione delle importazioni RSS esterne +ExternalRSSSetup=Impostazioni RSS esterni NewRSS=Nuovo feed RSS RSSUrl=URL RSS RSSUrlExample=Un feed RSS interessante ##### Mailing ##### -MailingSetup=Impostazione del modulo di posta elettronica -MailingEMailFrom=Email mittente (Da) per email inviate dal modulo email -MailingEMailError=Restituisci e-mail (errori-a) per e-mail con errori -MailingDelay=Secondi da attendere dopo l'invio del messaggio successivo +MailingSetup=Impostazioni modulo mailing +MailingEMailFrom=Sender email (From) for emails sent by emailing module +MailingEMailError=Return Email (Errors-to) for emails with errors +MailingDelay=Seconds to wait after sending next message ##### Notification ##### -NotificationSetup=Configurazione del modulo di notifica e-mail -NotificationEMailFrom=Email mittente (Da) per le email inviate dal modulo Notifiche +NotificationSetup=Email Notification module setup +NotificationEMailFrom=Sender email (From) for emails sent by the Notifications module FixedEmailTarget=Destinatario ##### Sendings ##### -SendingsSetup=Impostazione del modulo di spedizione -SendingsReceiptModel=Invio modello di ricevuta -SendingsNumberingModules=Moduli di numerazione invii -SendingsAbility=Supporta i fogli di spedizione per le consegne ai clienti -NoNeedForDeliveryReceipts=Nella maggior parte dei casi, i fogli di spedizione vengono utilizzati sia come fogli per le consegne dei clienti (elenco dei prodotti da inviare) sia come fogli ricevuti e firmati dal cliente. Quindi la ricevuta delle consegne dei prodotti è una funzione duplicata e raramente viene attivata. -FreeLegalTextOnShippings=Testo libero sulle spedizioni +SendingsSetup=Shipping module setup +SendingsReceiptModel=Modello di ricevuta consegna (D.D.T.) +SendingsNumberingModules=Moduli per la numerazione delle spedizioni +SendingsAbility=Support shipping sheets for customer deliveries +NoNeedForDeliveryReceipts=In most cases, shipping sheets are used both as sheets for customer deliveries (list of products to send) and sheets that are received and signed by customer. Hence the product deliveries receipt is a duplicated feature and is rarely activated. +FreeLegalTextOnShippings=Testo libero per le spedizioni ##### Deliveries ##### -DeliveryOrderNumberingModules=Modulo numerazione scontrini consegne prodotti -DeliveryOrderModel=Modello di ricevuta delle consegne dei prodotti -DeliveriesOrderAbility=Supporta le ricevute di consegna dei prodotti +DeliveryOrderNumberingModules=Numerazione dei moduli di consegna prodotti +DeliveryOrderModel=Modello ricevuta di consegna prodotti +DeliveriesOrderAbility=Supporto dei moduli di consegna prodotti FreeLegalTextOnDeliveryReceipts=Testo libero sulle ricevute di consegna ##### FCKeditor ##### AdvancedEditor=Editor avanzato ActivateFCKeditor=Attiva editor avanzato per: -FCKeditorForCompany=Creazione / edizione WYSIWIG della descrizione e della nota degli elementi (esclusi prodotti / servizi) -FCKeditorForProduct=Creazione / edizione WYSIWIG della descrizione e della nota dei prodotti / servizi -FCKeditorForProductDetails=WYSIWIG creazione / edizione di linee di dettagli di prodotti per tutte le entità (proposte, ordini, fatture, ecc ...). Avvertenza: l'uso di questa opzione per questo caso non è assolutamente raccomandato in quanto può creare problemi con caratteri speciali e formattazione della pagina durante la creazione di file PDF. -FCKeditorForMailing= Creazione / edizione WYSIWIG per e-mail di massa (Strumenti-> e-mail) -FCKeditorForUserSignature=Creazione / edizione WYSIWIG della firma dell'utente -FCKeditorForMail=Creazione / edizione WYSIWIG per tutta la posta (tranne Strumenti-> e-mail) +FCKeditorForCompany=Editor WYSIWIG per le società +FCKeditorForProduct=Editor WYSIWIG per i prodotti/servizi +FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. +FCKeditorForMailing= Editor WYSIWIG per le email +FCKeditorForUserSignature=WYSIWIG creazione/modifica della firma utente +FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) FCKeditorForTicket=Creazione / edizione WYSIWIG per i biglietti ##### Stock ##### -StockSetup=Impostazione del modulo di scorta -IfYouUsePointOfSaleCheckModule=Se si utilizza il modulo Punto vendita (POS) fornito per impostazione predefinita o un modulo esterno, questa impostazione potrebbe essere ignorata dal modulo POS. La maggior parte dei moduli POS sono progettati per impostazione predefinita per creare immediatamente una fattura e ridurre lo stock indipendentemente dalle opzioni qui. Quindi, se hai bisogno o meno di ridurre le scorte quando registri una vendita dal tuo POS, controlla anche la configurazione del tuo modulo POS. +StockSetup=Stock module setup +IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. ##### Menu ##### -MenuDeleted=Menu eliminato -Menus=menu +MenuDeleted=Menu soppresso +Menus=Menu TreeMenuPersonalized=Menu personalizzati -NotTopTreeMenuPersonalized=Menu personalizzati non collegati a una voce del menu principale +NotTopTreeMenuPersonalized=Personalized menus not linked to a top menu entry NewMenu=Nuovo menu -Menu=Selezione del menu -MenuHandler=Gestore di menu +Menu=Selezione dei menu +MenuHandler=Gestore menu MenuModule=Modulo sorgente -HideUnauthorizedMenu= Nascondi menu non autorizzati (grigio) -DetailId=Menu Id -DetailMenuHandler=Gestore di menu dove mostrare il nuovo menu -DetailMenuModule=Nome del modulo se la voce di menu proviene da un modulo +HideUnauthorizedMenu= Nascondere i menu non autorizzati +DetailId=Id menu +DetailMenuHandler=Gestore menu dove mostrare il nuovo menu +DetailMenuModule=Nome del modulo, per le voci di menu provenienti da un modulo DetailType=Tipo di menu (in alto o a sinistra) -DetailTitre=Etichetta menu o codice etichetta per la traduzione -DetailUrl=URL a cui viene inviato il menu (collegamento URL assoluto o collegamento esterno con http: //) -DetailEnabled=Condizione da mostrare o meno -DetailRight=Condizione per visualizzare menu grigi non autorizzati -DetailLangs=Nome del file Lang per la traduzione del codice dell'etichetta -DetailUser=Stagista / Estero / Tutti -Target=Bersaglio -DetailTarget=Target per i collegamenti (_blank top apre una nuova finestra) -DetailLevel=Livello (-1: menu principale, 0: menu intestazione,> 0 menu e sottomenu) -ModifMenu=Cambio menu -DeleteMenu=Elimina la voce di menu -ConfirmDeleteMenu=Sei sicuro di voler eliminare la voce di menu %s ? -FailedToInitializeMenu=Inizializzazione del menu non riuscita +DetailTitre=Etichetta menu o codice per la traduzione +DetailUrl=URL del link del menu (URL assoluto del link o collegamento esterno con http://) +DetailEnabled=Condizione per mostrare o meno un campo +DetailRight=Visualizza il menu come non attivo (grigio) +DetailLangs=Nome del file .lang contenente la traduzione del codice dell'etichetta +DetailUser=Interno / esterno / Tutti +Target=Destinatario +DetailTarget=Target for links (_blank top opens a new window) +DetailLevel=Livello (-1:top menu, 0:header menu, >0 menu and sub menu) +ModifMenu=Modifica Menu +DeleteMenu=Elimina voce menu +ConfirmDeleteMenu=Vuoi davvero eliminare la voce di menu %s? +FailedToInitializeMenu=Impossibile inizializzare menu ##### Tax ##### -TaxSetup=Impostazione del modulo Tasse, imposte sociali o fiscali e dividendi -OptionVatMode=IVA dovuta -OptionVATDefault=Base standard +TaxSetup=Taxes, social or fiscal taxes and dividends module setup +OptionVatMode=Esigibilità dell'IVA +OptionVATDefault=Standard basis OptionVATDebitOption=Contabilità per competenza -OptionVatDefaultDesc=L'IVA è dovuta:
- alla consegna della merce (in base alla data della fattura)
- sui pagamenti per i servizi -OptionVatDebitOptionDesc=L'IVA è dovuta:
- alla consegna della merce (in base alla data della fattura)
- sulla fattura (debito) per i servizi -OptionPaymentForProductAndServices=Base in contanti per prodotti e servizi -OptionPaymentForProductAndServicesDesc=L'IVA è dovuta:
- a pagamento per merci
- sui pagamenti per i servizi -SummaryOfVatExigibilityUsedByDefault=Tempo di ammissibilità dell'IVA per impostazione predefinita in base all'opzione scelta: -OnDelivery=In consegna -OnPayment=A pagamento -OnInvoice=Su fattura -SupposedToBePaymentDate=Data di pagamento utilizzata -SupposedToBeInvoiceDate=Data fattura utilizzata -Buy=Acquistare -Sell=Vendere -InvoiceDateUsed=Data fattura utilizzata -YourCompanyDoesNotUseVAT=La tua azienda è stata definita per non utilizzare l'IVA (Home - Installazione - Azienda / Organizzazione), quindi non ci sono opzioni IVA da impostare. -AccountancyCode=Codice contabile -AccountancyCodeSell=Conto di vendita. codice -AccountancyCodeBuy=Acquista un account. codice +OptionVatDefaultDesc=VAT is due:
- on delivery of goods (based on invoice date)
- on payments for services +OptionVatDebitOptionDesc=VAT is due:
- on delivery of goods (based on invoice date)
- on invoice (debit) for services +OptionPaymentForProductAndServices=Cash basis for products and services +OptionPaymentForProductAndServicesDesc=VAT is due:
- on payment for goods
- on payments for services +SummaryOfVatExigibilityUsedByDefault=Time of VAT eligibility by default according to chosen option: +OnDelivery=Alla consegna +OnPayment=Al pagamento +OnInvoice=Alla fatturazione +SupposedToBePaymentDate=Alla data del pagamento +SupposedToBeInvoiceDate=Alla data della fattura +Buy=Acquista +Sell=Vendi +InvoiceDateUsed=Data utilizzata per la fatturazione +YourCompanyDoesNotUseVAT=Your company has been defined to not use VAT (Home - Setup - Company/Organization), so there is no VAT options to setup. +AccountancyCode=Accounting Code +AccountancyCodeSell=Codice contabilità vendite +AccountancyCodeBuy=Codice contabilità acquisti ##### Agenda ##### -AgendaSetup=Impostazione del modulo eventi e agenda -PasswordTogetVCalExport=Chiave per autorizzare il collegamento di esportazione -PastDelayVCalExport=Non esportare eventi più vecchi di -AGENDA_USE_EVENT_TYPE=Utilizza i tipi di eventi (gestiti nel menu Impostazione -> Dizionari -> Tipo di eventi dell'agenda) -AGENDA_USE_EVENT_TYPE_DEFAULT=Imposta automaticamente questo valore predefinito per il tipo di evento nel modulo di creazione dell'evento -AGENDA_DEFAULT_FILTER_TYPE=Imposta automaticamente questo tipo di evento nel filtro di ricerca della vista agenda -AGENDA_DEFAULT_FILTER_STATUS=Imposta automaticamente questo stato per gli eventi nel filtro di ricerca della vista agenda -AGENDA_DEFAULT_VIEW=Quale scheda si desidera aprire per impostazione predefinita quando si seleziona il menu Agenda -AGENDA_REMINDER_EMAIL=Abilita promemoria eventi tramite e-mail (è possibile definire un'opzione / ritardo promemoria su ciascun evento). Nota: il modulo %s deve essere abilitato e configurato correttamente per inviare un promemoria alla frequenza corretta. -AGENDA_REMINDER_BROWSER=Abilita promemoria evento sul browser dell'utente (quando viene raggiunta la data dell'evento, ogni utente può rifiutarlo dalla domanda di conferma del browser) -AGENDA_REMINDER_BROWSER_SOUND=Abilita notifica sonora -AGENDA_SHOW_LINKED_OBJECT=Mostra l'oggetto collegato nella vista agenda +AgendaSetup=Impostazioni modulo agenda +PasswordTogetVCalExport=Chiave per autorizzare l'esportazione di link +PastDelayVCalExport=Non esportare evento più vecchio di +AGENDA_USE_EVENT_TYPE=Use events types (managed in menu Setup -> Dictionaries -> Type of agenda events) +AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form +AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view +AGENDA_DEFAULT_FILTER_STATUS=Automatically set this status for events in search filter of agenda view +AGENDA_DEFAULT_VIEW=Which tab do you want to open by default when selecting menu Agenda +AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). Note: Module %s must be enabled and correctly setup to have reminder sent at the correct frequency. +AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (when event date is reached, each user is able to refuse this from the browser confirmation question) +AGENDA_REMINDER_BROWSER_SOUND=Attiva i suoni per le notifiche +AGENDA_SHOW_LINKED_OBJECT=Show linked object into agenda view ##### Clicktodial ##### -ClickToDialSetup=Fare clic su Componi impostazione modulo -ClickToDialUrlDesc=Url ha chiamato quando è stato fatto un clic sulla foto del telefono. Nell'URL è possibile utilizzare i tag
__PHONETO__ che verrà sostituito con il numero di telefono della persona da chiamare
__PHONEFROM__ che verrà sostituito con il numero di telefono della persona chiamante (la tua)
__LOGIN__ che verrà sostituito con login clicktodial (definito sulla scheda utente)
__PASS__ che verrà sostituito con password clicktodial (definita sulla scheda utente). -ClickToDialDesc=Questo modulo consente di fare clic sui collegamenti telefonici dei numeri di telefono. Un clic sull'icona farà chiamare il tuo numero di telefono. Questo può essere usato per chiamare un sistema di call center da Dolibarr che può ad esempio chiamare il numero di telefono su un sistema SIP. -ClickToDialUseTelLink=Utilizzare solo un collegamento "tel:" sui numeri di telefono -ClickToDialUseTelLinkDesc=Utilizzare questo metodo se gli utenti dispongono di un softphone o di un'interfaccia software installati sullo stesso computer del browser e vengono chiamati quando si fa clic su un collegamento nel browser che inizia con "tel:". Se è necessaria una soluzione server completa (non è necessaria l'installazione di software locale), è necessario impostarla su "No" e compilare il campo successivo. +ClickToDialSetup=Impostazioni modulo ClickToDial (telefonate con un clic) +ClickToDialUrlDesc=Url called when a click on phone picto is done. In URL, you can use tags
__PHONETO__ that will be replaced with the phone number of person to call
__PHONEFROM__ that will be replaced with phone number of calling person (yours)
__LOGIN__ that will be replaced with clicktodial login (defined on user card)
__PASS__ that will be replaced with clicktodial password (defined on user card). +ClickToDialDesc=This module makea phone numbers clickable links. A click on the icon will make your phone call the number. This can be used to call a call-center system from Dolibarr that can call the phone number on a SIP system for example. +ClickToDialUseTelLink=Peri numeri di telefono basta usare un link di tipo "tel:" +ClickToDialUseTelLinkDesc=Use this method if your users have a softphone or a software interface installed on the same computer as the browser, and called when you click on a link in your browser that starts with "tel:". If you need a full server solution (no need of local software installation), you must set this to "No" and fill next field. ##### Point Of Sale (CashDesk) ##### -CashDesk=Punto vendita -CashDeskSetup=Impostazione del modulo Point of Sales -CashDeskThirdPartyForSell=Terze parti generiche predefinite da utilizzare per le vendite -CashDeskBankAccountForSell=Account predefinito da utilizzare per ricevere pagamenti in contanti -CashDeskBankAccountForCheque=Account predefinito da utilizzare per ricevere pagamenti tramite assegno -CashDeskBankAccountForCB=Account predefinito da utilizzare per ricevere pagamenti con carte di credito +CashDesk=Point of Sale +CashDeskSetup=Point of Sales module setup +CashDeskThirdPartyForSell=Default generic third party to use for sales +CashDeskBankAccountForSell=Conto bancario da utilizzare per pagamenti in contanti +CashDeskBankAccountForCheque=Default account to use to receive payments by check +CashDeskBankAccountForCB=Conto bancario da utilizzare per pagamenti con carta di credito CashDeskBankAccountForSumup=Conto bancario predefinito da utilizzare per ricevere pagamenti tramite SumUp -CashDeskDoNotDecreaseStock=Disabilitare la riduzione delle scorte quando viene effettuata una vendita dal Punto vendita (se "no", la riduzione delle scorte viene effettuata per ogni vendita effettuata dal POS, indipendentemente dall'opzione impostata nello stock modulo). -CashDeskIdWareHouse=Forzare e limitare il magazzino da utilizzare per la riduzione delle scorte -StockDecreaseForPointOfSaleDisabled=Diminuzione dello stock dal punto vendita disabilitato -StockDecreaseForPointOfSaleDisabledbyBatch=La riduzione dello stock in POS non è compatibile con la gestione seriale / lotto del modulo (attualmente attiva), quindi la riduzione dello stock è disabilitata. -CashDeskYouDidNotDisableStockDecease=Non hai disabilitato la riduzione delle scorte quando effettui una vendita dal Punto vendita. Quindi è richiesto un magazzino. +CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). +CashDeskIdWareHouse=Force and restrict warehouse to use for stock decrease +StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled +StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. +CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. ##### Bookmark ##### -BookmarkSetup=Impostazione del modulo segnalibro -BookmarkDesc=Questo modulo consente di gestire i segnalibri. È inoltre possibile aggiungere collegamenti a qualsiasi pagina Dolibarr o siti Web esterni nel menu a sinistra. -NbOfBoomarkToShow=Numero massimo di segnalibri da mostrare nel menu a sinistra +BookmarkSetup=Impostazioni modulo segnalibri +BookmarkDesc=This module allows you to manage bookmarks. You can also add shortcuts to any Dolibarr pages or external web sites on your left menu. +NbOfBoomarkToShow=Numero massimo dei segnalibri da mostrare nel menu di sinistra ##### WebServices ##### -WebServicesSetup=Impostazione del modulo di servizi web -WebServicesDesc=Abilitando questo modulo, Dolibarr diventa un server di servizi Web per fornire servizi Web vari. +WebServicesSetup=Impostazioni modulo webservices +WebServicesDesc=Attivando questo modulo, Dolibarr attiva un web server in grado di fornire vari servizi web. WSDLCanBeDownloadedHere=È possibile scaricare i file di definizione dei servizi (WSDL) da questo URL -EndPointIs=I client SOAP devono inviare le loro richieste all'endpoint Dolibarr disponibile nell'URL +EndPointIs=SOAP clients must send their requests to the Dolibarr endpoint available at URL ##### API #### -ApiSetup=Configurazione del modulo API -ApiDesc=Abilitando questo modulo, Dolibarr diventa un server REST per fornire vari servizi web. -ApiProductionMode=Abilita modalità di produzione (questo attiverà l'uso di una cache per la gestione dei servizi) -ApiExporerIs=Puoi esplorare e testare le API su URL -OnlyActiveElementsAreExposed=Sono esposti solo gli elementi dei moduli abilitati -ApiKey=Chiave per API -WarningAPIExplorerDisabled=L'API Explorer è stato disabilitato. API Explorer non è tenuto a fornire servizi API. È uno strumento per gli sviluppatori per trovare / testare le API REST. Se hai bisogno di questo strumento, vai all'installazione del modulo API REST per attivarlo. +ApiSetup=API module setup +ApiDesc=By enabling this module, Dolibarr become a REST server to provide miscellaneous web services. +ApiProductionMode=Enable production mode (this will activate use of a cache for services management) +ApiExporerIs=Puoi controllare e testare le API all'indirizzo +OnlyActiveElementsAreExposed=Vengono esposti solo elementi correlati ai moduli abilitati +ApiKey=Key for API +WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. ##### Bank ##### -BankSetupModule=Impostazione del modulo bancario -FreeLegalTextOnChequeReceipts=Testo libero sugli assegni -BankOrderShow=Visualizza l'ordine dei conti bancari per i paesi utilizzando il "numero bancario dettagliato" +BankSetupModule=Impostazioni modulo banca/cassa +FreeLegalTextOnChequeReceipts=Free text on check receipts +BankOrderShow=Ordine di visualizzazione dei conti bancari per i paesi che usano DBN BankOrderGlobal=Generale BankOrderGlobalDesc=Ordine di visualizzazione generale -BankOrderES=spagnolo +BankOrderES=Spagnolo BankOrderESDesc=Ordine di visualizzazione spagnolo -ChequeReceiptsNumberingModule=Controlla il modulo di numerazione delle ricevute +ChequeReceiptsNumberingModule=Check Receipts Numbering Module ##### Multicompany ##### -MultiCompanySetup=Impostazione del modulo multi-azienda +MultiCompanySetup=Impostazioni modulo multiazienda ##### Suppliers ##### -SuppliersSetup=Impostazione del modulo del fornitore -SuppliersCommandModel=Modello completo dell'ordine d'acquisto (logo ...) -SuppliersInvoiceModel=Modello completo di fattura fornitore (logo ...) -SuppliersInvoiceNumberingModel=Modelli di numerazione fatture fornitore -IfSetToYesDontForgetPermission=Se impostato su un valore non nullo, non dimenticare di fornire autorizzazioni a gruppi o utenti autorizzati per la seconda approvazione +SuppliersSetup=Vendor module setup +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice +SuppliersInvoiceNumberingModel=Vendor invoices numbering models +IfSetToYesDontForgetPermission=If set to yes, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### -GeoIPMaxmindSetup=Installazione del modulo GeoIP Maxmind -PathToGeoIPMaxmindCountryDataFile=Percorso del file contenente la traduzione da IP di Maxmind al paese.
Esempi:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb -NoteOnPathLocation=Nota che il tuo file di dati da IP a paese deve trovarsi in una directory che il tuo PHP può leggere (controlla la tua configurazione di PHP open_basedir e le autorizzazioni del filesystem). -YouCanDownloadFreeDatFileTo=Puoi scaricare una versione demo gratuita del file del paese Maxmind GeoIP su %s. -YouCanDownloadAdvancedDatFileTo=Puoi anche scaricare una versione più completa, con aggiornamenti, del file del paese Maxmind GeoIP su %s. -TestGeoIPResult=Test di un IP di conversione -> paese +GeoIPMaxmindSetup=Impostazioni modulo GeoIP Maxmind +PathToGeoIPMaxmindCountryDataFile=Path to file containing Maxmind ip to country translation.
Examples:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb +NoteOnPathLocation=Nota bene: il file deve trovarsi in una directory leggibile da PHP. +YouCanDownloadFreeDatFileTo=È disponibile una versione demo gratuita del 'Maxmind GeoIP country file' su %s. +YouCanDownloadAdvancedDatFileTo=Altrimenti è disponibile una versione completa, con aggiornamenti al seguente indirizzo: %s +TestGeoIPResult=Test di conversione indirizzo IP -> nazione ##### Projects ##### -ProjectsNumberingModules=Modulo di numerazione dei progetti -ProjectsSetup=Installazione del modulo di progetto -ProjectsModelModule=Il progetto riporta il modello di documento -TasksNumberingModules=Modulo di numerazione delle attività -TaskModelModule=Modello di report di attività -UseSearchToSelectProject=Attendere fino a quando non viene premuto un tasto prima di caricare il contenuto dell'elenco combo del progetto.
Ciò può migliorare le prestazioni se si dispone di un gran numero di progetti, ma è meno conveniente. +ProjectsNumberingModules=Modulo numerazione progetti +ProjectsSetup=Impostazioni modulo progetti +ProjectsModelModule=Modelli dei rapporti dei progetti +TasksNumberingModules=Tasks numbering module +TaskModelModule=Tasks reports document model +UseSearchToSelectProject=Wait until a key is pressed before loading content of Project combo list.
This may improve performance if you have a large number of projects, but it is less convenient. ##### ECM (GED) ##### ##### Fiscal Year ##### -AccountingPeriods=Periodi contabili -AccountingPeriodCard=Periodo contabile -NewFiscalYear=Nuovo periodo contabile -OpenFiscalYear=Periodo contabile aperto -CloseFiscalYear=Chiudi periodo contabile -DeleteFiscalYear=Elimina periodo contabile -ConfirmDeleteFiscalYear=Eliminare questo periodo contabile? -ShowFiscalYear=Mostra periodo contabile +AccountingPeriods=Periodi di esercizio fiscale +AccountingPeriodCard=Scheda periodo di esercizio +NewFiscalYear=Nuovo periodo di esercizio +OpenFiscalYear=Apri periodo di esercizio +CloseFiscalYear=Chiudi periodo di esercizio +DeleteFiscalYear=Elimina periodo di esercizio +ConfirmDeleteFiscalYear=Vuoi davvero cancellare questo periodo di esercizio? +ShowFiscalYear=Mostra periodo di esercizio AlwaysEditable=Può essere modificato in qualsiasi momento -MAIN_APPLICATION_TITLE=Forza il nome visibile dell'applicazione (avviso: l'impostazione del proprio nome qui potrebbe interrompere la funzionalità di accesso alla compilazione automatica quando si utilizza l'applicazione mobile DoliDroid) +MAIN_APPLICATION_TITLE=Force visible name of application (warning: setting your own name here may break autofill login feature when using DoliDroid mobile application) NbMajMin=Numero minimo di caratteri maiuscoli NbNumMin=Numero minimo di caratteri numerici NbSpeMin=Numero minimo di caratteri speciali NbIteConsecutive=Numero massimo di caratteri identici ripetuti NoAmbiCaracAutoGeneration=Non utilizzare caratteri ambigui ("1", "l", "i", "|", "0", "O") per la generazione automatica SalariesSetup=Impostazioni del modulo stipendi -SortOrder=Ordinamento +SortOrder=Ordina Format=Formato -TypePaymentDesc=0: Tipo di pagamento cliente, 1: Tipo di pagamento fornitore, 2: Tipo di pagamento sia clienti che fornitori -IncludePath=Includi percorso (definito nella variabile %s) -ExpenseReportsSetup=Impostazione dei rapporti di spesa del modulo -TemplatePDFExpenseReports=Modelli di documento per generare il documento di nota spese -ExpenseReportsIkSetup=Impostazione dei report spese modulo - Indice Milles -ExpenseReportsRulesSetup=Impostazione dei rapporti spese modulo - Regole -ExpenseReportNumberingModules=Modulo di numerazione dei rapporti di spesa -NoModueToManageStockIncrease=Nessun modulo in grado di gestire l'aumento di stock automatico è stato attivato. L'aumento delle scorte verrà effettuato solo su input manuale. -YouMayFindNotificationsFeaturesIntoModuleNotification=È possibile trovare opzioni per le notifiche e-mail abilitando e configurando il modulo "Notifica". -ListOfNotificationsPerUser=Elenco delle notifiche automatiche per utente * -ListOfNotificationsPerUserOrContact=Elenco di possibili notifiche automatiche (su evento aziendale) disponibili per utente * o per contatto ** -ListOfFixedNotifications=Elenco di notifiche fisse automatiche -GoOntoUserCardToAddMore=Vai alla scheda "Notifiche" di un utente per aggiungere o rimuovere le notifiche per gli utenti -GoOntoContactCardToAddMore=Vai sulla scheda "Notifiche" di una terza parte per aggiungere o rimuovere notifiche per contatti / indirizzi +TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type +IncludePath=Include path (defined into variable %s) +ExpenseReportsSetup=Impostazioni del modulo note spese +TemplatePDFExpenseReports=Document templates to generate expense report document +ExpenseReportsIkSetup=Setup of module Expense Reports - Milles index +ExpenseReportsRulesSetup=Setup of module Expense Reports - Rules +ExpenseReportNumberingModules=Expense reports numbering module +NoModueToManageStockIncrease=No module able to manage automatic stock increase has been activated. Stock increase will be done on manual input only. +YouMayFindNotificationsFeaturesIntoModuleNotification=You may find options for email notifications by enabling and configuring the module "Notification". +ListOfNotificationsPerUser=List of automatic notifications per user* +ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** +ListOfFixedNotifications=List of automatic fixed notifications +GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users +GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Soglia -BackupDumpWizard=Procedura guidata per creare il file di backup -SomethingMakeInstallFromWebNotPossible=L'installazione di un modulo esterno non è possibile dall'interfaccia web per il seguente motivo: -SomethingMakeInstallFromWebNotPossible2=Per questo motivo, il processo di aggiornamento descritto qui è un processo manuale che solo un utente privilegiato può eseguire. -InstallModuleFromWebHasBeenDisabledByFile=L'installazione del modulo esterno dall'applicazione è stata disabilitata dall'amministratore. È necessario chiedergli di rimuovere il file %s per consentire questa funzione. -ConfFileMustContainCustom=L'installazione o la creazione di un modulo esterno dall'applicazione deve salvare i file del modulo nella directory %s . Per fare in modo che questa directory venga elaborata da Dolibarr, è necessario impostare conf / conf.php per aggiungere le 2 righe della direttiva:
$ dolibarr_main_url_root_alt = '/ custom';
$ dolibarr_main_document_root_alt = '%s / custom'; -HighlightLinesOnMouseHover=Evidenzia le linee della tabella quando passa lo spostamento del mouse -HighlightLinesColor=Evidenzia il colore della linea quando passa il mouse (usa 'ffffff' per nessuna evidenziazione) -HighlightLinesChecked=Evidenzia il colore della linea quando è selezionata (usa 'ffffff' per nessuna evidenziazione) +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory +SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: +SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. +InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. +ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
$dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; +HighlightLinesOnMouseHover=Highlight table lines when mouse move passes over +HighlightLinesColor=Highlight color of the line when the mouse passes over (use 'ffffff' for no highlight) +HighlightLinesChecked=Highlight color of the line when it is checked (use 'ffffff' for no highlight) TextTitleColor=Colore del testo del titolo della pagina -LinkColor=Colore dei collegamenti -PressF5AfterChangingThis=Premi CTRL + F5 sulla tastiera o svuota la cache del browser dopo aver modificato questo valore per renderlo effettivo -NotSupportedByAllThemes=Funziona con temi di base, potrebbe non essere supportato da temi esterni -BackgroundColor=Colore di sfondo -TopMenuBackgroundColor=Colore di sfondo per il menu principale -TopMenuDisableImages=Nascondi le immagini nel menu principale -LeftMenuBackgroundColor=Colore di sfondo per il menu a sinistra -BackgroundTableTitleColor=Colore di sfondo per la riga del titolo della tabella -BackgroundTableTitleTextColor=Colore del testo per la riga del titolo della tabella -BackgroundTableLineOddColor=Colore di sfondo per le linee dispari della tabella -BackgroundTableLineEvenColor=Colore di sfondo per linee di tavolo uniformi -MinimumNoticePeriod=Periodo minimo di preavviso (la richiesta di ferie deve essere effettuata prima di questo ritardo) +LinkColor=Colore dei link +PressF5AfterChangingThis=Premi CTRL + F5 sulla tastiera o cancella la cache del browser per rendere effettiva la modifica di questo parametro +NotSupportedByAllThemes=Funziona con il tema Eldy ma non è supportato da tutti gli altri temi +BackgroundColor=Background color +TopMenuBackgroundColor=Background color for Top menu +TopMenuDisableImages=Nascondi le icone nel menu superiore +LeftMenuBackgroundColor=Background color for Left menu +BackgroundTableTitleColor=Colore di sfondo della riga di intestazione +BackgroundTableTitleTextColor=Text color for Table title line +BackgroundTableLineOddColor=Background color for odd table lines +BackgroundTableLineEvenColor=Background color for even table lines +MinimumNoticePeriod=Periodo minimo di avviso (le richieste di ferie/permesso dovranno essere effettuate prima di questo periodo) NbAddedAutomatically=Numero di giorni aggiunti ai contatori di utenti (automaticamente) ogni mese -EnterAnyCode=Questo campo contiene un riferimento per identificare la linea. Inserisci un valore a tua scelta, ma senza caratteri speciali. -UnicodeCurrency=Inserire qui tra parentesi graffe, elenco di numeri di byte che rappresentano il simbolo di valuta. Ad esempio: per $, immettere [36] - per il Brasile R $ [82,36] reale - per €, immettere [8364] -ColorFormat=Il colore RGB è in formato HEX, ad es .: FF0000 -PositionIntoComboList=Posizione della linea negli elenchi combo -SellTaxRate=Aliquota fiscale di vendita -RecuperableOnly=Sì per l'IVA "Non percepito ma recuperabile" dedicata ad alcuni stati della Francia. Mantenere il valore su "No" in tutti gli altri casi. -UrlTrackingDesc=Se il fornitore o il servizio di trasporto offre una pagina o un sito Web per verificare lo stato delle spedizioni, è possibile inserirlo qui. È possibile utilizzare la chiave {TRACKID} nei parametri URL in modo che il sistema lo sostituisca con il numero di tracciamento immesso dall'utente nella scheda di spedizione. -OpportunityPercent=Quando crei un lead, definirai una quantità stimata di progetto / lead. In base allo stato del lead, questo importo può essere moltiplicato per questo tasso per valutare un importo totale che tutti i lead potrebbero generare. Il valore è una percentuale (tra 0 e 100). -TemplateForElement=Questo record di modello è dedicato a quale elemento +EnterAnyCode=Questo campo contiene un riferimento per identificare la linea. Inserisci qualsiasi valore di tua scelta, ma senza caratteri speciali. +UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] +ColorFormat=Il colore RGB è nel formato HEX, es:FF0000 +PositionIntoComboList=Posizione di questo modello nella menu a tendina +SellTaxRate=Sale tax rate +RecuperableOnly=Yes for VAT "Not Perceived but Recoverable" dedicated for some state in France. Keep value to "No" in all other cases. +UrlTrackingDesc=If the provider or transport service offers a page or web site to check the status of your shipments, you may enter it here. You can use the key {TRACKID} in the URL parameters so the system will replace it with the tracking number the user entered into the shipment card. +OpportunityPercent=When you create a lead, you will define an estimated amount of project/lead. According to status of the lead, this amount may be multiplied by this rate to evaluate a total amount all your leads may generate. Value is a percentage (between 0 and 100). +TemplateForElement=L'elemento a cui è abbinato questo modello TypeOfTemplate=Tipo di modello -TemplateIsVisibleByOwnerOnly=Il modello è visibile solo al proprietario +TemplateIsVisibleByOwnerOnly=Template is visible to owner only VisibleEverywhere=Visibile ovunque -VisibleNowhere=Visibile da nessuna parte +VisibleNowhere=Invisibile FixTZ=Correzione del fuso orario FillFixTZOnlyIfRequired=Esempio: +2 (compilare solo se si è verificato un problema) ExpectedChecksum=Checksum previsto CurrentChecksum=Checksum attuale ExpectedSize=Dimensione prevista CurrentSize=Dimensione attuale -ForcedConstants=Valori costanti richiesti -MailToSendProposal=Proposte dei clienti -MailToSendOrder=Ordini di vendita -MailToSendInvoice=Fatture cliente +ForcedConstants=E' richiesto un valore costante +MailToSendProposal=Proposte del cliente +MailToSendOrder=Ordini Cliente +MailToSendInvoice=Fatture attive MailToSendShipment=Spedizioni -MailToSendIntervention=interventi +MailToSendIntervention=Interventi MailToSendSupplierRequestForQuotation=Richiesta di preventivo -MailToSendSupplierOrder=Ordini di acquisto -MailToSendSupplierInvoice=Fatture fornitore -MailToSendContract=contratti -MailToThirdparty=Terzi +MailToSendSupplierOrder=Ordini d'acquisto +MailToSendSupplierInvoice=Fatture Fornitore +MailToSendContract=Contratti +MailToThirdparty=Soggetti terzi MailToMember=Membri -MailToUser=utenti +MailToUser=Utenti MailToProject=Pagina dei progetti ByDefaultInList=Mostra per impostazione predefinita nella visualizzazione elenco -YouUseLastStableVersion=Si utilizza l'ultima versione stabile -TitleExampleForMajorRelease=Esempio di messaggio che puoi utilizzare per annunciare questa versione principale (sentiti libero di usarla sui tuoi siti web) +YouUseLastStableVersion=Stai usando l'ultima versione stabile +TitleExampleForMajorRelease=Esempio di messaggio che puoi usare per annunciare questa major release (sentiti libero di usarlo sui tuoi siti web) TitleExampleForMaintenanceRelease=Esempio di messaggio che puoi usare per annunciare questa versione di manutenzione (sentiti libero di usarla sui tuoi siti web) -ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s è disponibile. La versione %s è una versione principale con molte nuove funzionalità sia per utenti che per sviluppatori. Puoi scaricarlo dall'area download del portale https://www.dolibarr.org (sottodirectory Versioni stabili). Puoi leggere ChangeLog per un elenco completo delle modifiche. -ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s è disponibile. La versione %s è una versione di manutenzione, quindi contiene solo correzioni di errori. Consigliamo a tutti gli utenti di eseguire l'aggiornamento a questa versione. Una versione di manutenzione non introduce nuove funzionalità o modifiche al database. Puoi scaricarlo dall'area download del portale https://www.dolibarr.org (sottodirectory Versioni stabili). Puoi leggere il ChangeLog per un elenco completo delle modifiche. -MultiPriceRuleDesc=Quando l'opzione "Diversi livelli di prezzi per prodotto / servizio" è abilitata, è possibile definire prezzi diversi (uno per livello di prezzo) per ciascun prodotto. Per risparmiare tempo, qui puoi inserire una regola per calcolare automaticamente un prezzo per ogni livello in base al prezzo del primo livello, quindi dovrai inserire solo un prezzo per il primo livello per ogni prodotto. Questa pagina è progettata per farti risparmiare tempo ma è utile solo se i tuoi prezzi per ogni livello sono relativi al primo livello. È possibile ignorare questa pagina nella maggior parte dei casi. -ModelModulesProduct=Modelli per documenti di prodotto -ToGenerateCodeDefineAutomaticRuleFirst=Per poter generare automaticamente i codici, è necessario prima definire un gestore per definire automaticamente il numero del codice a barre. -SeeSubstitutionVars=Vedi * nota per l'elenco delle possibili variabili di sostituzione -SeeChangeLog=Vedi file ChangeLog (solo in inglese) +ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s is available. Version %s is a major release with a lot of new features for both users and developers. You can download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read ChangeLog for complete list of changes. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s is available. Version %s is a maintenance version, so contains only bug fixes. We recommend all users to upgrade to this version. A maintenance release does not introduce new features or changes to the database. You may download it from the download area of https://www.dolibarr.org portal (subdirectory Stable versions). You can read the ChangeLog for complete list of changes. +MultiPriceRuleDesc=When option "Several levels of prices per product/service" is enabled, you can define different prices (one per price level) for each product. To save you time, here you may enter a rule to autocalculate a price for each level based on the price of the first level, so you will have to only enter a price for the first level for each product. This page is designed to save you time but is useful only if your prices for each level are relative to first level. You can ignore this page in most cases. +ModelModulesProduct=Modelli per documenti prodotto +ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. +SeeSubstitutionVars=See * note for list of possible substitution variables +SeeChangeLog=Guarda ChangeLog file (in inglese) AllPublishers=Tutti gli editori -UnknownPublishers=Editori sconosciuti -AddRemoveTabs=Aggiungi o rimuovi le schede -AddDataTables=Aggiungi tabelle oggetti -AddDictionaries=Aggiungi tabelle dizionari -AddData=Aggiungi oggetti o dizionari dati +UnknownPublishers=Editore sconosciuto +AddRemoveTabs=Aggiungi o elimina schede +AddDataTables=Aggiungi tabelle di oggetti +AddDictionaries=Aggiungi tabelle di dizionari +AddData=Aggiungi oggetti o dati ai dizionari AddBoxes=Aggiungi widget -AddSheduledJobs=Aggiungi lavori pianificati -AddHooks=Aggiungi ganci +AddSheduledJobs=Aggiungi processi pianificati +AddHooks=Aggiungi hook AddTriggers=Aggiungi trigger AddMenus=Aggiungi menu AddPermissions=Aggiungi autorizzazioni AddExportProfiles=Aggiungi profili di esportazione AddImportProfiles=Aggiungi profili di importazione AddOtherPagesOrServices=Aggiungi altre pagine o servizi -AddModels=Aggiungi documenti o modelli di numerazione -AddSubstitutions=Aggiungi sostituzioni chiavi +AddModels=aggiungi template per documenti o per numerazione +AddSubstitutions=Add keys substitutions DetectionNotPossible=Rilevamento impossibile -UrlToGetKeyToUseAPIs=URL per ottenere il token per utilizzare l'API (una volta ricevuto, il token viene salvato nella tabella utente del database e deve essere fornito su ogni chiamata API) -ListOfAvailableAPIs=Elenco delle API disponibili -activateModuleDependNotSatisfied=Il modulo "%s" dipende dal modulo "%s", che manca, quindi il modulo "%1$s" potrebbe non funzionare correttamente. Installa il modulo "%2$s" o disabilita il modulo "%1$s" se vuoi essere al sicuro da qualsiasi sorpresa -CommandIsNotInsideAllowedCommands=Il comando che stai tentando di eseguire non è nell'elenco dei comandi consentiti definiti nel parametro $ dolibarr_main_restrict_os_commands nel file conf.php . -LandingPage=Pagina di destinazione -SamePriceAlsoForSharedCompanies=Se si utilizza un modulo multicompany, con l'opzione "Prezzo singolo", il prezzo sarà lo stesso per tutte le aziende se i prodotti sono condivisi tra ambienti -ModuleEnabledAdminMustCheckRights=Il modulo è stato attivato. Le autorizzazioni per i moduli attivati sono state concesse solo agli utenti amministratori. Potrebbe essere necessario concedere autorizzazioni ad altri utenti o gruppi manualmente, se necessario. -UserHasNoPermissions=Questo utente non ha autorizzazioni definite -TypeCdr=Utilizzare "Nessuno" se la data del termine di pagamento è la data della fattura più un delta in giorni (il delta è il campo "%s")
Usa "Alla fine del mese", se, dopo il delta, la data deve essere aumentata per raggiungere la fine del mese (+ un facoltativo "%s" in giorni)
Utilizzare "Attuale / Successivo" per impostare la data del termine di pagamento come il primo N del mese successivo al delta (il delta è il campo "%s", N è memorizzato nel campo "%s") -BaseCurrency=Valuta di riferimento dell'azienda (vai alla configurazione dell'azienda per cambiarla) -WarningNoteModuleInvoiceForFrenchLaw=Questo modulo %s è conforme alle leggi francesi (Loi Finance 2016). -WarningNoteModulePOSForFrenchLaw=Questo modulo %s è conforme alle leggi francesi (Loi Finance 2016) poiché il modulo Log non reversibili viene attivato automaticamente. -WarningInstallationMayBecomeNotCompliantWithLaw=Stai tentando di installare il modulo %s che è un modulo esterno. L'attivazione di un modulo esterno significa che ti fidi dell'editore di quel modulo e che sei sicuro che questo modulo non influisce negativamente sul comportamento della tua applicazione ed è conforme alle leggi del tuo paese (%s). Se il modulo introduce una funzionalità illegale, si diventa responsabili dell'uso di software illegale. -MAIN_PDF_MARGIN_LEFT=Margine sinistro su PDF -MAIN_PDF_MARGIN_RIGHT=Margine destro su PDF -MAIN_PDF_MARGIN_TOP=Margine massimo su PDF +UrlToGetKeyToUseAPIs=Url to get token to use API (once token has been received it is saved in database user table and must be provided on each API call) +ListOfAvailableAPIs=Lista delle API disponibili +activateModuleDependNotSatisfied=Module "%s" depends on module "%s", that is missing, so module "%1$s" may not work correctly. Please install module "%2$s" or disable module "%1$s" if you want to be safe from any surprise +CommandIsNotInsideAllowedCommands=The command you are trying to run is not in the list of allowed commands defined in parameter $dolibarr_main_restrict_os_commands in the conf.php file. +LandingPage=Landing page +SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments +ModuleEnabledAdminMustCheckRights=Il modulo è stato attivato. Le autorizzazioni per i moduli attivati ​​sono state fornite solo agli utenti amministratori. Potrebbe essere necessario concedere le autorizzazioni ad altri utenti o gruppi manualmente, se necessario. +UserHasNoPermissions=This user has no permissions defined +TypeCdr=Use "None" if the date of payment term is date of invoice plus a delta in days (delta is field "%s")
Use "At end of month", if, after delta, the date must be increased to reach the end of month (+ an optional "%s" in days)
Use "Current/Next" to have payment term date being the first Nth of the month after delta (delta is field "%s", N is stored into field "%s") +BaseCurrency=Valuta di riferimento della compagnia (vai nella configurazione della compagnia per cambiarla) +WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). +WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. +WarningInstallationMayBecomeNotCompliantWithLaw=You are trying to install module %s that is an external module. Activating an external module means you trust the publisher of that module and that you are sure that this module does not adversely impact the behavior of your application, and is compliant with laws of your country (%s). If the module introduces an illegal feature, you become responsible for the use of illegal software. +MAIN_PDF_MARGIN_LEFT=Margine sinistro sul PDF +MAIN_PDF_MARGIN_RIGHT=Margine destro sul PDF +MAIN_PDF_MARGIN_TOP=Margine superiore sul PDF MAIN_PDF_MARGIN_BOTTOM=Margine inferiore su PDF -NothingToSetup=Non è richiesta alcuna configurazione specifica per questo modulo. -SetToYesIfGroupIsComputationOfOtherGroups=Impostalo su yes se questo gruppo è un calcolo di altri gruppi -EnterCalculationRuleIfPreviousFieldIsYes=Immettere la regola di calcolo se il campo precedente era impostato su Sì (ad esempio 'CODEGRP1 + CODEGRP2') +NothingToSetup=There is no specific setup required for this module. +SetToYesIfGroupIsComputationOfOtherGroups=Set this to yes if this group is a computation of other groups +EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes (For example 'CODEGRP1+CODEGRP2') SeveralLangugeVariatFound=Sono state trovate diverse varianti linguistiche RemoveSpecialChars=Rimuovi caratteri speciali -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter su clean value (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter su clean value (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Duplicazione non consentita -GDPRContact=Responsabile della protezione dei dati (DPO, contatto con i dati o contatto GDPR) -GDPRContactDesc=Se memorizzi dati su società / cittadini europei, puoi nominare il contatto che è responsabile del Regolamento generale sulla protezione dei dati qui -HelpOnTooltip=Aiuto testo da mostrare sulla descrizione comandi -HelpOnTooltipDesc=Inserisci qui il testo o una chiave di traduzione affinché il testo sia mostrato in una descrizione comandi quando questo campo appare in un modulo -YouCanDeleteFileOnServerWith=Puoi eliminare questo file sul server con la riga di comando:
%s -ChartLoaded=Piano del conto caricato -SocialNetworkSetup=Installazione dei moduli Social Networks -EnableFeatureFor=Abilita le funzionalità per %s -VATIsUsedIsOff=Nota: l'opzione per utilizzare l'IVA o IVA è stata impostata su Off nel menu %s - %s, pertanto IVA o IVA utilizzate saranno sempre 0 per le vendite. -SwapSenderAndRecipientOnPDF=Scambia la posizione dell'indirizzo del mittente e del destinatario sui documenti PDF -FeatureSupportedOnTextFieldsOnly=Attenzione, funzionalità supportata solo nei campi di testo. Inoltre, è necessario impostare un parametro URL action = create o action = edit OPPURE il nome della pagina deve terminare con 'new.php' per attivare questa funzione. -EmailCollector=Raccoglitore email -EmailCollectorDescription=Aggiungi un lavoro programmato e una pagina di configurazione per scansionare regolarmente caselle di posta elettronica (usando il protocollo IMAP) e registrare le email ricevute nella tua applicazione, nel posto giusto e / o creare automaticamente alcuni record (come i lead). -NewEmailCollector=Nuovo raccoglitore email -EMailHost=Host di e-mail server IMAP -MailboxSourceDirectory=Directory di origine della cassetta postale -MailboxTargetDirectory=Directory di destinazione della cassetta postale -EmailcollectorOperations=Operazioni da eseguire da parte del collezionista -MaxEmailCollectPerCollect=Numero massimo di e-mail raccolte per raccolta -CollectNow=Colleziona ora -ConfirmCloneEmailCollector=Sei sicuro di voler clonare il raccoglitore Email %s? -DateLastCollectResult=Data dell'ultimo tentativo di raccolta -DateLastcollectResultOk=Data ultima raccolta riuscita -LastResult=Ultimo risultato -EmailCollectorConfirmCollectTitle=Email raccogliere conferma -EmailCollectorConfirmCollect=Vuoi eseguire la raccolta per questo collezionista ora? -NoNewEmailToProcess=Nessuna nuova e-mail (filtri corrispondenti) da elaborare -NothingProcessed=Niente di fatto -XEmailsDoneYActionsDone=e-mail %s qualificate, e-mail %s elaborate correttamente (per record / azioni %s) -RecordEvent=Registra evento e-mail -CreateLeadAndThirdParty=Crea lead (e terze parti se necessario) -CreateTicketAndThirdParty=Crea ticket (e terze parti se necessario) -CodeLastResult=Codice risultato più recente -NbOfEmailsInInbox=Numero di e-mail nella directory di origine -LoadThirdPartyFromName=Carica ricerca di terze parti su %s (solo caricamento) -LoadThirdPartyFromNameOrCreate=Carica ricerche di terze parti su %s (crea se non trovato) -WithDolTrackingID=Trovato riferimento Dolibarr nell' ID del messaggio -WithoutDolTrackingID=Riferimento Dolibarr non trovato nell' ID del messaggio -FormatZip=Cerniera lampo -MainMenuCode=Codice voce menu (menu principale) -ECMAutoTree=Mostra albero ECM automatico -OperationParamDesc=Definire i valori da utilizzare per l'azione o come estrarre i valori. Per esempio:
objproperty1 = SET: abc
objproperty1 = SET: un valore con sostituzione di __objproperty1__
objproperty3 = SETIFEMPTY: abc
objproperty4 = ESTRATTO: INTESTAZIONE:. X-Myheaderkey * [^ \\ s] + (*).
options_myextrafield = ESTRATTO: OGGETTO: ([^ \\ s] *)
object.objproperty5 = EXTRACT: BODY: il nome della mia azienda è \\ s ([^ \\ s] *)

Usare un ; char come separatore per estrarre o impostare diverse proprietà. -OpeningHours=Orari di apertura -OpeningHoursDesc=Inserisci qui gli orari di apertura regolari della tua azienda. -ResourceSetup=Configurazione del modulo risorse -UseSearchToSelectResource=Utilizzare un modulo di ricerca per scegliere una risorsa (anziché un elenco a discesa). -DisabledResourceLinkUser=Disabilita la funzione per collegare una risorsa agli utenti -DisabledResourceLinkContact=Disabilita la funzione per collegare una risorsa ai contatti +GDPRContact=Data Protection Officer (DPO, Data Privacy or GDPR contact) +GDPRContactDesc=If you store data about European companies/citizens, you can name the contact who is responsible for the General Data Protection Regulation here +HelpOnTooltip=Help text to show on tooltip +HelpOnTooltipDesc=Put text or a translation key here for the text to show in a tooltip when this field appears in a form +YouCanDeleteFileOnServerWith=You can delete this file on the server with Command Line:
%s +ChartLoaded=Chart of account loaded +SocialNetworkSetup=Setup of module Social Networks +EnableFeatureFor=Enable features for %s +VATIsUsedIsOff=Note: The option to use Sales Tax or VAT has been set to Off in the menu %s - %s, so Sales tax or Vat used will always be 0 for sales. +SwapSenderAndRecipientOnPDF=Swap sender and recipient address position on PDF documents +FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields only. Also an URL parameter action=create or action=edit must be set OR page name must end with 'new.php' to trigger this feature. +EmailCollector=Email collector +EmailCollectorDescription=Add a scheduled job and a setup page to scan regularly email boxes (using IMAP protocol) and record emails received into your application, at the right place and/or create some records automatically (like leads). +NewEmailCollector=New Email Collector +EMailHost=Host of email IMAP server +MailboxSourceDirectory=Mailbox source directory +MailboxTargetDirectory=Mailbox target directory +EmailcollectorOperations=Operations to do by collector +MaxEmailCollectPerCollect=Max number of emails collected per collect +CollectNow=Collect now +ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ? +DateLastCollectResult=Date latest collect tried +DateLastcollectResultOk=Date latest collect successfull +LastResult=Latest result +EmailCollectorConfirmCollectTitle=Email collect confirmation +EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ? +NoNewEmailToProcess=No new email (matching filters) to process +NothingProcessed=Nothing done +XEmailsDoneYActionsDone=%s emails qualified, %s emails successfully processed (for %s record/actions done) +RecordEvent=Record email event +CreateLeadAndThirdParty=Crea Opportunità (e Soggetto terzo se necessario) +CreateTicketAndThirdParty=Crea Ticket (e Soggetto terzo se necessario) +CodeLastResult=Ultimo codice risultato +NbOfEmailsInInbox=Number of emails in source directory +LoadThirdPartyFromName=Load third party searching on %s (load only) +LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) +WithDolTrackingID=Dolibarr Tracking ID found +WithoutDolTrackingID=Dolibarr Tracking ID not found +FormatZip=CAP +MainMenuCode=Menu entry code (mainmenu) +ECMAutoTree=Show automatic ECM tree +OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +OpeningHours=Opening hours +OpeningHoursDesc=Enter here the regular opening hours of your company. +ResourceSetup=Configuration of Resource module +UseSearchToSelectResource=Utilizza il form di ricerca per scegliere una risorsa (invece della lista a tendina) +DisabledResourceLinkUser=Disattiva funzionalità per collegare una risorsa agli utenti +DisabledResourceLinkContact=Disattiva funzionalità per collegare una risorsa ai contatti EnableResourceUsedInEventCheck=Abilitare la funzione per verificare se una risorsa è in uso in un evento -ConfirmUnactivation=Conferma il ripristino del modulo -OnMobileOnly=Solo su piccolo schermo (smartphone) -DisableProspectCustomerType=Disabilita il tipo di terze parti "Prospect + Customer" (quindi le terze parti devono essere Prospect o Customer ma non possono essere entrambe le cose) -MAIN_OPTIMIZEFORTEXTBROWSER=Semplifica l'interfaccia per i non vedenti -MAIN_OPTIMIZEFORTEXTBROWSERDesc=Abilitare questa opzione se si è persone non vedenti o se si utilizza l'applicazione da un browser di testo come Lynx o Links. -MAIN_OPTIMIZEFORCOLORBLIND=Cambia il colore dell'interfaccia per i non vedenti -MAIN_OPTIMIZEFORCOLORBLINDDesc=Abilita questa opzione se sei daltonico, in alcuni casi l'interfaccia cambierà la configurazione del colore per aumentare il contrasto. -Protanopia=protanopia +ConfirmUnactivation=Conferma reset del modulo +OnMobileOnly=On small screen (smartphone) only +DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be Prospect or Customer but can't be both) +MAIN_OPTIMIZEFORTEXTBROWSER=Simplify interface for blind person +MAIN_OPTIMIZEFORTEXTBROWSERDesc=Enable this option if you are a blind person, or if you use the application from a text browser like Lynx or Links. +MAIN_OPTIMIZEFORCOLORBLIND=Change interface's color for color blind person +MAIN_OPTIMIZEFORCOLORBLINDDesc=Enable this option if you are a color blind person, in some case interface will change color setup to increase contrast. +Protanopia=Protanopia Deuteranopes=Deuteranopes Tritanopes=Tritanopes -ThisValueCanOverwrittenOnUserLevel=Questo valore può essere sovrascritto da ciascun utente dalla sua pagina utente - scheda '%s' -DefaultCustomerType=Tipo di terza parte predefinito per il modulo di creazione "Nuovo cliente" -ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: il conto bancario deve essere definito sul modulo di ciascuna modalità di pagamento (Paypal, Stripe, ...) per far funzionare questa funzione. -RootCategoryForProductsToSell=Categoria principale di prodotti da vendere -RootCategoryForProductsToSellDesc=Se definito, solo i prodotti all'interno di questa categoria o i bambini di questa categoria saranno disponibili nel Punto vendita -DebugBar=Barra di debug -DebugBarDesc=Barra degli strumenti fornita con molti strumenti per semplificare il debug -DebugBarSetup=Impostazione DebugBar -GeneralOptions=Opzioni generali -LogsLinesNumber=Numero di righe da mostrare nella scheda dei registri -UseDebugBar=Usa la barra di debug -DEBUGBAR_LOGS_LINES_NUMBER=Numero delle ultime righe di registro da conservare nella console -WarningValueHigherSlowsDramaticalyOutput=Attenzione, valori più alti rallentano notevolmente l'output -ModuleActivated=Il modulo %s è attivato e rallenta l'interfaccia -EXPORTS_SHARE_MODELS=I modelli di esportazione sono condivisi con tutti -ExportSetup=Installazione del modulo Export -InstanceUniqueID=ID univoco dell'istanza -SmallerThan=Più piccolo di -LargerThan=Più largo di -IfTrackingIDFoundEventWillBeLinked=Nota che se viene trovato un ID di tracciamento nell'email in arrivo, l'evento verrà automaticamente collegato agli oggetti correlati. -WithGMailYouCanCreateADedicatedPassword=Con un account GMail, se hai abilitato la convalida in 2 passaggi, si consiglia di creare una seconda password dedicata per l'applicazione anziché utilizzare la password dell'account personale da https://myaccount.google.com/. -EndPointFor=Punto finale per %s: %s -DeleteEmailCollector=Elimina raccoglitore email -ConfirmDeleteEmailCollector=Sei sicuro di voler eliminare questo raccoglitore email? -RecipientEmailsWillBeReplacedWithThisValue=Le e-mail dei destinatari verranno sempre sostituite con questo valore -AtLeastOneDefaultBankAccountMandatory=È necessario definire almeno 1 conto bancario predefinito -RESTRICT_API_ON_IP=Consenti API disponibili solo su alcuni IP host (carattere jolly non consentito, utilizza lo spazio tra i valori). Vuoto significa che tutti gli host possono utilizzare le API disponibili. -RESTRICT_ON_IP=Consentire l'accesso solo ad alcuni IP host (carattere jolly non consentito, utilizzare lo spazio tra i valori). Vuoto significa che tutti gli host possono accedere. -BaseOnSabeDavVersion=Basato sulla libreria SabreDAV versione -NotAPublicIp=Non un IP pubblico -MakeAnonymousPing=Effettua un ping anonimo "+1" al server della base Dolibarr (eseguito 1 volta solo dopo l'installazione) per consentire alla fondazione di contare il numero di installazioni Dolibarr. +ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' +DefaultCustomerType=Default thirdparty type for "New customer" creation form +ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. +RootCategoryForProductsToSell=Root category of products to sell +RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale +DebugBar=Debug Bar +DebugBarDesc=Toolbar that comes with a plenty of tools to simplify debugging +DebugBarSetup=DebugBar Setup +GeneralOptions=General Options +LogsLinesNumber=Number of lines to show on logs tab +UseDebugBar=Use the debug bar +DEBUGBAR_LOGS_LINES_NUMBER=Number of last log lines to keep in console +WarningValueHigherSlowsDramaticalyOutput=Warning, higher values slows dramaticaly output +ModuleActivated=Module %s is activated and slows the interface +EXPORTS_SHARE_MODELS=Export models are share with everybody +ExportSetup=Setup of module Export +InstanceUniqueID=Unique ID of the instance +SmallerThan=Smaller than +LargerThan=Larger than +IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. +WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. +EndPointFor=End point for %s : %s +DeleteEmailCollector=Delete email collector +ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? +RecipientEmailsWillBeReplacedWithThisValue=Recipient emails will be always replaced with this value +AtLeastOneDefaultBankAccountMandatory=At least 1 default bank account must be defined +RESTRICT_API_ON_IP=Allow available APIs to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can use the available APIs. +RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access. +BaseOnSabeDavVersion=Based on the library SabreDAV version +NotAPublicIp=Not a public IP +MakeAnonymousPing=Make an anonymous Ping '+1' to the Dolibarr foundation server (done 1 time only after installation) to allow the foundation to count the number of Dolibarr installation. FeatureNotAvailableWithReceptionModule=Funzione non disponibile quando la ricezione del modulo è abilitata EmailTemplate=Modello per le e-mail diff --git a/htdocs/langs/it_IT/agenda.lang b/htdocs/langs/it_IT/agenda.lang index fa1e4c29686..7b0c46c9b5b 100644 --- a/htdocs/langs/it_IT/agenda.lang +++ b/htdocs/langs/it_IT/agenda.lang @@ -1,109 +1,109 @@ # Dolibarr language file - Source file is en_US - agenda -IdAgenda=Evento ID +IdAgenda=ID evento Actions=Eventi Agenda=Agenda TMenuAgenda=Agenda Agendas=Agende LocalAgenda=Calendario interno -ActionsOwnedBy=Evento di +ActionsOwnedBy=Evento amministrato da ActionsOwnedByShort=Proprietario -AffectedTo=Assegnato a +AffectedTo=Azione assegnata a Event=Evento -Events=eventi +Events=Eventi EventsNb=Numero di eventi -ListOfActions=Elenco degli eventi -EventReports=Rapporti evento -Location=Posizione +ListOfActions=Lista degli eventi +EventReports=Report eventi +Location=Luogo ToUserOfGroup=A qualsiasi utente nel gruppo -EventOnFullDay=Evento tutto il giorno (i) -MenuToDoActions=Tutti gli eventi incompleti -MenuDoneActions=Tutti gli eventi terminati +EventOnFullDay=Dura tutto il giorno +MenuToDoActions=Tutte le azioni incomplete +MenuDoneActions=Tutte le azioni passate MenuToDoMyActions=I mie eventi non completati MenuDoneMyActions=I miei eventi passati -ListOfEvents=Elenco degli eventi (calendario interno) -ActionsAskedBy=Eventi segnalati da +ListOfEvents=Lista di eventi (calendario interno) +ActionsAskedBy=Azioni richieste da ActionsToDoBy=Eventi assegnati a -ActionsDoneBy=Eventi svolti da +ActionsDoneBy=Azioni fatte da ActionAssignedTo=Evento assegnato a ViewCal=Vista mensile -ViewDay=Vista diurna +ViewDay=Vista giornaliera ViewWeek=Vista settimanale -ViewPerUser=Per vista utente -ViewPerType=Per tipo vista +ViewPerUser=Visualizzazione per utente +ViewPerType=Visualizza per tipo AutoActions= Riempimento automatico -AgendaAutoActionDesc= Qui puoi definire gli eventi che desideri che Dolibarr crei automaticamente in Agenda. Se non viene controllato nulla, solo le azioni manuali verranno incluse nei registri e visualizzate in Agenda. Il tracciamento automatico delle azioni aziendali eseguite sugli oggetti (convalida, modifica dello stato) non verrà salvato. -AgendaSetupOtherDesc= Questa pagina consente di esportare i tuoi eventi Dolibarr in un calendario esterno (Thunderbird, NextCloud, Google Calendar ecc ...) +AgendaAutoActionDesc= Here you may define events which you want Dolibarr to create automatically in Agenda. If nothing is checked, only manual actions will be included in logs and displayed in Agenda. Automatic tracking of business actions done on objects (validation, status change) will not be saved. +AgendaSetupOtherDesc= This page provides options to allow the export of your Dolibarr events into an external calendar (Thunderbird, Google Calendar etc...) AgendaExtSitesDesc=Questa pagina consente di configurare i calendari esterni da includere nell'agenda di dolibarr. -ActionsEvents=Eventi per i quali Dolibarr creerà automaticamente una azione in agenda -EventRemindersByEmailNotEnabled=I promemoria degli eventi via e-mail non sono stati abilitati nella configurazione del modulo %s. +ActionsEvents=Eventi per i quali creare un'azione +EventRemindersByEmailNotEnabled=I promemoria degli eventi via e-mail non sono stati abilitati nell'impostazione del modulo %s. ##### Agenda event labels ##### -NewCompanyToDolibarr=Creazione di terze parti %s -COMPANY_DELETEInDolibarr=Eliminato %s di terze parti +NewCompanyToDolibarr=Soggetto terzo %s creato +COMPANY_DELETEInDolibarr=Third party %s deleted ContractValidatedInDolibarr=Contratto %s convalidato -CONTRACT_DELETEInDolibarr=Contratto %s eliminato +CONTRACT_DELETEInDolibarr=Contratto %s cancellato PropalClosedSignedInDolibarr=Proposta %s firmata PropalClosedRefusedInDolibarr=Proposta %s rifiutata -PropalValidatedInDolibarr=Proposta %s convalidata +PropalValidatedInDolibarr=Proposta convalidata PropalClassifiedBilledInDolibarr=Proposta %s classificata fatturata -InvoiceValidatedInDolibarr=Fattura %s convalidata +InvoiceValidatedInDolibarr=Fattura convalidata InvoiceValidatedInDolibarrFromPos=Ricevute %s validate dal POS -InvoiceBackToDraftInDolibarr=Fattura %s torna allo stato bozza -InvoiceDeleteDolibarr=Fattura %s eliminata -InvoicePaidInDolibarr=La fattura %s è stata modificata in pagamento +InvoiceBackToDraftInDolibarr=Fattura %s riportata allo stato di bozza +InvoiceDeleteDolibarr=La fattura %s è stata cancellata +InvoicePaidInDolibarr=Fattura %s impostata come pagata InvoiceCanceledInDolibarr=Fattura %s annullata MemberValidatedInDolibarr=Membro %s convalidato MemberModifiedInDolibarr=Membro %s modificato MemberResiliatedInDolibarr=Membro %s terminato MemberDeletedInDolibarr=Membro %s eliminato -MemberSubscriptionAddedInDolibarr=Aggiunta la sottoscrizione %s per il membro %s -MemberSubscriptionModifiedInDolibarr=Abbonamento %s per membro %s modificato -MemberSubscriptionDeletedInDolibarr=Sottoscrizione %s per membro %s eliminata +MemberSubscriptionAddedInDolibarr=Adesione %s per membro %s aggiunta +MemberSubscriptionModifiedInDolibarr=Adesione %s per membro %s modificata +MemberSubscriptionDeletedInDolibarr=Adesione %s per membro %s eliminata ShipmentValidatedInDolibarr=Spedizione %s convalidata -ShipmentClassifyClosedInDolibarr=Spedizione %s classificata fatturata -ShipmentUnClassifyCloseddInDolibarr=Spedizione %s classificata riaperta -ShipmentBackToDraftInDolibarr=La spedizione %s torna allo stato bozza -ShipmentDeletedInDolibarr=Spedizione %s cancellata +ShipmentClassifyClosedInDolibarr=Spedizione %s classificata come fatturata +ShipmentUnClassifyCloseddInDolibarr=Spedizione %s classificata come riaperta +ShipmentBackToDraftInDolibarr=Shipment %s go back to draft status +ShipmentDeletedInDolibarr=Spedizione %s eliminata OrderCreatedInDolibarr=Ordine %s creato -OrderValidatedInDolibarr=Ordine %s convalidato +OrderValidatedInDolibarr=Ordine convalidato OrderDeliveredInDolibarr=Ordine %s classificato consegnato OrderCanceledInDolibarr=ordine %s annullato -OrderBilledInDolibarr=Ordinare %s classificato fatturato +OrderBilledInDolibarr=Ordine %s classificato fatturato OrderApprovedInDolibarr=Ordine %s approvato OrderRefusedInDolibarr=Ordine %s rifiutato -OrderBackToDraftInDolibarr=Ordina %s per tornare allo stato bozza +OrderBackToDraftInDolibarr=Ordine %s riportato allo stato di bozza ProposalSentByEMail=Proposta commerciale %s inviata via email -ContractSentByEMail=Contratto %s inviato tramite e-mail -OrderSentByEMail=Ordini cliente %s inviati via mail -InvoiceSentByEMail=Fattura cliente %s inviata tramite e-mail -SupplierOrderSentByEMail=Ordini d'acquisto %s inviati via mail +ContractSentByEMail=Contratto %s inviato via email +OrderSentByEMail=Sales order %s sent by email +InvoiceSentByEMail=Fattura cliente %s inviata via email +SupplierOrderSentByEMail=Purchase order %s sent by email ORDER_SUPPLIER_DELETEInDolibarr=Ordine d'acquisto %s eliminato -SupplierInvoiceSentByEMail=Fattura fornitore %s inviata tramite e-mail -ShippingSentByEMail=Spedizione %s inviata via email +SupplierInvoiceSentByEMail=Vendor invoice %s sent by email +ShippingSentByEMail=Shipment %s sent by email ShippingValidated= Spedizione %s convalidata -InterventionSentByEMail=Intervento %s inviato tramite e-mail +InterventionSentByEMail=Intervention %s sent by email ProposalDeleted=Proposta cancellata OrderDeleted=Ordine cancellato -InvoiceDeleted=Fattura eliminata +InvoiceDeleted=Fattura cancellata PRODUCT_CREATEInDolibarr=Prodotto %s creato -PRODUCT_MODIFYInDolibarr=Prodotto %s modificato -PRODUCT_DELETEInDolibarr=Prodotto %s eliminato +PRODUCT_MODIFYInDolibarr=Prodotto %s modificato +PRODUCT_DELETEInDolibarr=Prodotto %s cancellato HOLIDAY_CREATEInDolibarr=Richiesta di congedo %s creata HOLIDAY_MODIFYInDolibarr=Richiesta di congedo %s modificata HOLIDAY_APPROVEInDolibarr=Richiesta di ferie %s approvata HOLIDAY_VALIDATEDInDolibarr=Richiesta di congedo %s validata HOLIDAY_DELETEInDolibarr=Richiesta di congedo %s eliminata -EXPENSE_REPORT_CREATEInDolibarr=Rapporto spese %s creato -EXPENSE_REPORT_VALIDATEInDolibarr=Rapporto spese %s convalidato -EXPENSE_REPORT_APPROVEInDolibarr=Rapporto spese %s approvato -EXPENSE_REPORT_DELETEInDolibarr=Rapporto spese %s eliminato -EXPENSE_REPORT_REFUSEDInDolibarr=Rapporto spese %s rifiutato +EXPENSE_REPORT_CREATEInDolibarr=Nota spese %s creata +EXPENSE_REPORT_VALIDATEInDolibarr=Nota spese %s validata +EXPENSE_REPORT_APPROVEInDolibarr=Nota spede %s approvata +EXPENSE_REPORT_DELETEInDolibarr=Nota spese %s cancellata +EXPENSE_REPORT_REFUSEDInDolibarr=Nota spese %s rifiutata PROJECT_CREATEInDolibarr=Progetto %s creato PROJECT_MODIFYInDolibarr=Progetto %s modificato -PROJECT_DELETEInDolibarr=Progetto %s eliminato +PROJECT_DELETEInDolibarr=Progetto %s cancellato TICKET_CREATEInDolibarr=Ticket %s creato TICKET_MODIFYInDolibarr=Ticket %s modificato -TICKET_ASSIGNEDInDolibarr=Ticket %s assegnato -TICKET_CLOSEInDolibarr=Biglietto %s chiuso +TICKET_ASSIGNEDInDolibarr=Ticket %s assigned +TICKET_CLOSEInDolibarr=Ticket %s chiuso TICKET_DELETEInDolibarr=Ticket %s eliminato BOM_VALIDATEInDolibarr=DBA convalidata BOM_UNVALIDATEInDolibarr=DBA non convalidata @@ -114,39 +114,39 @@ MRP_MO_VALIDATEInDolibarr=MO convalidato MRP_MO_PRODUCEDInDolibarr=MO prodotto MRP_MO_DELETEInDolibarr=MO eliminato ##### End agenda events ##### -AgendaModelModule=Modelli di documenti per eventi -DateActionStart=Data d'inizio +AgendaModelModule=Modelli di documento per eventi +DateActionStart=Data di inizio DateActionEnd=Data di fine AgendaUrlOptions1=È inoltre possibile aggiungere i seguenti parametri ai filtri di output: -AgendaUrlOptions3=logina = %s per limitare l'output alle azioni possedute da un utente %s . -AgendaUrlOptionsNotAdmin=logina =! %s per limitare l'output alle azioni non di proprietà dell'utente %s . -AgendaUrlOptions4=logint = %s per limitare l'output alle azioni assegnate all'utente %s (proprietario e altri). -AgendaUrlOptionsProject=project = __ PROJECT_ID__ per limitare l'output alle azioni collegate al progetto __PROJECT_ID__ . -AgendaUrlOptionsNotAutoEvent=notactiontype = systemauto per escludere eventi automatici. -AgendaShowBirthdayEvents=Mostra i compleanni dei contatti -AgendaHideBirthdayEvents=Nascondere i compleanni dei contatti +AgendaUrlOptions3=logina = %s per limitare l'output alle azioni amministrate dall'utente%s +AgendaUrlOptionsNotAdmin=logina=!%s per limitare l'output alle azioni non di proprietà dell'utente %s. +AgendaUrlOptions4=logint=%s per limitare l'output alle azioni assegnate all'utente %s (proprietario e altri). +AgendaUrlOptionsProject=project= __PROJECT_ID__ per limitare l'output alle azioni collegate al progetto __PROJECT_ID__ . +AgendaUrlOptionsNotAutoEvent=notactiontype=systemauto per escludere gli eventi automatici. +AgendaShowBirthdayEvents=Visualizza i compleanni dei contatti +AgendaHideBirthdayEvents=Nascondi i compleanni dei contatti Busy=Occupato -ExportDataset_event1=Elenco degli eventi dell'agenda -DefaultWorkingDays=Intervallo di giorni lavorativi predefinito in settimana (Esempio: 1-5, 1-6) -DefaultWorkingHours=Orario di lavoro predefinito nel giorno (esempio: 9-18) +ExportDataset_event1=Lista degli eventi in agenda +DefaultWorkingDays=Intervallo di giorni lavorativi standard in una settiamana (Esempio: 1-5, 1-6) +DefaultWorkingHours=Ore lavorative di base in una giornata (Esempio: 9-18) # External Sites ical ExportCal=Esporta calendario -ExtSites=Importa calendari esterni -ExtSitesEnableThisTool=Mostra calendari esterni (definiti nell'impostazione globale) in Agenda. Non influisce sui calendari esterni definiti dagli utenti. +ExtSites=Calendari esterni +ExtSitesEnableThisTool=Mostra calendari esterni (definiti nelle impostazioni generali) nell'agenda. Questo non influisce sui calendari esterni definiti dall'utente. ExtSitesNbOfAgenda=Numero di calendari AgendaExtNb=Calendario n. %s ExtSiteUrlAgenda=URL per accedere al file ICal ExtSiteNoLabel=Nessuna descrizione -VisibleTimeRange=Intervallo di tempo visibile -VisibleDaysRange=Intervallo di giorni visibile -AddEvent=Crea Evento -MyAvailability=La mia disponibilità +VisibleTimeRange=Filtro orari visibili +VisibleDaysRange=Filtro giorni visibili +AddEvent=Crea evento +MyAvailability=Mie disponibilità ActionType=Tipo di evento -DateActionBegin=Inizia la data dell'evento -ConfirmCloneEvent=Sei sicuro di voler clonare l'evento %s ? -RepeatEvent=Ripeti l'evento +DateActionBegin=Data di inizio evento +ConfirmCloneEvent=Sei sicuro che vuoi clonare l'evento %s? +RepeatEvent=Ripeti evento EveryWeek=Ogni settimana EveryMonth=Ogni mese DayOfMonth=Giorno del mese DayOfWeek=Giorno della settimana -DateStartPlusOne=Data inizio + 1 ora +DateStartPlusOne=Data inizio +1 ora diff --git a/htdocs/langs/it_IT/banks.lang b/htdocs/langs/it_IT/banks.lang index 415708b304b..f68704cbcb9 100644 --- a/htdocs/langs/it_IT/banks.lang +++ b/htdocs/langs/it_IT/banks.lang @@ -1,174 +1,174 @@ # Dolibarr language file - Source file is en_US - banks Bank=Banca -MenuBankCash=Banche | Contanti +MenuBankCash=Banche | Denaro MenuVariousPayment=Pagamenti vari -MenuNewVariousPayment=Nuovo pagamento varie +MenuNewVariousPayment=Nuovo pagamento vario BankName=Nome della Banca FinancialAccount=Conto BankAccount=Conto bancario BankAccounts=Conti bancari -BankAccountsAndGateways=Conti bancari | Gateway -ShowAccount=Mostra account -AccountRef=Rif. Conto finanziario -AccountLabel=Etichetta del conto finanziario +BankAccountsAndGateways=Conti bancari | Gateways +ShowAccount=Mostra conto +AccountRef=Rif. conto +AccountLabel=Etichetta conto CashAccount=Conto di cassa CashAccounts=Conti di cassa CurrentAccounts=Conti correnti SavingAccounts=Conti di risparmio -ErrorBankLabelAlreadyExists=L'etichetta del conto finanziario esiste già -BankBalance=Equilibrio +ErrorBankLabelAlreadyExists=Etichetta banca già esistente +BankBalance=Saldo BankBalanceBefore=Saldo prima BankBalanceAfter=Saldo dopo BalanceMinimalAllowed=Saldo minimo consentito -BalanceMinimalDesired=Saldo minimo desiderato -InitialBankBalance=Equilibrio iniziale +BalanceMinimalDesired=Saldo minimo voluto +InitialBankBalance=Saldo iniziale EndBankBalance=Saldo finale -CurrentBalance=Bilancio corrente -FutureBalance=Equilibrio futuro -ShowAllTimeBalance=Mostra saldo dall'inizio -AllTime=Dall'inizio +CurrentBalance=Saldo attuale +FutureBalance=Saldo futuro +ShowAllTimeBalance=Visualizza situazione del conto dall'inizio +AllTime=Dall'inizio Reconciliation=Riconciliazione -RIB=Numero di conto bancario -IBAN=Numero IBAN -BIC=Codice BIC / SWIFT -SwiftValid=BIC / SWIFT valido -SwiftVNotalid=BIC / SWIFT non valido -IbanValid=BAN valido -IbanNotValid=BAN non valido +RIB=Coordinate bancarie +IBAN=Codice IBAN +BIC=Codice BIC/SWIFT +SwiftValid=Il codice BIC/SWIFT è valido +SwiftVNotalid=BIC/SWIFT non valido +IbanValid=Il codice IBAN è valido +IbanNotValid=Il codice IBAN non è valido StandingOrders=Ordini di addebito diretto StandingOrder=Ordine di addebito diretto AccountStatement=Estratto conto -AccountStatementShort=dichiarazione +AccountStatementShort=Est. conto AccountStatements=Estratti conto LastAccountStatements=Ultimi estratti conto -IOMonthlyReporting=Rapporti mensili -BankAccountDomiciliation=indirizzo bancario -BankAccountCountry=Paese dell'account -BankAccountOwner=Nome del proprietario dell'account -BankAccountOwnerAddress=Indirizzo del proprietario dell'account -RIBControlError=Controllo di integrità dei valori non riuscito. Ciò significa che le informazioni per questo numero di conto non sono complete o non sono corrette (controllare paese, numeri e IBAN). -CreateAccount=Creare un profilo -NewBankAccount=Nuovo account +IOMonthlyReporting=Report mensile +BankAccountDomiciliation=Bank address +BankAccountCountry=Paese del conto +BankAccountOwner=Nome titolare +BankAccountOwnerAddress=Indirizzo titolare +RIBControlError=Integrity check of values failed. This means the information for this account number is not complete or is incorrect (check country, numbers and IBAN). +CreateAccount=Crea conto +NewBankAccount=Nuovo conto NewFinancialAccount=Nuovo conto finanziario MenuNewFinancialAccount=Nuovo conto finanziario -EditFinancialAccount=Modifica account -LabelBankCashAccount=Etichetta bancaria o in contanti -AccountType=Tipo di account +EditFinancialAccount=Modifica conto +LabelBankCashAccount=Etichetta banca o cassa +AccountType=Tipo di conto BankType0=Conto di risparmio BankType1=Conto corrente o carta di credito -BankType2=Conto in contanti -AccountsArea=Area dei conti -AccountCard=Carta conto -DeleteAccount=Eliminare l'account -ConfirmDeleteAccount=Sei sicuro di voler eliminare questo account? -Account=account -BankTransactionByCategories=Voci bancarie per categorie -BankTransactionForCategory=Voci bancarie per la categoria %s -RemoveFromRubrique=Rimuovi il collegamento con la categoria -RemoveFromRubriqueConfirm=Sei sicuro di voler rimuovere il collegamento tra la voce e la categoria? -ListBankTransactions=Elenco di voci bancarie +BankType2=Conto di cassa +AccountsArea=Area conti +AccountCard=Scheda conto +DeleteAccount=Elimina conto +ConfirmDeleteAccount=Vuoi davvero eliminare questo conto? +Account=Conto +BankTransactionByCategories=Transazioni bancarie per categoria +BankTransactionForCategory=Transazioni bancarie per la categoria %s +RemoveFromRubrique=Rimuovi collegamento con la categoria +RemoveFromRubriqueConfirm=Sei sicuro di voler rimuovere il legame tra l'operazione e la categoria? +ListBankTransactions=Elenco delle transazioni bancarie IdTransaction=ID transazione -BankTransactions=Voci bancarie -BankTransaction=Entrata bancaria -ListTransactions=Elenca voci -ListTransactionsByCategory=Elenco voci / categoria -TransactionsToConciliate=Voci da riconciliare -TransactionsToConciliateShort=Riconciliare -Conciliable=Può essere riconciliato -Conciliate=Riconciliare -Conciliation=Riconciliazione -SaveStatementOnly=Salva solo dichiarazione +BankTransactions=Transazioni bancarie +BankTransaction=Transazione bancaria +ListTransactions=Elenco transazioni +ListTransactionsByCategory=Elenco transazioni per categoria +TransactionsToConciliate=Transazioni da conciliare +TransactionsToConciliateShort=To reconcile +Conciliable=Conciliabile +Conciliate=Concilia transazione +Conciliation=Conciliazione +SaveStatementOnly=Save statement only ReconciliationLate=Riconciliazione in ritardo -IncludeClosedAccount=Includi account chiusi -OnlyOpenedAccount=Apri solo account -AccountToCredit=Conto da accreditare -AccountToDebit=Conto da addebitare -DisableConciliation=Disabilita la funzione di riconciliazione per questo account -ConciliationDisabled=Funzione di riconciliazione disabilitata -LinkedToAConciliatedTransaction=Collegato a una voce conciliata +IncludeClosedAccount=Includi i conti chiusi +OnlyOpenedAccount=Solo conti aperti +AccountToCredit=Conto di accredito +AccountToDebit=Conto di addebito +DisableConciliation=Disattiva funzione di conciliazione per questo conto +ConciliationDisabled=Funzione di conciliazione disabilitata +LinkedToAConciliatedTransaction=Link a una entrata conciliata StatusAccountOpened=Aperto StatusAccountClosed=Chiuso -AccountIdShort=Numero +AccountIdShort=Numero di conto LineRecord=Transazione -AddBankRecord=Aggiungi voce -AddBankRecordLong=Aggiungi la voce manualmente -Conciliated=riconciliati -ConciliatedBy=Riconciliato da -DateConciliating=Data di riconciliazione -BankLineConciliated=Entrata riconciliata -Reconciled=riconciliati -NotReconciled=Non riconciliato -CustomerInvoicePayment=Pagamento del cliente -SupplierInvoicePayment=Pagamento del venditore -SubscriptionPayment=Pagamento dell'abbonamento -WithdrawalPayment=Addebito ordine di pagamento -SocialContributionPayment=Pagamento delle imposte sociali / fiscali +AddBankRecord=Aggiungi operazione +AddBankRecordLong=Aggiungi operazione manualmente +Conciliated=Conciliata +ConciliatedBy=Transazione conciliata da +DateConciliating=Data di conciliazione +BankLineConciliated=Transazione conciliata +Reconciled=Conciliata +NotReconciled=Non conciliata +CustomerInvoicePayment=Pagamento fattura attiva +SupplierInvoicePayment=Pagamento fornitore +SubscriptionPayment=Pagamento adesione +WithdrawalPayment=Domicil. banc. +SocialContributionPayment=Pagamento delle imposte sociali/fiscali BankTransfer=Bonifico bancario -BankTransfers=Bonifici bancari +BankTransfers=Bonifici e giroconti MenuBankInternalTransfer=Trasferimento interno -TransferDesc=Trasferimento da un account a un altro, Dolibarr scriverà due record (un debito nell'account di origine e un credito nell'account di destinazione). Lo stesso importo (tranne segno), etichetta e data verranno utilizzati per questa transazione) -TransferFrom=A partire dal -TransferTo=Per -TransferFromToDone=È stato registrato un trasferimento da %s a %s di %s %s. -CheckTransmitter=Trasmettitore -ValidateCheckReceipt=Convalida questa ricevuta di controllo? -ConfirmValidateCheckReceipt=Sei sicuro di voler convalidare questa ricevuta di controllo, nessuna modifica sarà possibile una volta fatto? -DeleteCheckReceipt=Eliminare questa ricevuta di controllo? -ConfirmDeleteCheckReceipt=Sei sicuro di voler eliminare questa ricevuta dell'assegno? +TransferDesc=Transfer from one account to another, Dolibarr will write two records (a debit in source account and a credit in target account). The same amount (except sign), label and date will be used for this transaction) +TransferFrom=Da +TransferTo=A +TransferFromToDone=È stato registrato un trasferimento da %s a %s di %s %s. +CheckTransmitter=Ordinante +ValidateCheckReceipt=Convalidare questa ricevuta ? +ConfirmValidateCheckReceipt=Vuoi davvero convalidare questa ricevuta? Non sarà possibile fare cambiamenti una volta convalidata. +DeleteCheckReceipt=Eliminare questa ricevuta? +ConfirmDeleteCheckReceipt=Vuoi davvero eliminare questa ricevuta? BankChecks=Assegni bancari BankChecksToReceipt=Assegni in attesa di deposito BankChecksToReceiptShort=Assegni in attesa di deposito -ShowCheckReceipt=Mostra la ricevuta del deposito dell'assegno -NumberOfCheques=Numero di controllo -DeleteTransaction=Elimina voce -ConfirmDeleteTransaction=Sei sicuro di voler eliminare questa voce? -ThisWillAlsoDeleteBankRecord=Ciò eliminerà anche la voce di banca generata -BankMovements=movimenti -PlannedTransactions=Voci previste -Graph=Grafica -ExportDataset_banque_1=Voci bancarie ed estratto conto -ExportDataset_banque_2=Polizza di versamento -TransactionOnTheOtherAccount=Transazione sull'altro conto -PaymentNumberUpdateSucceeded=Numero di pagamento aggiornato correttamente -PaymentNumberUpdateFailed=Il numero di pagamento non può essere aggiornato -PaymentDateUpdateSucceeded=Data di pagamento aggiornata correttamente -PaymentDateUpdateFailed=La data di pagamento non può essere aggiornata -Transactions=Le transazioni -BankTransactionLine=Entrata bancaria -AllAccounts=Tutti i conti bancari e di cassa -BackToAccount=Torna all'account +ShowCheckReceipt=Mostra ricevuta di versamento assegni +NumberOfCheques=Numero di assegni +DeleteTransaction=Elimina transazione +ConfirmDeleteTransaction=Vuoi davvero eliminare questa transazione? +ThisWillAlsoDeleteBankRecord=Questa operazione elimina anche le transazioni bancarie generate +BankMovements=Movimenti +PlannedTransactions=Transazioni pianificate +Graph=Grafico +ExportDataset_banque_1=Movimenti bancari e di cassa e loro rilevazioni +ExportDataset_banque_2=Modulo di versamento +TransactionOnTheOtherAccount=Transazione sull'altro conto +PaymentNumberUpdateSucceeded=Numero del pagamento aggiornato correttamente +PaymentNumberUpdateFailed=Il numero di pagamento potrebbe non essere stato aggiornato +PaymentDateUpdateSucceeded=Data del pagamento aggiornata correttamente +PaymentDateUpdateFailed=La data di pagamento potrebbe non essere stata aggiornata +Transactions=Transazioni +BankTransactionLine=Transazione bancaria +AllAccounts=Tutte le banche e le casse +BackToAccount=Torna al conto ShowAllAccounts=Mostra per tutti gli account -FutureTransaction=Transazione futura. Impossibile riconciliarsi. -SelectChequeTransactionAndGenerate=Seleziona / filtra gli assegni da includere nella ricevuta del deposito di assegni e fai clic su "Crea". -InputReceiptNumber=Scegli l'estratto conto relativo alla conciliazione. Utilizzare un valore numerico ordinabile: AAAAMM o AAAAMMGG -EventualyAddCategory=Alla fine, specificare una categoria in cui classificare i record -ToConciliate=Riconciliare? -ThenCheckLinesAndConciliate=Quindi, controlla le righe presenti nell'estratto conto e fai clic -DefaultRIB=BAN predefinito -AllRIB=Tutto BAN +FutureTransaction=Future transaction. Unable to reconcile. +SelectChequeTransactionAndGenerate=Seleziona gli assegni dar includere nella ricevuta di versamento e clicca su "Crea". +InputReceiptNumber=Scegliere l'estratto conto collegato alla conciliazione. Utilizzare un valore numerico ordinabile: AAAAMM o AAAAMMGG +EventualyAddCategory=Infine, specificare una categoria in cui classificare i record +ToConciliate=Da conciliare? +ThenCheckLinesAndConciliate=Controlla tutte le informazioni prima di cliccare +DefaultRIB=BAN di default +AllRIB=Tutti i BAN LabelRIB=Etichetta BAN -NoBANRecord=Nessun record BAN -DeleteARib=Elimina il record BAN -ConfirmDeleteRib=Sei sicuro di voler eliminare questo record BAN? -RejectCheck=Verifica restituita -ConfirmRejectCheck=Sei sicuro di voler contrassegnare questo controllo come rifiutato? -RejectCheckDate=Data di restituzione dell'assegno -CheckRejected=Verifica restituita -CheckRejectedAndInvoicesReopened=Controllare restituito e riaprire le fatture -BankAccountModelModule=Modelli di documenti per conti bancari -DocumentModelSepaMandate=Modello di mandato SEPA. Utile solo per i paesi europei nella CEE. -DocumentModelBan=Modello per stampare una pagina con informazioni BAN. -NewVariousPayment=Nuovo pagamento vario -VariousPayment=Pagamento vario +NoBANRecord=Nessun BAN +DeleteARib=Cancella il BAN +ConfirmDeleteRib=Vuoi davvero cancellare questo BAN? +RejectCheck=Assegno restituito +ConfirmRejectCheck=Sei sicuro di voler segnare questo assegno come rifiutato? +RejectCheckDate=Data di restituzione dell'assegno +CheckRejected=Assegno restituito +CheckRejectedAndInvoicesReopened=Assegno restituito e fatture riaperte +BankAccountModelModule=Modelli di documento per i conti bancari e le casse +DocumentModelSepaMandate=Modello di documento per i mandati SEPA. Da utilizzare solamente per i paese appartenenti alla CEE +DocumentModelBan=Template per la stampa delle informazioni relative al BAN +NewVariousPayment=New miscellaneous payment +VariousPayment=Miscellaneous payment VariousPayments=Pagamenti vari -ShowVariousPayment=Mostra pagamenti vari -AddVariousPayment=Aggiungi pagamenti vari +ShowVariousPayment=Show miscellaneous payment +AddVariousPayment=Add miscellaneous payment SEPAMandate=Mandato SEPA -YourSEPAMandate=Il tuo mandato SEPA -FindYourSEPAMandate=Questo è il tuo mandato SEPA per autorizzare la nostra azienda a effettuare un ordine di addebito diretto sulla tua banca. Restituiscilo firmato (scansione del documento firmato) o invialo per posta a -AutoReportLastAccountStatement=Compilare automaticamente il campo "numero di estratto conto" con l'ultimo numero di estratto conto quando si effettua la riconciliazione -CashControl=Cassa di pagamento POS -NewCashFence=Nuova cassa +YourSEPAMandate=I tuoi mandati SEPA +FindYourSEPAMandate=Questo è il tuo mandato SEPA che autorizza la nostra azienda ad effettuare un ordine di addebito diretto alla tua banca. Da restituire firmata (scansione del documento firmato) o inviato all'indirizzo email +AutoReportLastAccountStatement=Automatically fill the field 'number of bank statement' with last statement number when making reconciliation +CashControl=POS cash fence +NewCashFence=New cash fence BankColorizeMovement=Colora i movimenti BankColorizeMovementDesc=Se questa funzione è abilitata, è possibile scegliere il colore di sfondo specifico per i movimenti di debito o credito BankColorizeMovementName1=Colore di sfondo per il movimento di debito diff --git a/htdocs/langs/it_IT/bills.lang b/htdocs/langs/it_IT/bills.lang index 5bab5c5c869..22d778f80f7 100644 --- a/htdocs/langs/it_IT/bills.lang +++ b/htdocs/langs/it_IT/bills.lang @@ -1,574 +1,574 @@ # Dolibarr language file - Source file is en_US - bills Bill=Fattura Bills=Fatture -BillsCustomers=Fatture cliente -BillsCustomer=Fattura del cliente +BillsCustomers=Fatture attive +BillsCustomer=Fattura attive BillsSuppliers=Fatture fornitore -BillsCustomersUnpaid=Fatture cliente non pagate -BillsCustomersUnpaidForCompany=Fatture cliente non pagate per %s -BillsSuppliersUnpaid=Fatture fornitore non pagate -BillsSuppliersUnpaidForCompany=Fatture fornitori non pagate per %s -BillsLate=Pagamenti tardivi -BillsStatistics=Statistiche fatture clienti -BillsStatisticsSuppliers=Statistiche fatture fornitori -DisabledBecauseDispatchedInBookkeeping=Disabilitato perché la fattura è stata spedita in contabilità -DisabledBecauseNotLastInvoice=Disabilitato perché la fattura non è cancellabile. Alcune fatture sono state registrate dopo questa e creerà buchi nel contatore. -DisabledBecauseNotErasable=Disabilitato perché non può essere cancellato +BillsCustomersUnpaid=Fatture attive non pagate +BillsCustomersUnpaidForCompany=Fatture attive non pagate per %s +BillsSuppliersUnpaid=Fatture Fornitore non pagate +BillsSuppliersUnpaidForCompany=Fatture Fornitore non pagate per %s +BillsLate=Ritardi nei pagamenti +BillsStatistics=Statistiche fatture attive +BillsStatisticsSuppliers=Vendors invoices statistics +DisabledBecauseDispatchedInBookkeeping=Disabilitato perché la fattura è stata inviata alla contabilità +DisabledBecauseNotLastInvoice=Disabilitato perché la fattura non è cancellabile. Alcune fatture sono state registrate dopo questa e si avrebbero errori nella sequenza di numerazione. +DisabledBecauseNotErasable=Disabilitata perché impossibile da cancellare InvoiceStandard=Fattura Standard InvoiceStandardAsk=Fattura Standard -InvoiceStandardDesc=Questo tipo di fattura è la fattura comune. -InvoiceDeposit=Fattura dell'acconto -InvoiceDepositAsk=Fattura dell'acconto -InvoiceDepositDesc=Questo tipo di fattura viene eseguita quando è stato ricevuto un acconto. +InvoiceStandardDesc=Questo tipo di fattura è la fattura più comune. +InvoiceDeposit=Fattura d'acconto +InvoiceDepositAsk=Fattura d'acconto +InvoiceDepositDesc=Questo tipo di fattura viene usata quando si riceve un acconto. InvoiceProForma=Fattura proforma InvoiceProFormaAsk=Fattura proforma InvoiceProFormaDesc=La fattura proforma è uguale ad una fattura vera, ma non ha valore contabile. InvoiceReplacement=Fattura sostitutiva -InvoiceReplacementAsk=Fattura sostitutiva per fattura -InvoiceReplacementDesc=La fattura sostitutiva viene utilizzata per sostituire completamente una fattura senza pagamento già ricevuto.

Nota: è possibile sostituire solo le fatture senza pagamento. Se la fattura che sostituisci non è ancora chiusa, verrà automaticamente chiusa a "abbandonata". +InvoiceReplacementAsk=Fattura sostitutiva +InvoiceReplacementDesc=Replacement invoice is used to completely replace an invoice with no payment already received.

Note: Only invoices with no payment on it can be replaced. If the invoice you replace is not yet closed, it will be automatically closed to 'abandoned'. InvoiceAvoir=Nota di credito -InvoiceAvoirAsk=Nota di accredito per correggere la fattura -InvoiceAvoirDesc=La nota di accredito è una fattura negativa utilizzata per correggere il fatto che una fattura mostra un importo diverso dall'importo effettivamente pagato (ad esempio, il cliente ha pagato troppo per errore o non pagherà l'intero importo poiché alcuni prodotti sono stati restituiti). -invoiceAvoirWithLines=Creare una nota di accredito con righe dalla fattura di origine -invoiceAvoirWithPaymentRestAmount=Creare una nota di credito con la fattura di origine non pagata rimanente -invoiceAvoirLineWithPaymentRestAmount=Nota di accredito per l'importo rimanente non pagato -ReplaceInvoice=Sostituisci fattura %s +InvoiceAvoirAsk=Nota di credito per correggere fattura +InvoiceAvoirDesc=The credit note is a negative invoice used to correct the fact that an invoice shows an amount that differs from the amount actually paid (eg the customer paid too much by mistake, or will not pay the complete amount since some products were returned). +invoiceAvoirWithLines=Crea una Nota Credito con le righe della fattura di origine. +invoiceAvoirWithPaymentRestAmount=Crea nota di credito con il restante da pagare della fattura originale +invoiceAvoirLineWithPaymentRestAmount=Crea nota di credito con il restante da pagare +ReplaceInvoice=Sostituire fattura %s ReplacementInvoice=Fattura sostitutiva -ReplacedByInvoice=Sostituito dalla fattura %s -ReplacementByInvoice=Sostituito dalla fattura -CorrectInvoice=Fattura corretta %s -CorrectionInvoice=Fattura di correzione -UsedByInvoice=Utilizzato per pagare la fattura %s -ConsumedBy=Consumato da +ReplacedByInvoice=Sostituita dalla fattura %s +ReplacementByInvoice=Sostituita dalla fattura +CorrectInvoice=Correggi fattura %s +CorrectionInvoice=Correzione fattura +UsedByInvoice=Usato per pagare fattura %s +ConsumedBy=Consumati da NotConsumed=Non consumato -NoReplacableInvoice=Nessuna fattura sostituibile +NoReplacableInvoice=No replaceable invoices NoInvoiceToCorrect=Nessuna fattura da correggere -InvoiceHasAvoir=Era fonte di una o più note di credito -CardBill=Carta di fattura +InvoiceHasAvoir=Rettificata da una o più fatture +CardBill=Scheda fattura PredefinedInvoices=Fatture predefinite Invoice=Fattura PdfInvoiceTitle=Fattura Invoices=Fatture -InvoiceLine=Linea di fatturazione -InvoiceCustomer=Fattura del cliente -CustomerInvoice=Fattura del cliente -CustomersInvoices=Fatture clienti +InvoiceLine=Riga fattura +InvoiceCustomer=Fattura attiva +CustomerInvoice=Fattura attive +CustomersInvoices=Fatture attive SupplierInvoice=Fattura fornitore -SuppliersInvoices=Fatture fornitori +SuppliersInvoices=Fatture Fornitore SupplierBill=Fattura fornitore -SupplierBills=fatture fornitori +SupplierBills=Fatture passive Payment=Pagamento -PaymentBack=Pagamento indietro -CustomerInvoicePaymentBack=Pagamento indietro -Payments=pagamenti -PaymentsBack=Refunds +PaymentBack=Rimborso +CustomerInvoicePaymentBack=Rimborso +Payments=Pagamenti +PaymentsBack=Rimborsi paymentInInvoiceCurrency=nella valuta delle fatture -PaidBack=Ripagato -DeletePayment=Elimina il pagamento -ConfirmDeletePayment=Sei sicuro di voler eliminare questo pagamento? -ConfirmConvertToReduc=Vuoi convertire questo %s in uno sconto assoluto? -ConfirmConvertToReduc2=L'importo verrà salvato tra tutti gli sconti e potrebbe essere utilizzato come sconto per una fattura corrente o futura per questo cliente. -ConfirmConvertToReducSupplier=Vuoi convertire questo %s in uno sconto assoluto? -ConfirmConvertToReducSupplier2=L'importo verrà salvato tra tutti gli sconti e potrebbe essere utilizzato come sconto per una fattura corrente o futura per questo fornitore. -SupplierPayments=Pagamenti del fornitore +PaidBack=Rimborsato +DeletePayment=Elimina pagamento +ConfirmDeletePayment=Vuoi davvero cancellare questo pagamento? +ConfirmConvertToReduc=Do you want to convert this %s into an absolute discount? +ConfirmConvertToReduc2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this customer. +ConfirmConvertToReducSupplier=Do you want to convert this %s into an absolute discount? +ConfirmConvertToReducSupplier2=The amount will be saved among all discounts and could be used as a discount for a current or a future invoice for this vendor. +SupplierPayments=Vendor payments ReceivedPayments=Pagamenti ricevuti ReceivedCustomersPayments=Pagamenti ricevuti dai clienti -PayedSuppliersPayments=Pagamenti pagati ai fornitori -ReceivedCustomersPaymentsToValid=Ricevuti pagamenti dei clienti per la convalida -PaymentsReportsForYear=Rapporti sui pagamenti per %s -PaymentsReports=Rapporti sui pagamenti -PaymentsAlreadyDone=Pagamenti già effettuati -PaymentsBackAlreadyDone=Refunds already done -PaymentRule=Regola di pagamento -PaymentMode=Tipo di pagamento -PaymentTypeDC=Carta di debito / credito +PayedSuppliersPayments=Payments paid to vendors +ReceivedCustomersPaymentsToValid=Pagamenti ricevuti dai clienti da convalidare +PaymentsReportsForYear=Report pagamenti per %s +PaymentsReports=Report pagamenti +PaymentsAlreadyDone=Pagamenti già fatti +PaymentsBackAlreadyDone=Rimborso già effettuato +PaymentRule=Regola pagamento +PaymentMode=Payment Type +PaymentTypeDC=Carta di Debito/Credito PaymentTypePP=PayPal -IdPaymentMode=Tipo di pagamento (Id) -CodePaymentMode=Tipo di pagamento (codice) -LabelPaymentMode=Tipo di pagamento (etichetta) -PaymentModeShort=Tipo di pagamento -PaymentTerm=Termine di pagamento -PaymentConditions=Termini di pagamento -PaymentConditionsShort=Termini di pagamento +IdPaymentMode=Payment Type (id) +CodePaymentMode=Payment Type (code) +LabelPaymentMode=Payment Type (label) +PaymentModeShort=Payment Type +PaymentTerm=Payment Term +PaymentConditions=Termini di Pagamento +PaymentConditionsShort=Termini di Pagamento PaymentAmount=Importo del pagamento -PaymentHigherThanReminderToPay=Pagamento superiore al promemoria da pagare -HelpPaymentHigherThanReminderToPay=Attenzione, l'importo del pagamento di una o più fatture è superiore all'importo dovuto da pagare.
Modifica la tua voce, altrimenti conferma e considera la possibilità di creare una nota di credito per l'eccedenza ricevuta per ciascuna fattura pagata in eccesso. -HelpPaymentHigherThanReminderToPaySupplier=Attenzione, l'importo del pagamento di una o più fatture è superiore all'importo dovuto da pagare.
Modifica la tua voce, altrimenti conferma e considera la possibilità di creare una nota di credito per l'eccedenza pagata per ciascuna fattura pagata in eccesso. -ClassifyPaid=Classificare "A pagamento" -ClassifyUnPaid=Classificare "Non retribuito" -ClassifyPaidPartially=Classificare "Pagato parzialmente" -ClassifyCanceled=Classificare "Abbandonato" -ClassifyClosed=Classificare "Chiuso" -ClassifyUnBilled=Classificare "Non fatturato" +PaymentHigherThanReminderToPay=Pagamento superiore alla rimanenza da pagare +HelpPaymentHigherThanReminderToPay=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
Edit your entry, otherwise confirm and consider creating a credit note for the excess received for each overpaid invoice. +HelpPaymentHigherThanReminderToPaySupplier=Attention, the payment amount of one or more bills is higher than the outstanding amount to pay.
Edit your entry, otherwise confirm and consider creating a credit note for the excess paid for each overpaid invoice. +ClassifyPaid=Classifica come "pagata" +ClassifyUnPaid=Classify 'Unpaid' +ClassifyPaidPartially=Classifica come "parzialmente pagata" +ClassifyCanceled=Classifica come "abbandonata" +ClassifyClosed=Classifica come "chiusa" +ClassifyUnBilled=Classifica come 'Non fatturato' CreateBill=Crea fattura CreateCreditNote=Crea nota di credito -AddBill=Crea fattura o nota di accredito -AddToDraftInvoices=Aggiungi alla bozza della fattura +AddBill=Crea fattura o nota di credito +AddToDraftInvoices=Aggiungi alle fattture in bozza DeleteBill=Elimina fattura -SearchACustomerInvoice=Cerca una fattura cliente -SearchASupplierInvoice=Cerca una fattura fornitore +SearchACustomerInvoice=Cerca una fattura attiva +SearchASupplierInvoice=Search for a vendor invoice CancelBill=Annulla una fattura -SendRemindByMail=Invia promemoria via e-mail -DoPayment=Inserisci il pagamento -DoPaymentBack=Inserisci il rimborso -ConvertToReduc=Contrassegna come credito disponibile -ConvertExcessReceivedToReduc=Converti l'eccedenza ricevuta in credito disponibile -ConvertExcessPaidToReduc=Converti l'eccedenza pagata in sconto disponibile +SendRemindByMail=Inviare promemoria via email +DoPayment=Registra pagamento +DoPaymentBack=Emetti rimborso +ConvertToReduc=Mark as credit available +ConvertExcessReceivedToReduc=Convert excess received into available credit +ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Inserisci il pagamento ricevuto dal cliente -EnterPaymentDueToCustomer=Effettua il pagamento dovuto al cliente -DisabledBecauseRemainderToPayIsZero=Disabilitato perché non pagato è zero +EnterPaymentDueToCustomer=Emettere il pagamento dovuto al cliente +DisabledBecauseRemainderToPayIsZero=Disabilitato perché il restante da pagare vale zero PriceBase=Prezzo base -BillStatus=Stato della fattura +BillStatus=Stato fattura StatusOfGeneratedInvoices=Stato delle fatture generate BillStatusDraft=Bozza (deve essere convalidata) -BillStatusPaid=Pagato -BillStatusPaidBackOrConverted=Rimborso della nota di credito o contrassegnato come credito disponibile -BillStatusConverted=A pagamento (pronto per il consumo nella fattura finale) -BillStatusCanceled=Abbandonato -BillStatusValidated=Convalidato (deve essere pagato) -BillStatusStarted=Iniziato -BillStatusNotPaid=Non pagato -BillStatusNotRefunded=Non rimborsato -BillStatusClosedUnpaid=Chiuso (non pagato) -BillStatusClosedPaidPartially=Pagato (parzialmente) +BillStatusPaid=Pagata +BillStatusPaidBackOrConverted=Credit note refund or marked as credit available +BillStatusConverted=Pagato (pronto per l'utilizzo nella fattura finale) +BillStatusCanceled=Annullata +BillStatusValidated=Convalidata (deve essere pagata) +BillStatusStarted=Iniziata +BillStatusNotPaid=Non pagata +BillStatusNotRefunded=Non riborsata +BillStatusClosedUnpaid=Chiusa (non pagata) +BillStatusClosedPaidPartially=Pagata (in parte) BillShortStatusDraft=Bozza -BillShortStatusPaid=Pagato -BillShortStatusPaidBackOrConverted=Rimborsato o convertito -Refunded=rimborsato +BillShortStatusPaid=Pagata +BillShortStatusPaidBackOrConverted=Refunded or converted +Refunded=Refunded BillShortStatusConverted=Pagato -BillShortStatusCanceled=Abbandonato -BillShortStatusValidated=convalidato -BillShortStatusStarted=Iniziato -BillShortStatusNotPaid=Non pagato -BillShortStatusNotRefunded=Non rimborsato -BillShortStatusClosedUnpaid=Chiuso -BillShortStatusClosedPaidPartially=Pagato (parzialmente) -PaymentStatusToValidShort=Per convalidare -ErrorVATIntraNotConfigured=Partita IVA intracomunitaria non ancora definita -ErrorNoPaiementModeConfigured=Nessun tipo di pagamento predefinito definito. Vai a Impostazione modulo fattura per risolvere questo problema. -ErrorCreateBankAccount=Crea un conto bancario, quindi vai al pannello Configurazione del modulo Fattura per definire i tipi di pagamento +BillShortStatusCanceled=Abbandonata +BillShortStatusValidated=Convalidata +BillShortStatusStarted=Iniziata +BillShortStatusNotPaid=Non pagata +BillShortStatusNotRefunded=Non riborsata +BillShortStatusClosedUnpaid=Chiusa +BillShortStatusClosedPaidPartially=Pagata (in parte) +PaymentStatusToValidShort=Da convalidare +ErrorVATIntraNotConfigured=Intra-Community VAT number not yet defined +ErrorNoPaiementModeConfigured=No default payment type defined. Go to Invoice module setup to fix this. +ErrorCreateBankAccount=Create a bank account, then go to Setup panel of Invoice module to define payment types ErrorBillNotFound=La fattura %s non esiste -ErrorInvoiceAlreadyReplaced=Errore, hai provato a convalidare una fattura per sostituire la fattura %s. Ma questo è già stato sostituito dalla fattura %s. +ErrorInvoiceAlreadyReplaced=Error, you tried to validate an invoice to replace invoice %s. But this one has already been replaced by invoice %s. ErrorDiscountAlreadyUsed=Errore, sconto già utilizzato -ErrorInvoiceAvoirMustBeNegative=Errore, la fattura corretta deve avere un importo negativo -ErrorInvoiceOfThisTypeMustBePositive=Errore, questo tipo di fattura deve avere un importo positivo al netto delle imposte (o nullo) -ErrorCantCancelIfReplacementInvoiceNotValidated=Errore, impossibile annullare una fattura che è stata sostituita da un'altra fattura ancora in stato bozza -ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Questa parte o un'altra è già utilizzata, pertanto non è possibile rimuovere le serie di sconti. -BillFrom=A partire dal -BillTo=Per +ErrorInvoiceAvoirMustBeNegative=Errore, la fattura a correzione deve avere un importo negativo +ErrorInvoiceOfThisTypeMustBePositive=Errore, questo tipo di fattura deve avere importo positivo +ErrorCantCancelIfReplacementInvoiceNotValidated=Errore, non si può annullare una fattura che è stato sostituita da un'altra fattura non ancora convalidata +ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=This part or another is already used so discount series cannot be removed. +BillFrom=Da +BillTo=A ActionsOnBill=Azioni su fattura -RecurringInvoiceTemplate=Modello / Fattura ricorrente -NoQualifiedRecurringInvoiceTemplateFound=Nessuna fattura modello ricorrente qualificata per la generazione. -FoundXQualifiedRecurringInvoiceTemplate=Trovate %s fatture modello ricorrenti qualificate per la generazione. -NotARecurringInvoiceTemplate=Non una fattura modello ricorrente +RecurringInvoiceTemplate=Template/fatture ricorrenti +NoQualifiedRecurringInvoiceTemplateFound=Nessun modello ricorrente di fattura è abilitato per la generazione. +FoundXQualifiedRecurringInvoiceTemplate=Trovato %s modelli ricorrenti di fattura abilitati per la generazione. +NotARecurringInvoiceTemplate=Non un modello ricorrente di fattura NewBill=Nuova fattura -LastBills=Ultime fatture %s -LatestTemplateInvoices=Fatture modello %s più recenti -LatestCustomerTemplateInvoices=Fatture modello cliente %s più recenti -LatestSupplierTemplateInvoices=Fatture modello fornitore %s più recenti -LastCustomersBills=Fatture cliente %s più recenti -LastSuppliersBills=Fatture fornitore %s più recenti +LastBills=Ultime %s fatture +LatestTemplateInvoices=Ultimi %s modelli fattura +LatestCustomerTemplateInvoices=Ultimi %s modelli fattura cliente +LatestSupplierTemplateInvoices=Latest %s vendor template invoices +LastCustomersBills=Ultime %s fatture attive +LastSuppliersBills=Latest %s vendor invoices AllBills=Tutte le fatture -AllCustomerTemplateInvoices=Tutte le fatture dei modelli +AllCustomerTemplateInvoices=Tutti i modelli delle fatture OtherBills=Altre fatture -DraftBills=Bozza di fatture -CustomersDraftInvoices=Fatture di bozze dei clienti -SuppliersDraftInvoices=Fatture bozze fornitore -Unpaid=non pagato +DraftBills=Fatture in bozza +CustomersDraftInvoices=Bozze di fatture attive +SuppliersDraftInvoices=Fatture Fornitore in bozza +Unpaid=Non pagato ErrorNoPaymentDefined=Errore Nessun pagamento definito -ConfirmDeleteBill=Sei sicuro di voler eliminare questa fattura? -ConfirmValidateBill=Vuoi convalidare questa fattura con riferimento %s ? -ConfirmUnvalidateBill=Vuoi cambiare la fattura %s in bozza di stato? -ConfirmClassifyPaidBill=Sei sicuro di voler cambiare la fattura %s in stato pagato? -ConfirmCancelBill=Vuoi annullare la fattura %s ? -ConfirmCancelBillQuestion=Perché vuoi classificare questa fattura "abbandonata"? -ConfirmClassifyPaidPartially=Sei sicuro di voler cambiare la fattura %s in stato pagato? -ConfirmClassifyPaidPartiallyQuestion=Questa fattura non è stata pagata completamente. Qual è il motivo per chiudere questa fattura? -ConfirmClassifyPaidPartiallyReasonAvoir=Restare non pagati (%s %s) è uno sconto concesso perché il pagamento è stato effettuato prima del termine. Regolarizzo l'IVA con una nota di credito. -ConfirmClassifyPaidPartiallyReasonDiscount=Restare non pagati (%s %s) è uno sconto concesso perché il pagamento è stato effettuato prima del termine. -ConfirmClassifyPaidPartiallyReasonDiscountNoVat=Restare non pagati (%s %s) è uno sconto concesso perché il pagamento è stato effettuato prima del termine. Accetto di perdere l'IVA su questo sconto. -ConfirmClassifyPaidPartiallyReasonDiscountVat=Restare non pagati (%s %s) è uno sconto concesso perché il pagamento è stato effettuato prima del termine. Ricupero l'IVA su questo sconto senza una nota di credito. -ConfirmClassifyPaidPartiallyReasonBadCustomer=Cattivo cliente -ConfirmClassifyPaidPartiallyReasonProductReturned=Prodotti parzialmente restituiti -ConfirmClassifyPaidPartiallyReasonOther=Importo abbandonato per altri motivi -ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=Questa scelta è possibile se la fattura è stata fornita con commenti adeguati. (Esempio «Solo l'imposta corrispondente al prezzo che è stato effettivamente pagato dà diritto alla detrazione») -ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In alcuni paesi, questa scelta potrebbe essere possibile solo se la fattura contiene note corrette. -ConfirmClassifyPaidPartiallyReasonAvoirDesc=Usa questa scelta se tutti gli altri non sono adatti -ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=Un cattivo cliente è un cliente che rifiuta di pagare il proprio debito. -ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Questa scelta viene utilizzata quando il pagamento non è completo perché alcuni prodotti sono stati restituiti -ConfirmClassifyPaidPartiallyReasonOtherDesc=Utilizzare questa scelta se tutti gli altri non sono adatti, ad esempio nella seguente situazione:
- pagamento non completato perché alcuni prodotti sono stati rispediti
- importo richiesto troppo importante perché uno sconto è stato dimenticato
In tutti i casi, l'importo richiesto in eccesso deve essere corretto nel sistema contabile creando una nota di accredito. +ConfirmDeleteBill=Vuoi davvero cancellare questa fattura? +ConfirmValidateBill=Vuoi davvero convalidare questa fattura con riferimento %s? +ConfirmUnvalidateBill=Sei sicuro di voler convertire la fattura %s in bozza? +ConfirmClassifyPaidBill=Vuoi davvero cambiare lo stato della fattura %s in "pagato"? +ConfirmCancelBill=Vuoi davvero annullare la fattura %s? +ConfirmCancelBillQuestion=Perché vuoi classificare questa fattura come "abbandonata"? +ConfirmClassifyPaidPartially=Vuoi davvero cambiare lo stato della fattura %s in "pagato"? +ConfirmClassifyPaidPartiallyQuestion=This invoice has not been paid completely. What is the reason for closing this invoice? +ConfirmClassifyPaidPartiallyReasonAvoir=Remaining unpaid (%s %s) is a discount granted because payment was made before term. I regularize the VAT with a credit note. +ConfirmClassifyPaidPartiallyReasonDiscount=Il restante da pagare (%s %s) viene scontato perché il pagamento è stato effettuato entro il termine. +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 +ConfirmClassifyPaidPartiallyReasonProductReturned=Parziale restituzione di prodotti +ConfirmClassifyPaidPartiallyReasonOther=Altri motivi +ConfirmClassifyPaidPartiallyReasonDiscountNoVatDesc=This choice is possible if your invoice has been provided with suitable comments. (Example «Only the tax corresponding to the price that has been actually paid gives rights to deduction») +ConfirmClassifyPaidPartiallyReasonDiscountVatDesc=In some countries, this choice might be possible only if your invoice contains correct notes. +ConfirmClassifyPaidPartiallyReasonAvoirDesc=Utilizzare questa scelta se tutte le altre opzioni sono inadeguate. +ConfirmClassifyPaidPartiallyReasonBadCustomerDesc=A bad customer is a customer that refuses to pay his debt. +ConfirmClassifyPaidPartiallyReasonProductReturnedDesc=Questa scelta viene utilizzata quando il pagamento non è completo perché alcuni dei prodotti sono stati restituiti +ConfirmClassifyPaidPartiallyReasonOtherDesc=Use this choice if all others are not suitable, for example in following situation:
- payment not complete because some products were shipped back
- amount claimed too important because a discount was forgotten
In all cases, amount over-claimed must be corrected in accountancy system by creating a credit note. ConfirmClassifyAbandonReasonOther=Altro -ConfirmClassifyAbandonReasonOtherDesc=Questa scelta verrà utilizzata in tutti gli altri casi. Ad esempio perché si prevede di creare una fattura sostitutiva. -ConfirmCustomerPayment=Confermate questo input di pagamento per %s %s? -ConfirmSupplierPayment=Confermate questo input di pagamento per %s %s? -ConfirmValidatePayment=Sei sicuro di voler convalidare questo pagamento? Non è possibile apportare modifiche una volta convalidato il pagamento. +ConfirmClassifyAbandonReasonOtherDesc=Questa scelta sarà utilizzata in tutti gli altri casi. Perché, ad esempio, si prevede di creare una fattura sostitutiva. +ConfirmCustomerPayment=Confermare riscossione per %s %s? +ConfirmSupplierPayment=Confermare riscossione per %s %s? +ConfirmValidatePayment=Vuoi davvero convalidare questo pagamento? Una volta convalidato non si potranno più operare modifiche. ValidateBill=Convalida fattura -UnvalidateBill=Fattura non valida -NumberOfBills=Numero di fatture -NumberOfBillsByMonth=Numero di fatture al mese +UnvalidateBill=Invalida fattura +NumberOfBills=No. of invoices +NumberOfBillsByMonth=No. of invoices per month AmountOfBills=Importo delle fatture -AmountOfBillsHT=Importo delle fatture (al netto delle imposte) +AmountOfBillsHT=Amount of invoices (net of tax) AmountOfBillsByMonthHT=Importo delle fatture per mese (al netto delle imposte) -ShowSocialContribution=Mostra imposta sociale / fiscale -ShowBill=Mostra fattura -ShowInvoice=Mostra fattura -ShowInvoiceReplace=Mostra la fattura sostitutiva -ShowInvoiceAvoir=Mostra nota di accredito -ShowInvoiceDeposit=Mostra la fattura di pagamento -ShowInvoiceSituation=Mostra fattura situazione -UseSituationInvoices=Consenti fattura situazione -UseSituationInvoicesCreditNote=Consenti nota di accredito fattura situazione -Retainedwarranty=Garanzia mantenuta -RetainedwarrantyDefaultPercent=Percentuale di default della garanzia mantenuta -ToPayOn=Per pagare su %s -toPayOn=per pagare su %s -RetainedWarranty=Garanzia mantenuta -PaymentConditionsShortRetainedWarranty=Condizioni di pagamento della garanzia mantenute -DefaultPaymentConditionsRetainedWarranty=Termini di pagamento della garanzia mantenuti predefiniti -setPaymentConditionsShortRetainedWarranty=Impostare i termini di pagamento della garanzia mantenuti -setretainedwarranty=Impostare la garanzia trattenuta -setretainedwarrantyDateLimit=Imposta limite di data di garanzia trattenuto -RetainedWarrantyDateLimit=Limite di data di garanzia mantenuto -RetainedWarrantyNeed100Percent=La fattura della situazione deve essere in corso 100%% per essere visualizzata in PDF -ShowPayment=Mostra pagamento +ShowSocialContribution=Mostra imposte sociali/fiscali +ShowBill=Visualizza fattura +ShowInvoice=Visualizza fattura +ShowInvoiceReplace=Visualizza la fattura sostitutiva +ShowInvoiceAvoir=Visualizza nota di credito +ShowInvoiceDeposit=Mostra fattura d'acconto +ShowInvoiceSituation=Mostra avanzamento lavori +UseSituationInvoices=Allow situation invoice +UseSituationInvoicesCreditNote=Allow situation invoice credit note +Retainedwarranty=Retained warranty +RetainedwarrantyDefaultPercent=Retained warranty default percent +ToPayOn=To pay on %s +toPayOn=to pay on %s +RetainedWarranty=Retained Warranty +PaymentConditionsShortRetainedWarranty=Retained warranty payment terms +DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms +setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms +setretainedwarranty=Set retained warranty +setretainedwarrantyDateLimit=Set retained warranty date limit +RetainedWarrantyDateLimit=Retained warranty date limit +RetainedWarrantyNeed100Percent=The situation invoice need to be at 100%% progress to be displayed on PDF +ShowPayment=Visualizza pagamento AlreadyPaid=Già pagato AlreadyPaidBack=Già rimborsato -AlreadyPaidNoCreditNotesNoDeposits=Già pagato (senza note di credito e acconti) -Abandoned=Abbandonato -RemainderToPay=Rimanere non retribuiti -RemainderToTake=Importo residuo da prendere -RemainderToPayBack=Importo rimanente da rimborsare -Rest=in attesa di -AmountExpected=Importo richiesto -ExcessReceived=Eccesso ricevuto -ExcessPaid=Eccedenza pagata +AlreadyPaidNoCreditNotesNoDeposits=Già pagata (senza note di credito e note d'accredito) +Abandoned=Abbandonata +RemainderToPay=Restante da pagare +RemainderToTake=Restante da incassare +RemainderToPayBack=Restante da rimborsare +Rest=In attesa +AmountExpected=Importo atteso +ExcessReceived=Ricevuto in eccesso +ExcessPaid=Eccesso pagato EscompteOffered=Sconto offerto (pagamento prima del termine) EscompteOfferedShort=Sconto -SendBillRef=Presentazione della fattura %s -SendReminderBillRef=Presentazione della fattura %s (promemoria) +SendBillRef=Invio della fattura %s +SendReminderBillRef=Invio della fattura %s (promemoria) StandingOrders=Ordini di addebito diretto StandingOrder=Ordine di addebito diretto NoDraftBills=Nessuna bozza di fatture -NoOtherDraftBills=Nessun altra bozza di fatture -NoDraftInvoices=Nessuna bozza di fatture -RefBill=Fattura rif -ToBill=Addebitare -RemainderToBill=Resto da fatturare +NoOtherDraftBills=Nessun'altra bozza di fatture +NoDraftInvoices=Nessuna fattura in bozza +RefBill=Rif. fattura +ToBill=Da fatturare +RemainderToBill=Restante da fatturare SendBillByMail=Invia fattura via email -SendReminderBillByMail=Invia promemoria via e-mail +SendReminderBillByMail=Inviare promemoria via email RelatedCommercialProposals=Proposte commerciali correlate -RelatedRecurringCustomerInvoices=Fatture clienti ricorrenti correlate -MenuToValid=Valido -DateMaxPayment=Pagamento dovuto il -DateInvoice=Data fattura +RelatedRecurringCustomerInvoices=Fatture attive ricorrenti correlate +MenuToValid=Da validare +DateMaxPayment=Pagamento dovuto per +DateInvoice=Data di fatturazione DatePointOfTax=Punto di imposta NoInvoice=Nessuna fattura -ClassifyBill=Classificare la fattura -SupplierBillsToPay=Fatture fornitore non pagate -CustomerBillsUnpaid=Fatture cliente non pagate +ClassifyBill=Classificazione fattura +SupplierBillsToPay=Fatture Fornitore non pagate +CustomerBillsUnpaid=Fatture attive non pagate NonPercuRecuperable=Non recuperabile -SetConditions=Imposta i termini di pagamento -SetMode=Imposta il tipo di pagamento -SetRevenuStamp=Imposta il timbro delle entrate -Billed=fatturato +SetConditions=Imposta Termini di Pagamento +SetMode=Set Payment Type +SetRevenuStamp=Imposta marca da bollo +Billed=Fatturati RecurringInvoices=Fatture ricorrenti -RepeatableInvoice=Fattura modello -RepeatableInvoices=Fatture modello +RepeatableInvoice=Modello fattura +RepeatableInvoices=Modello fatture Repeatable=Modello Repeatables=Modelli -ChangeIntoRepeatableInvoice=Converti in fattura modello -CreateRepeatableInvoice=Crea fattura modello -CreateFromRepeatableInvoice=Crea da fattura modello -CustomersInvoicesAndInvoiceLines=Fatture cliente e dettagli fattura -CustomersInvoicesAndPayments=Fatture e pagamenti dei clienti -ExportDataset_invoice_1=Fatture cliente e dettagli fattura -ExportDataset_invoice_2=Fatture e pagamenti dei clienti -ProformaBill=Conto proforma: -Reduction=Riduzione -ReductionShort=Disco. -Reductions=riduzioni -ReductionsShort=Sconti -Discounts=sconti -AddDiscount=Crea uno sconto -AddRelativeDiscount=Crea uno sconto relativo +ChangeIntoRepeatableInvoice=Converti in modello di fattura +CreateRepeatableInvoice=Crea modello di fattura +CreateFromRepeatableInvoice=Crea da modello di fattura +CustomersInvoicesAndInvoiceLines=Customer invoices and invoice details +CustomersInvoicesAndPayments=Fatture attive e pagamenti +ExportDataset_invoice_1=Customer invoices and invoice details +ExportDataset_invoice_2=Fatture clienti e pagamenti +ProformaBill=Fattura proforma: +Reduction=Sconto +ReductionShort=Disc. +Reductions=Sconti +ReductionsShort=Disc. +Discounts=Sconti +AddDiscount=Crea sconto +AddRelativeDiscount=Crea sconto relativo EditRelativeDiscount=Modifica lo sconto relativo -AddGlobalDiscount=Crea uno sconto assoluto -EditGlobalDiscounts=Modifica sconti assoluti +AddGlobalDiscount=Creare sconto globale +EditGlobalDiscounts=Modifica sconti globali AddCreditNote=Crea nota di credito -ShowDiscount=Mostra sconto -ShowReduc=Mostra lo sconto +ShowDiscount=Visualizza sconto +ShowReduc=Mostra la ritenuta* ShowSourceInvoice=Mostra la fattura di origine RelativeDiscount=Sconto relativo -GlobalDiscount=Sconto globale +GlobalDiscount=Sconto assoluto CreditNote=Nota di credito CreditNotes=Note di credito -CreditNotesOrExcessReceived=Note di credito o eccedenze ricevute -Deposit=Acconto -Deposits=Acconti -DiscountFromCreditNote=Sconto dalla nota di credito %s -DiscountFromDeposit=Anticipi dalla fattura %s -DiscountFromExcessReceived=Pagamenti in eccesso rispetto alla fattura %s -DiscountFromExcessPaid=Pagamenti in eccesso rispetto alla fattura %s -AbsoluteDiscountUse=Questo tipo di credito può essere utilizzato sulla fattura prima della sua convalida -CreditNoteDepositUse=La fattura deve essere convalidata per utilizzare questo tipo di crediti -NewGlobalDiscount=Nuovo sconto assoluto +CreditNotesOrExcessReceived=Credit notes or excess received +Deposit=Anticipo +Deposits=Anticipi +DiscountFromCreditNote=Sconto da nota di credito per %s +DiscountFromDeposit=Anticipi per fatture %s +DiscountFromExcessReceived=Pagamenti in eccesso della fattura %s +DiscountFromExcessPaid=Pagamenti in eccesso della fattura %s +AbsoluteDiscountUse=Questo tipo di credito può essere utilizzato su fattura prima della sua convalida +CreditNoteDepositUse=La fattura deve essere convalidata per l'utilizzo di questo credito +NewGlobalDiscount=Nuovo sconto globale NewRelativeDiscount=Nuovo sconto relativo -DiscountType=Tipo di sconto -NoteReason=Nota / Motivo -ReasonDiscount=Motivo -DiscountOfferedBy=Garantito da -DiscountStillRemaining=Sconti o crediti disponibili -DiscountAlreadyCounted=Sconti o crediti già consumati -CustomerDiscounts=Sconti per i clienti -SupplierDiscounts=Sconti per i venditori +DiscountType=Tipo sconto +NoteReason=Note/Motivo +ReasonDiscount=Motivo dello sconto +DiscountOfferedBy=Sconto concesso da +DiscountStillRemaining=Discounts or credits available +DiscountAlreadyCounted=Discounts or credits already consumed +CustomerDiscounts=Sconto clienti +SupplierDiscounts=Vendors discounts BillAddress=Indirizzo di fatturazione -HelpEscompte=Questo sconto è uno sconto concesso al cliente perché il pagamento è stato effettuato prima del termine. -HelpAbandonBadCustomer=Questo importo è stato abbandonato (il cliente è considerato un cattivo cliente) ed è considerato una perdita eccezionale. -HelpAbandonOther=Questo importo è stato abbandonato a causa di un errore (ad esempio cliente o fattura errati sostituiti da un altro) -IdSocialContribution=ID pagamento fiscale sociale / fiscale -PaymentId=ID pagamento -PaymentRef=Rif. Pagamento -InvoiceId=Codice di identificazione della fattura -InvoiceRef=Fattura rif. -InvoiceDateCreation=Data di creazione della fattura -InvoiceStatus=Stato della fattura -InvoiceNote=Nota fattura +HelpEscompte=This discount is a discount granted to customer because payment was made before term. +HelpAbandonBadCustomer=This amount has been abandoned (customer said to be a bad customer) and is considered as an exceptional loss. +HelpAbandonOther=This amount has been abandoned since it was an error (wrong customer or invoice replaced by another for example) +IdSocialContribution=Id imposte sociali/fiscali +PaymentId=Id Pagamento +PaymentRef=Rif. pagamento +InvoiceId=Id fattura +InvoiceRef=Rif. Fattura +InvoiceDateCreation=Data di creazione fattura +InvoiceStatus=Stato Fattura +InvoiceNote=Nota Fattura InvoicePaid=Fattura pagata InvoicePaidCompletely=Paid completely InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. -OrderBilled=Ordine fatturato -DonationPaid=Donazione pagata -PaymentNumber=Numero di pagamento -RemoveDiscount=Rimuovi sconto -WatermarkOnDraftBill=Filigrana su fatture bozze (nulla se vuoto) -InvoiceNotChecked=Nessuna fattura selezionata -ConfirmCloneInvoice=Sei sicuro di voler clonare questa fattura %s ? -DisabledBecauseReplacedInvoice=Azione disabilitata perché la fattura è stata sostituita -DescTaxAndDividendsArea=Questa area presenta un riepilogo di tutti i pagamenti effettuati per spese speciali. Sono inclusi solo i record con pagamenti durante l'anno fisso. -NbOfPayments=Numero di pagamenti -SplitDiscount=Sconto diviso in due -ConfirmSplitDiscount=Sei sicuro di voler dividere questo sconto di %s %s in due sconti minori? -TypeAmountOfEachNewDiscount=Importo di input per ciascuna delle due parti: -TotalOfTwoDiscountMustEqualsOriginal=Il totale dei due nuovi sconti deve essere uguale all'importo dello sconto originale. -ConfirmRemoveDiscount=Sei sicuro di voler rimuovere questo sconto? -RelatedBill=Fattura relativa +OrderBilled=Order billed +DonationPaid=Donation paid +PaymentNumber=Numero del pagamento +RemoveDiscount=Eiminare sconto +WatermarkOnDraftBill=Filigrana sulla bozza di fatture (se presente) +InvoiceNotChecked=Fattura non selezionata +ConfirmCloneInvoice=Sei sicuro di voler clonare la fattura %s? +DisabledBecauseReplacedInvoice=Disabilitata perché la fattura è stata sostituita +DescTaxAndDividendsArea=This area presents a summary of all payments made for special expenses. Only records with payments during the fixed year are included here. +NbOfPayments=No. of payments +SplitDiscount=Dividi lo sconto in due +ConfirmSplitDiscount=Are you sure you want to split this discount of %s %s into two smaller discounts? +TypeAmountOfEachNewDiscount=Input amount for each of two parts: +TotalOfTwoDiscountMustEqualsOriginal=The total of the two new discounts must be equal to the original discount amount. +ConfirmRemoveDiscount=Vuoi davvero eliminare questo sconto? +RelatedBill=Fattura correlata RelatedBills=Fatture correlate -RelatedCustomerInvoices=Fatture cliente correlate -RelatedSupplierInvoices=Fatture fornitore correlate +RelatedCustomerInvoices=Fatture attive correlate +RelatedSupplierInvoices=Related vendor invoices LatestRelatedBill=Ultima fattura correlata -WarningBillExist=Attenzione, esistono già una o più fatture -MergingPDFTool=Unione di strumento PDF -AmountPaymentDistributedOnInvoice=Importo del pagamento distribuito sulla fattura -PaymentOnDifferentThirdBills=Consentire pagamenti su fatture di terze parti diverse ma della stessa società madre +WarningBillExist=Warning, one or more invoices already exist +MergingPDFTool=Strumento di fusione dei PDF +AmountPaymentDistributedOnInvoice=Importo del pagamento distribuito in fattura +PaymentOnDifferentThirdBills=Allow payments on different third parties bills but same parent company PaymentNote=Nota di pagamento -ListOfPreviousSituationInvoices=Elenco delle fatture relative alla situazione precedente -ListOfNextSituationInvoices=Elenco delle fatture della situazione successiva -ListOfSituationInvoices=Elenco delle fatture di situazione -CurrentSituationTotal=Situazione attuale totale -DisabledBecauseNotEnouthCreditNote=Per rimuovere una fattura di situazione dal ciclo, il totale della nota di credito di questa fattura deve coprire questo totale della fattura -RemoveSituationFromCycle=Rimuovi questa fattura dal ciclo -ConfirmRemoveSituationFromCycle=Rimuovere questa fattura %s dal ciclo? -ConfirmOuting=Conferma uscita +ListOfPreviousSituationInvoices=Elenco delle fatture di avanzamento lavori precedenti +ListOfNextSituationInvoices=Elenco delle prossime fatture di avanzamento lavori +ListOfSituationInvoices=List of situation invoices +CurrentSituationTotal=Total current situation +DisabledBecauseNotEnouthCreditNote=To remove a situation invoice from cycle, this invoice's credit note total must cover this invoice total +RemoveSituationFromCycle=Remove this invoice from cycle +ConfirmRemoveSituationFromCycle=Remove this invoice %s from cycle ? +ConfirmOuting=Confirm outing FrequencyPer_d=Ogni %s giorni FrequencyPer_m=Ogni %s mesi FrequencyPer_y=Ogni %s anni FrequencyUnit=Unità di frequenza -toolTipFrequency=Esempi:
Set 7, Day : dare una nuova fattura ogni 7 giorni
Set 3, Month : dare una nuova fattura ogni 3 mesi +toolTipFrequency=Esempi:
Imposta 7, giorno: invia una nuova fattura ogni 7 giorni
Imposta 3, mese : invia una nuova fattura ogni 3 mesi NextDateToExecution=Data per la prossima generazione di fattura -NextDateToExecutionShort=Data prossima generazione. -DateLastGeneration=Data di ultima generazione -DateLastGenerationShort=Data ultima generazione -MaxPeriodNumber=Max. numero di generazione della fattura -NbOfGenerationDone=Numero di generazione della fattura già effettuata -NbOfGenerationDoneShort=Numero di generazione effettuata -MaxGenerationReached=Numero massimo di generazioni raggiunte -InvoiceAutoValidate=Convalida automaticamente le fatture -GeneratedFromRecurringInvoice=Generato dalla fattura ricorrente del modello %s +NextDateToExecutionShort=Data successiva gen. +DateLastGeneration=Data dell'ultima generazione +DateLastGenerationShort=Data ultima gen. +MaxPeriodNumber=Max. number of invoice generation +NbOfGenerationDone=Numero di fatture generate già create +NbOfGenerationDoneShort=Numero di generazione eseguita +MaxGenerationReached=Numero massimo di generazioni raggiunto +InvoiceAutoValidate=Convalida le fatture automaticamente +GeneratedFromRecurringInvoice=Fattura ricorrente %s generata dal modello DateIsNotEnough=Data non ancora raggiunta -InvoiceGeneratedFromTemplate=Fattura %s generata dalla fattura del modello ricorrente %s -GeneratedFromTemplate=Generato dalla fattura modello %s -WarningInvoiceDateInFuture=Attenzione, la data della fattura è superiore alla data corrente -WarningInvoiceDateTooFarInFuture=Attenzione, la data della fattura è troppo lontana dalla data corrente -ViewAvailableGlobalDiscounts=Visualizza gli sconti disponibili +InvoiceGeneratedFromTemplate=Fattura %s generata da modello ricorrente %s +GeneratedFromTemplate=Generated from template invoice %s +WarningInvoiceDateInFuture=Attenzione, la data della fattura è successiva alla data odierna +WarningInvoiceDateTooFarInFuture=Attenzione, la data della fattura è troppo lontana dalla data odierna +ViewAvailableGlobalDiscounts=Mostra gli sconti disponibili # PaymentConditions Statut=Stato -PaymentConditionShortRECEP=Dovuto alla ricevuta -PaymentConditionRECEP=Dovuto alla ricevuta +PaymentConditionShortRECEP=Rimessa diretta +PaymentConditionRECEP=Rimessa diretta PaymentConditionShort30D=30 giorni -PaymentCondition30D=30 giorni -PaymentConditionShort30DENDMONTH=30 giorni di fine mese -PaymentCondition30DENDMONTH=Entro 30 giorni dalla fine del mese +PaymentCondition30D=Pagamento a 30 giorni +PaymentConditionShort30DENDMONTH=30 giorni fine mese +PaymentCondition30DENDMONTH=Pagamento a 30 giorni fine mese PaymentConditionShort60D=60 giorni -PaymentCondition60D=60 giorni -PaymentConditionShort60DENDMONTH=60 giorni di fine mese -PaymentCondition60DENDMONTH=Entro 60 giorni dalla fine del mese +PaymentCondition60D=Pagamento a 60 giorni +PaymentConditionShort60DENDMONTH=60 giorni fine mese +PaymentCondition60DENDMONTH=Pagamento a 60 giorni fine mese PaymentConditionShortPT_DELIVERY=Consegna -PaymentConditionPT_DELIVERY=In consegna +PaymentConditionPT_DELIVERY=Alla consegna PaymentConditionShortPT_ORDER=Ordine -PaymentConditionPT_ORDER=Su ordine +PaymentConditionPT_ORDER=Al momento dell'ordine PaymentConditionShortPT_5050=50-50 -PaymentConditionPT_5050=50%% in anticipo, 50%% alla consegna +PaymentConditionPT_5050=50%% all'ordine, 50%% alla consegna* PaymentConditionShort10D=10 giorni -PaymentCondition10D=10 giorni -PaymentConditionShort10DENDMONTH=10 giorni di fine mese -PaymentCondition10DENDMONTH=Entro 10 giorni dalla fine del mese +PaymentCondition10D=Pagamento a 10 giorni +PaymentConditionShort10DENDMONTH=10 giorni fine mese +PaymentCondition10DENDMONTH=Pagamento a 10 giorni fine mese PaymentConditionShort14D=14 giorni -PaymentCondition14D=14 giorni -PaymentConditionShort14DENDMONTH=14 giorni di fine mese -PaymentCondition14DENDMONTH=Entro 14 giorni dalla fine del mese -FixAmount=Importo fisso +PaymentCondition14D=Pagamento a 14 giorni +PaymentConditionShort14DENDMONTH=14 giorni fine mese +PaymentCondition14DENDMONTH=Pagamento a 14 giorni fine mese +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Importo variabile (%% tot.) -VarAmountOneLine=Importo variabile (%% tot.) - 1 riga con etichetta '%s' +VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType PaymentTypeVIR=Bonifico bancario PaymentTypeShortVIR=Bonifico bancario -PaymentTypePRE=Ordine di pagamento con addebito diretto -PaymentTypeShortPRE=Addebito ordine di pagamento -PaymentTypeLIQ=Contanti +PaymentTypePRE=Domiciliazione bancaria +PaymentTypeShortPRE=Domicil. banc. +PaymentTypeLIQ=Pagamento in contanti PaymentTypeShortLIQ=Contanti PaymentTypeCB=Carta di credito PaymentTypeShortCB=Carta di credito -PaymentTypeCHQ=Dai un'occhiata -PaymentTypeShortCHQ=Dai un'occhiata -PaymentTypeTIP=SUGGERIMENTO (documenti a pagamento) -PaymentTypeShortTIP=SUGGERIMENTO Pagamento -PaymentTypeVAD=Pagamento online -PaymentTypeShortVAD=Pagamento online -PaymentTypeTRA=bonifico bancario -PaymentTypeShortTRA=Bozza +PaymentTypeCHQ=Assegno +PaymentTypeShortCHQ=Assegno +PaymentTypeTIP=TIP (Documenti contro pagamenti) +PaymentTypeShortTIP=TIP pagamenti +PaymentTypeVAD=Online payment +PaymentTypeShortVAD=Online payment +PaymentTypeTRA=Assegno circolare +PaymentTypeShortTRA=Assegno circolare PaymentTypeFAC=Fattore PaymentTypeShortFAC=Fattore -BankDetails=coordinate bancarie -BankCode=codice bancario -DeskCode=Codice della filiale -BankAccountNumber=Numero di conto -BankAccountNumberKey=checksum +BankDetails=Dati banca +BankCode=ABI +DeskCode=Branch code +BankAccountNumber=C.C. +BankAccountNumberKey=Checksum Residence=Indirizzo -IBANNumber=Numero di conto IBAN +IBANNumber=Codice IBAN IBAN=IBAN -BIC=BIC / SWIFT -BICNumber=Codice BIC / SWIFT -ExtraInfos=Informazioni extra -RegulatedOn=Regolamentato il -ChequeNumber=Controlla N ° -ChequeOrTransferNumber=Controlla / Trasferisci N ° -ChequeBordereau=Controlla il programma -ChequeMaker=Controllare / trasferire trasmettitore -ChequeBank=Bank of Cheque -CheckBank=Dai un'occhiata -NetToBePaid=Netto da pagare +BIC=BIC/SWIFT +BICNumber=Codice BIC/SWIFT +ExtraInfos=Extra info +RegulatedOn=Regolamentato su +ChequeNumber=Assegno N° +ChequeOrTransferNumber=Assegno/Bonifico N° +ChequeBordereau=Controlla programma +ChequeMaker=Traente dell'assegno +ChequeBank=Banca emittente +CheckBank=Controllo +NetToBePaid=Netto a pagare PhoneNumber=Tel FullPhoneNumber=Telefono TeleFax=Fax -PrettyLittleSentence=Accettare l'importo dei pagamenti dovuti dagli assegni emessi a mio nome come membro di un'associazione contabile approvata dall'amministrazione fiscale. -IntracommunityVATNumber=Partita IVA intracomunitaria -PaymentByChequeOrderedTo=I pagamenti tramite assegno (tasse incluse) sono pagabili a %s, inviare a -PaymentByChequeOrderedToShort=Verificare i pagamenti (tasse incluse) a -SendTo=inviato a -PaymentByTransferOnThisBankAccount=Pagamento tramite bonifico sul seguente conto bancario -VATIsNotUsedForInvoice=* IVA non applicabile art. 293B del CGI -LawApplicationPart1=Con l'applicazione della legge 80.335 del 12/05/80 -LawApplicationPart2=i beni rimangono di proprietà di -LawApplicationPart3=il venditore fino al completo pagamento di -LawApplicationPart4=il loro prezzo. -LimitedLiabilityCompanyCapital=SARL con capitale di -UseLine=Applicare +PrettyLittleSentence=L'importo dei pagamenti in assegni emessi in nome mio viene accettato in qualità di membro di una associazione approvata dalla Amministrazione fiscale. +IntracommunityVATNumber=Intra-Community VAT ID +PaymentByChequeOrderedTo=Check payments (including tax) are payable to %s, send to +PaymentByChequeOrderedToShort=Check payments (incl. tax) are payable to +SendTo=spedire a +PaymentByTransferOnThisBankAccount=Pagamento tramite Bonifico sul seguente Conto Bancario +VATIsNotUsedForInvoice=* Non applicabile IVA art-293B del CGI +LawApplicationPart1=Con l'applicazione della legge 80.335 del 12/05/80 +LawApplicationPart2=I beni restano di proprietà della +LawApplicationPart3=the seller until full payment of +LawApplicationPart4=del loro prezzo. +LimitedLiabilityCompanyCapital=SRL con capitale di +UseLine=Applica UseDiscount=Usa lo sconto -UseCredit=Usa credito -UseCreditNoteInInvoicePayment=Ridurre l'importo da pagare con questo credito -MenuChequeDeposits=Controlla i depositi -MenuCheques=controlli -MenuChequesReceipts=Controlla le ricevute -NewChequeDeposit=Nuovo deposito -ChequesReceipts=Controlla le ricevute -ChequesArea=Controlla l'area dei depositi -ChequeDeposits=Controlla i depositi -Cheques=controlli -DepositId=Deposito ID -NbCheque=Numero di controlli +UseCredit=Utilizza il credito +UseCreditNoteInInvoicePayment=Riduci l'ammontare del pagamento con la nota di credito +MenuChequeDeposits=Check Deposits +MenuCheques=Assegni +MenuChequesReceipts=Check receipts +NewChequeDeposit=Nuovo acconto +ChequesReceipts=Check receipts +ChequesArea=Check deposits area +ChequeDeposits=Check deposits +Cheques=Assegni +DepositId=ID deposito +NbCheque=Numero di assegni CreditNoteConvertedIntoDiscount=Questo %s è stato convertito in %s -UsBillingContactAsIncoiveRecipientIfExist=Utilizzare il contatto / indirizzo con il tipo "contatto di fatturazione" anziché l'indirizzo di terze parti come destinatario per le fatture +UsBillingContactAsIncoiveRecipientIfExist=Use contact/address with type 'billing contact' instead of third-party address as recipient for invoices ShowUnpaidAll=Mostra tutte le fatture non pagate -ShowUnpaidLateOnly=Mostra solo fatture non pagate in ritardo -PaymentInvoiceRef=Fattura di pagamento %s +ShowUnpaidLateOnly=Visualizza solo fatture con pagamento in ritardo +PaymentInvoiceRef=Pagamento fattura %s ValidateInvoice=Convalida fattura -ValidateInvoices=Convalida fatture +ValidateInvoices=Fatture convalidate Cash=Contanti -Reported=Ritardato -DisabledBecausePayments=Non possibile poiché ci sono alcuni pagamenti -CantRemovePaymentWithOneInvoicePaid=Impossibile rimuovere il pagamento poiché è stata pagata almeno una fattura classificata +Reported=Segnalato +DisabledBecausePayments=Impossibile perché ci sono dei pagamenti +CantRemovePaymentWithOneInvoicePaid=Impossibile rimuovere il pagamento. C'è almeno una fattura classificata come pagata ExpectedToPay=Pagamento previsto -CantRemoveConciliatedPayment=Impossibile rimuovere il pagamento riconciliato -PayedByThisPayment=Pagato da questo pagamento -ClosePaidInvoicesAutomatically=Classificare automaticamente tutte le fatture standard, di acconto o di sostituzione come "Pagate" quando il pagamento viene eseguito interamente. -ClosePaidCreditNotesAutomatically=Classificare automaticamente tutte le note di credito come "Pagate" al momento del rimborso. -ClosePaidContributionsAutomatically=Classificare automaticamente tutti i contributi sociali o fiscali come "Pagati" quando il pagamento viene eseguito interamente. -AllCompletelyPayedInvoiceWillBeClosed=Tutte le fatture senza resto da pagare verranno automaticamente chiuse con lo stato "Pagato". -ToMakePayment=pagare -ToMakePaymentBack=Restituire -ListOfYourUnpaidInvoices=Elenco delle fatture non pagate +CantRemoveConciliatedPayment=Can't remove reconciled payment +PayedByThisPayment=Pagato con questo pagamento +ClosePaidInvoicesAutomatically=Classify "Paid" all standard, down-payment or replacement invoices paid entirely. +ClosePaidCreditNotesAutomatically=Classifica come "Pagata" tutte le note di credito interamente rimborsate +ClosePaidContributionsAutomatically=Classify "Paid" all social or fiscal contributions paid entirely. +AllCompletelyPayedInvoiceWillBeClosed=All invoices with no remainder to pay will be automatically closed with status "Paid". +ToMakePayment=Paga +ToMakePaymentBack=Rimborsa +ListOfYourUnpaidInvoices=Elenco fatture non pagate NoteListOfYourUnpaidInvoices=Nota: questo elenco contiene solo fatture che hai collegato ad un rappresentante. -RevenueStamp=Timbro delle entrate -YouMustCreateInvoiceFromThird=Questa opzione è disponibile solo quando si crea una fattura dalla scheda "Cliente" di terze parti -YouMustCreateInvoiceFromSupplierThird=Questa opzione è disponibile solo quando si crea una fattura dalla scheda "Venditore" di terze parti -YouMustCreateStandardInvoiceFirstDesc=Devi prima creare una fattura standard e convertirla in "modello" per creare una nuova fattura modello -PDFCrabeDescription=Fattura modello PDF Crabe. Un modello di fattura completo (modello consigliato) -PDFSpongeDescription=Fattura modello PDF Spugna. Un modello di fattura completo -PDFCrevetteDescription=Fattura modello PDF Crevette. Un modello di fattura completo per le fatture di situazione -TerreNumRefModelDesc1=Restituisce il numero con il formato %syymm-nnnn per le fatture standard e %syymm-nnnn per le note di accredito in cui yy è l'anno, mm è il mese e nnnn è una sequenza senza interruzioni e nessun ritorno a 0 -MarsNumRefModelDesc1=numero di rientro con il formato %syymm-nnnn per le fatture standard, %syymm-nnnn per le fatture di sostituzione, %syymm-nnnn per le fatture di acconto e %syymm-nnnn per le note di credito, dove aa è l'anno, MM è il mese e nnnn è una sequenza senza pausa e senza ritorna a 0 -TerreNumRefModelError=Una fattura che inizia con $ syymm esiste già e non è compatibile con questo modello di sequenza. Rimuovilo o rinominalo per attivare questo modulo. -CactusNumRefModelDesc1=Restituire il numero con il formato %syymm-nnnn per le fatture standard, %syymm-nnnn per le note di accredito e %syymm-nnnn per le fatture di acconto dove yy è anno, mm è mese e nnnn è una sequenza con 0 +RevenueStamp=Marca da bollo +YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party +YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party +YouMustCreateStandardInvoiceFirstDesc=Per creare un nuovo modelo bisogna prima creare una fattura normale e poi convertirla. +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template +PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template +PDFCrevetteDescription=Modello di fattura Crevette. Template completo per le fatture (Modello raccomandato) +TerreNumRefModelDesc1=Restituisce un numero nel formato %syymm-nnnn per le fatture, %syymm-nnnn per le note di credito e %syymm-nnnn per i versamenti, dove yy è l'anno, mm è il mese e nnnn è una sequenza progressiva, senza salti e che non si azzera. +MarsNumRefModelDesc1=restituisce un numero nel formato %saamm-nnnn per fatture standard, %syymm-nnnn per le fatture sostitutive, %syymm-nnnn per le note d'addebito e %syymm-nnnn per le note di credito dove yy sta per anno, mm per mese e nnnn è una sequenza progressiva, senza salti e che non si azzera. +TerreNumRefModelError=Un altro modello di numerazione con sequenza $ syymm è già esistente e non è compatibile con questo modello. Rimuovere o rinominare per attivare questo modulo. +CactusNumRefModelDesc1=Restituisce il numero con formato %syymm-nnnn per le fatture standard, %syymm-nnnn per le note di credito e %syymm-nnnn per le fatture di acconto dove yy è l'anno, mm è il mese e nnnn è una sequenza senza interruzioni e senza ritorno a 0 ##### Types de contacts ##### -TypeContact_facture_internal_SALESREPFOLL=Fattura cliente di follow-up rappresentativa -TypeContact_facture_external_BILLING=Contatto fattura cliente -TypeContact_facture_external_SHIPPING=Contatto per la spedizione del cliente -TypeContact_facture_external_SERVICE=Contatto del servizio clienti -TypeContact_invoice_supplier_internal_SALESREPFOLL=Fattura rappresentativa del fornitore di follow-up -TypeContact_invoice_supplier_external_BILLING=Contatto fattura fornitore -TypeContact_invoice_supplier_external_SHIPPING=Contatto per la spedizione del fornitore -TypeContact_invoice_supplier_external_SERVICE=Contatto del servizio fornitore +TypeContact_facture_internal_SALESREPFOLL=Responsabile pagamenti clienti +TypeContact_facture_external_BILLING=Contatto fatturazioni clienti +TypeContact_facture_external_SHIPPING=Contatto spedizioni clienti +TypeContact_facture_external_SERVICE=Contatto servizio clienti +TypeContact_invoice_supplier_internal_SALESREPFOLL=Representative following-up vendor invoice +TypeContact_invoice_supplier_external_BILLING=Vendor invoice contact +TypeContact_invoice_supplier_external_SHIPPING=Vendor shipping contact +TypeContact_invoice_supplier_external_SERVICE=Vendor service contact # Situation invoices -InvoiceFirstSituationAsk=Fattura della prima situazione -InvoiceFirstSituationDesc=Le fatture della situazione sono legate a situazioni relative a una progressione, ad esempio la progressione di una costruzione. Ogni situazione è legata a una fattura. -InvoiceSituation=Fattura della situazione -InvoiceSituationAsk=Fattura che segue la situazione -InvoiceSituationDesc=Crea una nuova situazione seguendo una già esistente -SituationAmount=Importo fattura situazione (netto) -SituationDeduction=Sottrazione della situazione +InvoiceFirstSituationAsk=Prima fattura di avanzamento lavori +InvoiceFirstSituationDesc=La fatturazione ad avanzamento lavori è collegata a una progressione e a un avanzamento dello stato del lavoro, ad esempio la progressione di una costruzione. Ogni avanzamento lavori è legato a una fattura. +InvoiceSituation=Fattura ad avanzamento lavori +InvoiceSituationAsk=Fattura a seguito di avanzamento lavori +InvoiceSituationDesc=Crea un nuovo avanzamento lavori a seguito di uno già esistente +SituationAmount=Importo della fattura di avanzamento lavori (al netto delle imposte) +SituationDeduction=Sottrazione avanzamento ModifyAllLines=Modifica tutte le righe -CreateNextSituationInvoice=Crea la prossima situazione -ErrorFindNextSituationInvoice=Errore impossibile trovare il rif. Ciclo situazione successiva -ErrorOutingSituationInvoiceOnUpdate=Impossibile emettere fattura per questa situazione. -ErrorOutingSituationInvoiceCreditNote=Impossibile emettere una nota di credito collegata. -NotLastInCycle=Questa fattura non è l'ultima del ciclo e non deve essere modificata. -DisabledBecauseNotLastInCycle=La prossima situazione esiste già. -DisabledBecauseFinal=Questa situazione è definitiva. -situationInvoiceShortcode_AS=COME -situationInvoiceShortcode_S=S -CantBeLessThanMinPercent=Il progresso non può essere inferiore al suo valore nella situazione precedente. +CreateNextSituationInvoice=Crea il prossimo avanzamento lavori +ErrorFindNextSituationInvoice=Error unable to find next situation cycle ref +ErrorOutingSituationInvoiceOnUpdate=Unable to outing this situation invoice. +ErrorOutingSituationInvoiceCreditNote=Unable to outing linked credit note. +NotLastInCycle=Questa fattura non è la più recente e non può essere modificata +DisabledBecauseNotLastInCycle=Il prossimo avanzamento lavori esiste già +DisabledBecauseFinal=Questo è l'avanzamento lavori finale +situationInvoiceShortcode_AS=AS +situationInvoiceShortcode_S=Dom +CantBeLessThanMinPercent=Il valore dell'avanzamento non può essere inferiore al valore precedente. NoSituations=Nessuna situazione aperta -InvoiceSituationLast=Fattura finale e generale -PDFCrevetteSituationNumber=Situazione N ° %s -PDFCrevetteSituationInvoiceLineDecompte=Fattura situazione - COUNT -PDFCrevetteSituationInvoiceTitle=Fattura della situazione -PDFCrevetteSituationInvoiceLine=Situazione N ° %s: Inv. N ° %s su %s -TotalSituationInvoice=Situazione totale -invoiceLineProgressError=L'avanzamento della riga della fattura non può essere maggiore o uguale alla riga della fattura successiva -updatePriceNextInvoiceErrorUpdateline=Errore: aggiorna il prezzo sulla riga della fattura: %s -ToCreateARecurringInvoice=Per creare una fattura ricorrente per questo contratto, creare prima questa bozza di fattura, quindi convertirla in un modello di fattura e definire la frequenza per la generazione di fatture future. -ToCreateARecurringInvoiceGene=Per generare fatture future regolarmente e manualmente, basta andare sul menu %s - %s - %s . -ToCreateARecurringInvoiceGeneAuto=Se è necessario che tali fatture vengano generate automaticamente, chiedere all'amministratore di abilitare e configurare il modulo %s . Si noti che entrambi i metodi (manuale e automatico) possono essere utilizzati insieme senza alcun rischio di duplicazione. -DeleteRepeatableInvoice=Elimina fattura modello -ConfirmDeleteRepeatableInvoice=Sei sicuro di voler eliminare la fattura del modello? -CreateOneBillByThird=Crea una fattura per terze parti (altrimenti, una fattura per ordine) -BillCreated=%s fatture create +InvoiceSituationLast=Fattura a conclusione lavori +PDFCrevetteSituationNumber=Situazione n°%s +PDFCrevetteSituationInvoiceLineDecompte=Fattura ad avanzamento lavori - COUNT +PDFCrevetteSituationInvoiceTitle=Fattura di avanzamento lavori +PDFCrevetteSituationInvoiceLine=Situation N°%s: Inv. N°%s on %s +TotalSituationInvoice=Totale avanzamento lavori +invoiceLineProgressError=L'avanzamento della riga fattura non può essere maggiore o uguale alla successiva riga fattura +updatePriceNextInvoiceErrorUpdateline=Error: update price on invoice line: %s +ToCreateARecurringInvoice=Per creare una fattura ricorrente per questo contratto, creare inizialmente la bozza di fattura, poi convertirla in un modello di fattura e definire quindi la frequenza di generazione delle future fatture. +ToCreateARecurringInvoiceGene=Per generare regolarmente e manualmente le prossime fatture, basta andare sul menu %s - %s - %s. +ToCreateARecurringInvoiceGeneAuto=If you need to have such invoices generated automatically, ask your administrator to enable and setup module %s. Note that both methods (manual and automatic) can be used together with no risk of duplication. +DeleteRepeatableInvoice=Elimina template di fattura +ConfirmDeleteRepeatableInvoice=Sei sicuro di voler eliminare il modello di fattura? +CreateOneBillByThird=Crea una fattura per soggetto terzo (altrimenti, una fatture per ordine) +BillCreated=%s fattura creata StatusOfGeneratedDocuments=Stato della generazione del documento -DoNotGenerateDoc=Non generare file di documenti -AutogenerateDoc=Generare automaticamente il file di documento -AutoFillDateFrom=Imposta la data di inizio per la linea di servizio con la data della fattura -AutoFillDateFromShort=Imposta la data di inizio -AutoFillDateTo=Imposta la data di fine per la linea di servizio con la data della fattura successiva -AutoFillDateToShort=Imposta la data di fine -MaxNumberOfGenerationReached=Numero massimo di gen. raggiunto -BILL_DELETEInDolibarr=Fattura eliminata +DoNotGenerateDoc=Non generare il documento +AutogenerateDoc=Genera automaticamente il documento +AutoFillDateFrom=Imposta data di inizio per la riga di servizio con la data fattura +AutoFillDateFromShort=Imposta data di inizio +AutoFillDateTo=Imposta data di fine per la riga di servizio con la successiva data fattura +AutoFillDateToShort=Imposta data di fine +MaxNumberOfGenerationReached=Max number of gen. reached +BILL_DELETEInDolibarr=Fattura cancellata diff --git a/htdocs/langs/it_IT/bookmarks.lang b/htdocs/langs/it_IT/bookmarks.lang index 4254e402423..b848ec45265 100644 --- a/htdocs/langs/it_IT/bookmarks.lang +++ b/htdocs/langs/it_IT/bookmarks.lang @@ -18,3 +18,4 @@ SetHereATitleForLink=Dai un titolo al segnalibro UseAnExternalHttpLinkOrRelativeDolibarrLink=Usa un indirizzo http esterno o uno relativo a Dolibarr ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Scegli se la pagina collegata deve essera aperta in una nuova finestra oppure no BookmarksManagement=Gestione segnalibri +BookmarksMenuShortCut=Ctrl + Maiusc + m diff --git a/htdocs/langs/it_IT/boxes.lang b/htdocs/langs/it_IT/boxes.lang index 42389e001eb..33a3614472e 100644 --- a/htdocs/langs/it_IT/boxes.lang +++ b/htdocs/langs/it_IT/boxes.lang @@ -1,18 +1,18 @@ # Dolibarr language file - Source file is en_US - boxes -BoxLoginInformation=informazioni di accesso -BoxLastRssInfos=Informazioni RSS -BoxLastProducts=Ultimi prodotti / servizi %s +BoxLoginInformation=Informazioni di login +BoxLastRssInfos=RSS Information +BoxLastProducts=Latest %s Products/Services BoxProductsAlertStock=Avvisi per le scorte di prodotti BoxLastProductsInContract=Ultimi %s prodotti/servizi contrattualizzati -BoxLastSupplierBills=Ultime fatture fornitore -BoxLastCustomerBills=Ultime fatture cliente +BoxLastSupplierBills=Latest Vendor invoices +BoxLastCustomerBills=Latest Customer invoices BoxOldestUnpaidCustomerBills=Ultime fatture attive non pagate -BoxOldestUnpaidSupplierBills=Fatture fornitore non pagate più vecchie +BoxOldestUnpaidSupplierBills=Fatture Fornitore non pagate più vecchie BoxLastProposals=Ultime proposte commerciali BoxLastProspects=Ultimi clienti potenziali modificati BoxLastCustomers=Ultimi clienti modificati BoxLastSuppliers=Ultimi fornitori modificati -BoxLastCustomerOrders=Ultimi ordini di vendita +BoxLastCustomerOrders=Ultimi Ordini Cliente BoxLastActions=Ultime azioni BoxLastContracts=Ultimi contratti BoxLastContacts=Ultimi contatti/indirizzi @@ -21,26 +21,26 @@ BoxFicheInter=Ultimi interventi BoxCurrentAccounts=Saldo conti aperti BoxTitleMemberNextBirthdays=Compleanni di questo mese (membri) BoxTitleLastRssInfos=Ultime %s notizie da %s -BoxTitleLastProducts=Prodotti / servizi: ultimo %s modificato -BoxTitleProductsAlertStock=Prodotti: allarme stock +BoxTitleLastProducts=Products/Services: last %s modified +BoxTitleProductsAlertStock=Prodotti: allerta scorte BoxTitleLastSuppliers=Ultimi %s ordini fornitore -BoxTitleLastModifiedSuppliers=Fornitori: ultimo %s modificato -BoxTitleLastModifiedCustomers=Clienti: ultimo %s modificato +BoxTitleLastModifiedSuppliers=Fornitori: ultimi %s modificati +BoxTitleLastModifiedCustomers=Clienti: ultimi %s modificati BoxTitleLastCustomersOrProspects=Ultimi %s clienti o potenziali clienti -BoxTitleLastCustomerBills=Fatture cliente %s più recenti -BoxTitleLastSupplierBills=%s fatture fornitore più recenti -BoxTitleLastModifiedProspects=Prospettive: ultimo %s modificato -BoxTitleLastModifiedMembers=Ultimi membri %s +BoxTitleLastCustomerBills=Ultime %s Fatture Cliente +BoxTitleLastSupplierBills=Ultime %sFatture Fornitore +BoxTitleLastModifiedProspects=Clienti potenziali: ultimi %s modificati +BoxTitleLastModifiedMembers=Ultimi %s membri BoxTitleLastFicheInter=Ultimi %s interventi modificati -BoxTitleOldestUnpaidCustomerBills=Fatture cliente: la più vecchia %s non pagata -BoxTitleOldestUnpaidSupplierBills=Fatture fornitore: la più vecchia %s non pagata -BoxTitleCurrentAccounts=Conti aperti: saldi +BoxTitleOldestUnpaidCustomerBills=Fatture cliente: %s non pagate più vecchie +BoxTitleOldestUnpaidSupplierBills=Fatture fornitori: %s più vecchie non pagate +BoxTitleCurrentAccounts=Conti aperti: bilanci BoxTitleSupplierOrdersAwaitingReception=Ordini dei fornitori in attesa di ricezione -BoxTitleLastModifiedContacts=Contatti / indirizzi: ultimo %s modificato -BoxMyLastBookmarks=Segnalibri: ultimo %s +BoxTitleLastModifiedContacts=Contacts/Addresses: last %s modified +BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Servizi scaduti da più tempo ancora attivi BoxLastExpiredServices=Ultimi %s contatti con servizi scaduti ancora attivi -BoxTitleLastActionsToDo=Ultime azioni %s da fare +BoxTitleLastActionsToDo=Ultime %s azioni da fare BoxTitleLastContracts=Ultimi %s contratti modificati BoxTitleLastModifiedDonations=Ultime %s donazioni modificate BoxTitleLastModifiedExpenses=Ultime %s note spese modificate @@ -49,54 +49,54 @@ BoxTitleLatestModifiedMos=Ultimi %s ordini di produzione modificati BoxGlobalActivity=Attività generale (fatture, proposte, ordini) BoxGoodCustomers=Buoni clienti BoxTitleGoodCustomers=%s Buoni clienti -FailedToRefreshDataInfoNotUpToDate=Aggiornamento del flusso RSS non riuscito. Ultima data di aggiornamento riuscita: %s +FailedToRefreshDataInfoNotUpToDate=Aggiornamento del flusso RSS fallito. Data dell'ultimo aggiornamento valido: %s LastRefreshDate=Data dell'ultimo aggiornamento NoRecordedBookmarks=Nessun segnalibro presente ClickToAdd=Clicca qui per aggiungere NoRecordedCustomers=Nessun cliente registrato NoRecordedContacts=Nessun contatto registrato NoActionsToDo=Nessuna azione da fare -NoRecordedOrders=Nessun ordine cliente registrato +NoRecordedOrders=Nessun Ordine Cliente registrato NoRecordedProposals=Nessuna proposta registrata NoRecordedInvoices=Nessuna fattura attiva registrata NoUnpaidCustomerBills=Nessuna fattura attiva non pagata -NoUnpaidSupplierBills=Nessuna fattura fornitore non pagata -NoModifiedSupplierBills=Nessuna fattura del fornitore registrata +NoUnpaidSupplierBills=Nessuna Fattura Fornitore non pagata +NoModifiedSupplierBills=No recorded vendor invoices NoRecordedProducts=Nessun prodotto/servizio registrato NoRecordedProspects=Nessun potenziale cliente registrato NoContractedProducts=Nessun prodotto/servizio contrattualizzato NoRecordedContracts=Nessun contratto registrato NoRecordedInterventions=Non ci sono interventi registrati -BoxLatestSupplierOrders=Ultimi ordini di acquisto +BoxLatestSupplierOrders=Latest purchase orders BoxLatestSupplierOrdersAwaitingReception=Ultimi ordini di acquisto (con una ricezione in sospeso) -NoSupplierOrder=Nessun ordine di acquisto registrato +NoSupplierOrder=No recorded purchase order BoxCustomersInvoicesPerMonth=Fatture cliente al mese -BoxSuppliersInvoicesPerMonth=Fatture fornitore al mese -BoxCustomersOrdersPerMonth=Ordini di vendita al mese -BoxSuppliersOrdersPerMonth=Ordini fornitore al mese +BoxSuppliersInvoicesPerMonth=Vendor Invoices per month +BoxCustomersOrdersPerMonth=Ordini Cliente per mese +BoxSuppliersOrdersPerMonth=Vendor Orders per month BoxProposalsPerMonth=proposte al mese -NoTooLowStockProducts=Nessun prodotto è al di sotto del limite di scorta basso -BoxProductDistribution=Distribuzione di prodotti / servizi -ForObject=Su %s -BoxTitleLastModifiedSupplierBills=Fatture fornitore: ultima %s modificata -BoxTitleLatestModifiedSupplierOrders=Ordini fornitore: ultimo %s modificato -BoxTitleLastModifiedCustomerBills=Fatture cliente: ultima %s modificata -BoxTitleLastModifiedCustomerOrders=Ordini cliente: ultimo %s modificato -BoxTitleLastModifiedPropals=Ultime proposte modificate %s +NoTooLowStockProducts=Nessun prodotto sotto la soglia minima di scorte +BoxProductDistribution=Distribuzione prodotti/servizi +ForObject=On %s +BoxTitleLastModifiedSupplierBills=Vendor Invoices: last %s modified +BoxTitleLatestModifiedSupplierOrders=Vendor Orders: last %s modified +BoxTitleLastModifiedCustomerBills=Customer Invoices: last %s modified +BoxTitleLastModifiedCustomerOrders=Ordini: ultimi %s modificati +BoxTitleLastModifiedPropals=Ultime %s proposte modificate ForCustomersInvoices=Fatture attive ForCustomersOrders=Ordini cliente -ForProposals=proposte +ForProposals=Proposte LastXMonthRolling=Ultimi %s mesi ChooseBoxToAdd=Aggiungi widget alla dashboard BoxAdded=Widget aggiunto al pannello principale -BoxTitleUserBirthdaysOfMonth=Compleanni di questo mese (utenti) +BoxTitleUserBirthdaysOfMonth=Birthdays of this month BoxLastManualEntries=Ultime registrazioni manuali in contabilità BoxTitleLastManualEntries=%s ultime voci del manuale NoRecordedManualEntries=Nessuna registrazione manuale registrata in contabilità -BoxSuspenseAccount=Conta l'operazione contabile con l'account suspense +BoxSuspenseAccount=Conta l'operazione contabile con l'account suspense BoxTitleSuspenseAccount=Numero di righe non allocate -NumberOfLinesInSuspenseAccount=Numero di riga nell'account suspense -SuspenseAccountNotDefined=L'account Suspense non è definito +NumberOfLinesInSuspenseAccount=Numero di riga nell'account suspense +SuspenseAccountNotDefined=L'account Suspense non è definito BoxLastCustomerShipments=Ultime spedizioni cliente BoxTitleLastCustomerShipments=Latest %s customer shipments NoRecordedShipments=No recorded customer shipment diff --git a/htdocs/langs/it_IT/cashdesk.lang b/htdocs/langs/it_IT/cashdesk.lang index 19d3b15848a..ac71bcbeea7 100644 --- a/htdocs/langs/it_IT/cashdesk.lang +++ b/htdocs/langs/it_IT/cashdesk.lang @@ -25,58 +25,58 @@ Difference=Differenza TotalTicket=Totale del biglietto NoVAT=L'IVA non si applica alla vendita Change=Merce in eccesso ricevuta -BankToPay=Conto per pagamento +BankToPay=Conto per il pagamento ShowCompany=Mostra società ShowStock=Mostra magazzino DeleteArticle=Clicca per rimuovere l'articolo FilterRefOrLabelOrBC=Cerca (Rif/Etichetta) -UserNeedPermissionToEditStockToUsePos=Si chiede di ridurre lo stock al momento della creazione della fattura, pertanto l'utente che utilizza POS deve disporre dell'autorizzazione per modificare lo stock. +UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. DolibarrReceiptPrinter=Stampante di ricevute Dolibarr -PointOfSale=Punto vendita +PointOfSale=Point of Sale PointOfSaleShort=POS -CloseBill=Chiudi Bill -Floors=Piani -Floor=Pavimento -AddTable=Aggiungi tabella -Place=Posto -TakeposConnectorNecesary=Richiesto "TakePOS Connector" -OrderPrinters=Ordina stampanti -SearchProduct=Cerca prodotto +CloseBill=Close Bill +Floors=Floors +Floor=Floor +AddTable=Add table +Place=Place +TakeposConnectorNecesary='TakePOS Connector' required +OrderPrinters=Order printers +SearchProduct=Search product Receipt=Ricevuta -Header=Intestazione -Footer=footer -AmountAtEndOfPeriod=Importo a fine periodo (giorno, mese o anno) -TheoricalAmount=Importo teorico -RealAmount=Importo reale -CashFenceDone=Recinzione in contanti effettuata per il periodo +Header=Header +Footer=Footer +AmountAtEndOfPeriod=Amount at end of period (day, month or year) +TheoricalAmount=Theorical amount +RealAmount=Real amount +CashFenceDone=Cash fence done for the period NbOfInvoices=Numero di fatture -Paymentnumpad=Tipo di pad per inserire il pagamento -Numberspad=Tastierino numerico -BillsCoinsPad=Blocco di monete e banconote -DolistorePosCategory=Moduli TakePOS e altre soluzioni POS per Dolibarr -TakeposNeedsCategories=TakePOS ha bisogno di categorie di prodotti per funzionare -OrderNotes=Note sull'ordine -CashDeskBankAccountFor=Account predefinito da utilizzare per i pagamenti in -NoPaimementModesDefined=Nessuna modalità paiment definita nella configurazione di TakePOS -TicketVatGrouped=Raggruppa l'IVA per aliquota nei biglietti -AutoPrintTickets=Stampa automatica dei biglietti -EnableBarOrRestaurantFeatures=Abilita le funzioni per Bar o Ristorante -ConfirmDeletionOfThisPOSSale=Confermi la cancellazione di questa vendita in corso? -ConfirmDiscardOfThisPOSSale=Vuoi scartare questa vendita in corso? -History=Storia -ValidateAndClose=Convalida e chiudi -Terminal=terminale -NumberOfTerminals=Numero di terminali -TerminalSelect=Seleziona il terminale che desideri utilizzare: -POSTicket=Biglietto POS +Paymentnumpad=Type of Pad to enter payment +Numberspad=Numbers Pad +BillsCoinsPad=Coins and banknotes Pad +DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr +TakeposNeedsCategories=TakePOS needs product categories to work +OrderNotes=Order Notes +CashDeskBankAccountFor=Default account to use for payments in +NoPaimementModesDefined=No paiment mode defined in TakePOS configuration +TicketVatGrouped=Group VAT by rate in tickets +AutoPrintTickets=Automatically print tickets +EnableBarOrRestaurantFeatures=Enable features for Bar or Restaurant +ConfirmDeletionOfThisPOSSale=Do your confirm the deletion of this current sale ? +ConfirmDiscardOfThisPOSSale=Do you want to discard this current sale ? +History=Storico +ValidateAndClose=Validate and close +Terminal=Terminal +NumberOfTerminals=Number of Terminals +TerminalSelect=Select terminal you want to use: +POSTicket=POS Ticket POSTerminal=POS Terminal POSModule=POS Module -BasicPhoneLayout=Usa il layout di base per i telefoni -SetupOfTerminalNotComplete=L'installazione del terminale %s non è completa -DirectPayment=Pagamento diretto -DirectPaymentButton=Pulsante di pagamento in contanti diretto -InvoiceIsAlreadyValidated=La fattura è già stata convalidata -NoLinesToBill=Nessuna linea da fatturare +BasicPhoneLayout=Use basic layout for phones +SetupOfTerminalNotComplete=Setup of terminal %s is not complete +DirectPayment=Direct payment +DirectPaymentButton=Direct cash payment button +InvoiceIsAlreadyValidated=Invoice is already validated +NoLinesToBill=No lines to bill CustomReceipt=Ricevuta personalizzata ReceiptName=Nome ricevuta ProductSupplements=Product Supplements diff --git a/htdocs/langs/it_IT/categories.lang b/htdocs/langs/it_IT/categories.lang index 255e7ccefd4..965f20f55d9 100644 --- a/htdocs/langs/it_IT/categories.lang +++ b/htdocs/langs/it_IT/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Tag/categorie contatti AccountsCategoriesShort=Conti di tag/categorie ProjectsCategoriesShort=Tag/categoria progetti UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Tag / categorie di magazzino ThisCategoryHasNoProduct=Questa categoria non contiene alcun prodotto ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Questa categoria non contiene alcun cliente @@ -75,7 +76,7 @@ CatCusList=Lista delle tag/categorie clienti CatProdList=Elenco delle tag/categorie prodotti CatMemberList=Lista delle tag/categorie membri CatContactList=Lista delle tag/categorie contatti -CatSupLinks=Collegamenti tra fornitori e tag/categorie +CatSupLinks=Collegamenti tra fornitori e tag/categorie CatCusLinks=Collegamenti tra clienti e tag/categorie CatProdLinks=Collegamenti tra prodotti/servizi e tag/categorie CatProJectLinks=Collegamenti tra progetti e tag/categorie @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Aggiungi il seguente prodotto/servizio ShowCategory=Mostra tag/categoria ByDefaultInList=Default nella lista ChooseCategory=Choose category +StocksCategoriesArea=Area categorie magazzini +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Uso o operatore per le categorie diff --git a/htdocs/langs/it_IT/commercial.lang b/htdocs/langs/it_IT/commercial.lang index ea7cab3ad62..ae6a92c63b0 100644 --- a/htdocs/langs/it_IT/commercial.lang +++ b/htdocs/langs/it_IT/commercial.lang @@ -20,8 +20,8 @@ ShowAction=Visualizza azione ActionsReport=Prospetto azioni ThirdPartiesOfSaleRepresentative=Soggetti terzi con agenti di vendita SaleRepresentativesOfThirdParty=Agenti di vendita di soggetti terzi -SalesRepresentative=Agente -SalesRepresentatives=Agenti +SalesRepresentative=Venditore +SalesRepresentatives=Venditori SalesRepresentativeFollowUp=Venditore (di follow-up) SalesRepresentativeSignature=Venditore (firma) NoSalesRepresentativeAffected=Nessun venditore interessato @@ -52,14 +52,14 @@ ActionAC_TEL=Telefonata ActionAC_FAX=Invia fax ActionAC_PROP=Invia proposta ActionAC_EMAIL=Invia email -ActionAC_EMAIL_IN=Ricezione email +ActionAC_EMAIL_IN=Reception of Email ActionAC_RDV=Riunione ActionAC_INT=Intervento presso cliente ActionAC_FAC=Invia fattura ActionAC_REL=Invia la fattura (promemoria) ActionAC_CLO=Chiudere ActionAC_EMAILING=Invia email di massa -ActionAC_COM=Invia ordine di vendita via mail +ActionAC_COM=Per inviare via email ActionAC_SHIP=Invia spedizione per posta ActionAC_SUP_ORD=Invia ordine di acquisto tramite mail ActionAC_SUP_INV=Invia fattura fornitore tramite mail @@ -73,8 +73,8 @@ StatusProsp=Stato del cliente potenziale DraftPropals=Bozze di proposte commerciali NoLimit=Nessun limite ToOfferALinkForOnlineSignature=Link per firma online -WelcomeOnOnlineSignaturePage=Benvenuti nella pagina per accettare proposte commerciali da %s +WelcomeOnOnlineSignaturePage=Welcome to the page to accept commercial proposals from %s ThisScreenAllowsYouToSignDocFrom=Questa schermata consente di accettare e firmare, o rifiutare, un preventivo/proposta commerciale ThisIsInformationOnDocumentToSign=Queste sono informazioni sul documento da accettare o rifiutare -SignatureProposalRef=Firma del preventivo/proposta commerciale %s +SignatureProposalRef=Signature of quote/commercial proposal %s FeatureOnlineSignDisabled=Funzionalità per la firma online disattivata o documento generato prima che la funzione fosse abilitata diff --git a/htdocs/langs/it_IT/companies.lang b/htdocs/langs/it_IT/companies.lang index 5c099dfefb3..d3dbbc93a18 100644 --- a/htdocs/langs/it_IT/companies.lang +++ b/htdocs/langs/it_IT/companies.lang @@ -2,59 +2,59 @@ ErrorCompanyNameAlreadyExists=La società %s esiste già. Scegli un altro nome. ErrorSetACountryFirst=Imposta prima il paese SelectThirdParty=Seleziona un soggetto terzo -ConfirmDeleteCompany=Sei sicuro di voler eliminare questa azienda e tutte le informazioni ereditate? +ConfirmDeleteCompany=Vuoi davvero cancellare questa società e tutte le informazioni relative? DeleteContact=Elimina un contatto/indirizzo -ConfirmDeleteContact=Sei sicuro di voler eliminare questo contatto e tutte le informazioni ereditate? -MenuNewThirdParty=Nuova terza parte +ConfirmDeleteContact=Vuoi davvero eliminare questo contatto e tutte le informazioni connesse? +MenuNewThirdParty=Nuovo soggetto terzo MenuNewCustomer=Nuovo cliente -MenuNewProspect=Nuova prospettiva -MenuNewSupplier=Nuovo venditore +MenuNewProspect=Nuovo cliente potenziale +MenuNewSupplier=Nuovo fornitore MenuNewPrivateIndividual=Nuovo privato -NewCompany=Nuova società (prospetto, cliente, fornitore) -NewThirdParty=Nuova terza parte (potenziale cliente, fornitore) -CreateDolibarrThirdPartySupplier=Crea una terza parte (fornitore) -CreateThirdPartyOnly=Crea terze parti -CreateThirdPartyAndContact=Crea una terza parte + un contatto figlio +NewCompany=Nuova società (cliente, cliente potenziale, fornitore) +NewThirdParty=Nuovo soggetto terzo (cliente potenziale , cliente, fornitore) +CreateDolibarrThirdPartySupplier=Crea un Soggetto terzo (fornitore) +CreateThirdPartyOnly=Crea soggetto terzo +CreateThirdPartyAndContact=Crea un soggetto terzo + un contatto ProspectionArea=Area clienti potenziali IdThirdParty=Id soggetto terzo IdCompany=Id società IdContact=Id contatto Contacts=Contatti/indirizzi -ThirdPartyContacts=Contatti di terze parti -ThirdPartyContact=Contatto / indirizzo di terze parti +ThirdPartyContacts=Contatti del soggetto terzo +ThirdPartyContact=Contatto/indirizzo del soggetto terzo Company=Società CompanyName=Ragione Sociale -AliasNames=Nome alias (commerciale, marchio, ...) +AliasNames=Pseudonimo (commerciale, marchio, ...) AliasNameShort=Pseudonimo Companies=Società -CountryIsInEEC=Il paese è all'interno della Comunità economica europea -PriceFormatInCurrentLanguage=Formato di visualizzazione del prezzo nella lingua e nella valuta correnti -ThirdPartyName=Nome di terze parti -ThirdPartyEmail=Email di terze parti -ThirdParty=Terzo -ThirdParties=Terzi +CountryIsInEEC=Paese appartenente alla Comunità Economica Europea +PriceFormatInCurrentLanguage=Price display format in the current language and currency +ThirdPartyName=Nome Soggetto terzo +ThirdPartyEmail=e-mail Soggetto terzo +ThirdParty=Soggetto terzo +ThirdParties=Soggetti Terzi ThirdPartyProspects=Clienti potenziali ThirdPartyProspectsStats=Clienti potenziali ThirdPartyCustomers=Clienti ThirdPartyCustomersStats=Clienti ThirdPartyCustomersWithIdProf12=Clienti con %s o %s -ThirdPartySuppliers=I venditori -ThirdPartyType=Tipo di terze parti +ThirdPartySuppliers=Fornitori +ThirdPartyType=Tipo di Soggetto terzo Individual=Privato -ToCreateContactWithSameName=Creerà automaticamente un contatto / indirizzo con le stesse informazioni della terza parte sotto la terza parte. Nella maggior parte dei casi, anche se la terza parte è una persona fisica, è sufficiente crearne una terza. +ToCreateContactWithSameName=Will automatically create a contact/address with same information as the third party under the third party. In most cases, even if your third party is a physical person, creating a third party alone is enough. ParentCompany=Società madre Subsidiaries=Controllate ReportByMonth=Rapporto per mese -ReportByCustomers=Rapporto per cliente +ReportByCustomers=Segnalato dal cliente ReportByQuarter=Report per trimestre CivilityCode=Titolo RegisteredOffice=Sede legale Lastname=Cognome Firstname=Nome -PostOrFunction=Posto di lavoro +PostOrFunction=Posizione lavorativa UserTitle=Titolo -NatureOfThirdParty=Natura di terzi -NatureOfContact=Natura del contatto +NatureOfThirdParty=Natura +NatureOfContact=Nature of Contact Address=Indirizzo State=Provincia/Cantone/Stato StateCode=Stato / Provincia @@ -68,39 +68,39 @@ Phone=Telefono PhoneShort=Telefono Skype=Skype Call=Chiamata -Chat=Chiacchierare +Chat=Chat PhonePro=Telefono uff. PhonePerso=Telefono pers. PhoneMobile=Cellulare -No_Email=Rifiuta email di massa +No_Email=Refuse bulk emailings Fax=Fax Zip=CAP Town=Città Web=Sito web Poste= Posizione DefaultLang=Lingua predefinita -VATIsUsed=Imposta sulle vendite utilizzata -VATIsUsedWhenSelling=Questo definisce se questa terza parte include un'imposta sulla vendita o meno quando effettua una fattura ai propri clienti -VATIsNotUsed=L'imposta sulle vendite non viene utilizzata -CopyAddressFromSoc=Copia l'indirizzo da dettagli di terze parti -ThirdpartyNotCustomerNotSupplierSoNoRef=Terze parti né cliente né fornitore, nessun oggetto di riferimento disponibile -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Terze parti né clienti né fornitori, gli sconti non sono disponibili -PaymentBankAccount=Conto bancario di pagamento -OverAllProposals=proposte +VATIsUsed=Utilizza imposte sulle vendite +VATIsUsedWhenSelling=Questo definisce se questa terza parte include una imposta di vendita o meno quando emette una fattura ai propri clienti +VATIsNotUsed=L'imposta sulle vendite non viene utilizzata +CopyAddressFromSoc=Copy address from third-party details +ThirdpartyNotCustomerNotSupplierSoNoRef=Soggetto terzo né cliente né fornitore, nessun oggetto di riferimento disponibile +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Third party neither customer nor vendor, discounts are not available +PaymentBankAccount=Conto bancario usato per il pagamento: +OverAllProposals=Proposte OverAllOrders=Ordini OverAllInvoices=Fatture -OverAllSupplierProposals=Richieste di prezzo +OverAllSupplierProposals=Richieste quotazioni ##### Local Taxes ##### -LocalTax1IsUsed=Usa la seconda imposta +LocalTax1IsUsed=Usa la seconda tassa LocalTax1IsUsedES= RE previsto LocalTax1IsNotUsedES= RE non previsto -LocalTax2IsUsed=Usa la terza imposta +LocalTax2IsUsed=Usa la terza tassa LocalTax2IsUsedES= IRPF previsto LocalTax2IsNotUsedES= IRPF non previsto WrongCustomerCode=Codice cliente non valido WrongSupplierCode=Codice fornitore non valido CustomerCodeModel=Modello codice cliente -SupplierCodeModel=Modello del codice fornitore +SupplierCodeModel=Modello codice fornitore Gencod=Codice a barre ##### Professional ID ##### ProfId1Short=C.C.I.A.A. @@ -108,7 +108,7 @@ ProfId2Short=R.E.A. ProfId3Short=Iscr. trib. ProfId4Short=C.F. ProfId5Short=Id Prof. 5 -ProfId6Short=ID prof. 6 +ProfId6Short=Id prof. 6 ProfId1=C.C.I.A.A. ProfId2=R.E.A. ProfId3=Iscr. trib. @@ -121,9 +121,9 @@ ProfId3AR=- ProfId4AR=- ProfId5AR=- ProfId6AR=- -ProfId1AT=Prof ID 1 (USt.-IdNr) -ProfId2AT=Prof ID 2 (USt.-Nr) -ProfId3AT=Prof ID 3 (Handelsregister-Nr.) +ProfId1AT=USt.-IdNr +ProfId2AT=USt.-Nr +ProfId3AT=Handelsregister-Nr. ProfId4AT=- ProfId5AT=- ProfId6AT=- @@ -163,282 +163,295 @@ ProfId3CO=- ProfId4CO=- ProfId5CO=- ProfId6CO=- -ProfId1DE=Prof ID 1 (USt.-IdNr) -ProfId2DE=Prof ID 2 (USt.-Nr) -ProfId3DE=Prof ID 3 (Handelsregister-Nr.) +ProfId1DE=USt.-IdNr +ProfId2DE=USt.-Nr +ProfId3DE=Handelsregister-Nr. ProfId4DE=- ProfId5DE=- ProfId6DE=- -ProfId1ES=Prof ID 1 (CIF / NIF) -ProfId2ES=Prof ID 2 (numero di previdenza sociale) -ProfId3ES=Prof ID 3 (CNAE) -ProfId4ES=Prof ID 4 (numero collegiale) +ProfId1ES=CIF/NIF +ProfId2ES=Núm seguridad social +ProfId3ES=CNAE +ProfId4ES=Núm colegiado ProfId5ES=- ProfId6ES=- -ProfId1FR=Prof ID 1 (SIRENA) -ProfId2FR=Prof ID 2 (SIRET) -ProfId3FR=Prof ID 3 (NAF, vecchio APE) -ProfId4FR=Prof ID 4 (RCS / RM) +ProfId1FR=SIREN +ProfId2FR=SIRET +ProfId3FR=NAF, vecchio APE +ProfId4FR=RCS/RM ProfId5FR=- ProfId6FR=- -ProfId1GB=Numero di registrazione +ProfId1GB=Registration Number ProfId2GB=- ProfId3GB=SIC ProfId4GB=- ProfId5GB=- ProfId6GB=- -ProfId1HN=ID prof. 1 (RTN) +ProfId1HN=RTN ProfId2HN=- ProfId3HN=- ProfId4HN=- ProfId5HN=- ProfId6HN=- -ProfId1IN=Prof ID 1 (TIN) -ProfId2IN=Prof ID 2 (PAN) -ProfId3IN=Prof ID 3 (SRVC TAX) -ProfId4IN=ID prof. 4 -ProfId5IN=ID prof 5 +ProfId1IN=TIN +ProfId2IN=- +ProfId3IN=- +ProfId4IN=- +ProfId5IN=- ProfId6IN=- -ProfId1LU=Id. prof. 1 (RCS Lussemburgo) -ProfId2LU=Id. prof. 2 (permesso commerciale) +ProfId1LU=Id. prof. 1 (R.C.S. Lussemburgo) +ProfId2LU=Id. prof. 2 (Permesso d'affari) ProfId3LU=- ProfId4LU=- ProfId5LU=- ProfId6LU=- -ProfId1MA=ID prof. 1 (RC) -ProfId2MA=ID prof. 2 (Patente) -ProfId3MA=ID prof. 3 (IF) -ProfId4MA=ID prof. 4 (CNSS) -ProfId5MA=Id. prof. 5 (ICE) +ProfId1MA=RC +ProfId2MA=Patente +ProfId3MA=SE +ProfId4MA=CNSS +ProfId5MA=Id prof. 5 (I.C.E.) ProfId6MA=- -ProfId1MX=Prof ID 1 (RFC). -ProfId2MX=Prof ID 2 (R..P. IMSS) -ProfId3MX=Prof ID 3 (Carta professionale) +ProfId1MX=RFC +ProfId2MX=R. P. IMSS +ProfId3MX=Profesional Carta ProfId4MX=- ProfId5MX=- ProfId6MX=- -ProfId1NL=Numer KVK +ProfId1NL=KVK nummer ProfId2NL=- ProfId3NL=- -ProfId4NL=Burgerservicenummer (BSN) +ProfId4NL=- ProfId5NL=- ProfId6NL=- -ProfId1PT=Prof ID 1 (NIPC) -ProfId2PT=Prof ID 2 (numero di previdenza sociale) -ProfId3PT=Prof ID 3 (numero record commerciale) -ProfId4PT=Prof ID 4 (Conservatorio) +ProfId1PT=NIPC +ProfId2PT=numero di sicurezza sociale +ProfId3PT=numero registrazione commerciale +ProfId4PT=Conservatorio ProfId5PT=- ProfId6PT=- ProfId1SN=RC -ProfId2SN=NINEA +ProfId2SN=Ninea ProfId3SN=- ProfId4SN=- ProfId5SN=- ProfId6SN=- -ProfId1TN=Prof ID 1 (RC) -ProfId2TN=Prof ID 2 (matricola fiscale) -ProfId3TN=Prof ID 3 (codice Douane) -ProfId4TN=Prof ID 4 (BAN) +ProfId1TN=RC +ProfId2TN=fiscale matricule +ProfId3TN=Douane code +ProfId4TN=RIB ProfId5TN=- ProfId6TN=- -ProfId1US=ID prof (FEIN) +ProfId1US=Prof Id (FEIN) ProfId2US=- ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- -ProfId1RU=Prof ID 1 (OGRN) -ProfId2RU=Prof ID 2 (INN) -ProfId3RU=Prof ID 3 (KPP) -ProfId4RU=ID profilo 4 (OKPO) +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- +ProfId1RU=OGRN +ProfId2RU=INN +ProfId3RU=KPP +ProfId4RU=Okpo ProfId5RU=- ProfId6RU=- ProfId1DZ=RC -ProfId2DZ=Arte. +ProfId2DZ=Art. ProfId3DZ=NIF ProfId4DZ=NIS -VATIntra=partita Iva -VATIntraShort=partita Iva +VATIntra=Partita IVA +VATIntraShort=Partita IVA VATIntraSyntaxIsValid=La sintassi è valida VATReturn=Rimborso IVA -ProspectCustomer=Prospetto / cliente -Prospect=Prospettiva -CustomerCard=Scheda cliente +ProspectCustomer=Cliente/Cliente potenziale +Prospect=Cliente potenziale +CustomerCard=Scheda del cliente Customer=Cliente -CustomerRelativeDiscount=Sconto cliente relativo -SupplierRelativeDiscount=Sconto fornitore relativo +CustomerRelativeDiscount=Sconto relativo del cliente +SupplierRelativeDiscount=Sconto relativo fornitore CustomerRelativeDiscountShort=Sconto relativo CustomerAbsoluteDiscountShort=Sconto assoluto -CompanyHasRelativeDiscount=Questo cliente ha uno sconto predefinito di %s%% -CompanyHasNoRelativeDiscount=Questo cliente non ha uno sconto relativo per impostazione predefinita -HasRelativeDiscountFromSupplier=Hai uno sconto predefinito di %s%% da questo fornitore -HasNoRelativeDiscountFromSupplier=Non hai sconti relativi predefiniti da questo fornitore -CompanyHasAbsoluteDiscount=Questo cliente ha sconti disponibili (note di accredito o acconti) per %s %s -CompanyHasDownPaymentOrCommercialDiscount=Questo cliente ha sconti disponibili (commerciali, acconti) per %s %s -CompanyHasCreditNote=Questo cliente ha ancora note di accredito per %s %s -HasNoAbsoluteDiscountFromSupplier=Non hai credito di sconto disponibile da questo fornitore -HasAbsoluteDiscountFromSupplier=Hai sconti disponibili (note di accredito o acconti) per %s %s di questo fornitore -HasDownPaymentOrCommercialDiscountFromSupplier=Hai sconti disponibili (commerciali, anticipi) per %s %s di questo fornitore -HasCreditNoteFromSupplier=Hai note di credito per %s %s da questo fornitore -CompanyHasNoAbsoluteDiscount=Questo cliente non ha credito di sconto disponibile -CustomerAbsoluteDiscountAllUsers=Sconti assoluti per i clienti (concessi da tutti gli utenti) -CustomerAbsoluteDiscountMy=Sconti assoluti per i clienti (concessi da te) -SupplierAbsoluteDiscountAllUsers=Sconti fornitore assoluti (inseriti da tutti gli utenti) -SupplierAbsoluteDiscountMy=Sconti fornitore assoluti (inseriti da soli) -DiscountNone=Nessuna +CompanyHasRelativeDiscount=Il cliente ha uno sconto del %s%% +CompanyHasNoRelativeDiscount=Il cliente non ha alcuno sconto relativo impostato +HasRelativeDiscountFromSupplier=You have a default discount of %s%% from this vendor +HasNoRelativeDiscountFromSupplier=You have no default relative discount from this vendor +CompanyHasAbsoluteDiscount=Questo cliente ha degli sconti disponibili (note di credito o anticipi) per un totale di %s%s +CompanyHasDownPaymentOrCommercialDiscount=Questo cliente ha uno sconto disponibile (commerciale, anticipi) per %s%s +CompanyHasCreditNote=Il cliente ha ancora note di credito per %s %s +HasNoAbsoluteDiscountFromSupplier=You have no discount credit available from this vendor +HasAbsoluteDiscountFromSupplier=You have discounts available (credits notes or down payments) for %s %s from this vendor +HasDownPaymentOrCommercialDiscountFromSupplier=You have discounts available (commercial, down payments) for %s %s from this vendor +HasCreditNoteFromSupplier=You have credit notes for %s %s from this vendor +CompanyHasNoAbsoluteDiscount=Il cliente non ha disponibile alcuno sconto assoluto per credito +CustomerAbsoluteDiscountAllUsers=Sconti assoluti per il cliente (concessi da tutti gli utenti) +CustomerAbsoluteDiscountMy=Sconti assoluti per il cliente (concesso da te) +SupplierAbsoluteDiscountAllUsers=Sconti globali fornitore (inseriti da tutti gli utenti) +SupplierAbsoluteDiscountMy=Sconti globali fornitore (inseriti da me stesso) +DiscountNone=Nessuno Vendor=Fornitore Supplier=Fornitore -AddContact=Crea un contatto -AddContactAddress=Crea contatto / indirizzo -EditContact=Modifica il contatto -EditContactAddress=Modifica contatto / indirizzo +AddContact=Crea contatto +AddContactAddress=Crea contatto/indirizzo +EditContact=Modifica contatto/indirizzo +EditContactAddress=Modifica contatto/indirizzo Contact=Contatto -ContactId=ID contatto -ContactsAddresses=Contatti / Indirizzi +ContactId=Id contatto +ContactsAddresses=Contatti/Indirizzi FromContactName=Nome: -NoContactDefinedForThirdParty=Nessun contatto definito per questa terza parte +NoContactDefinedForThirdParty=Nessun contatto per questo soggetto terzo NoContactDefined=Nessun contatto definito -DefaultContact=Contatto / indirizzo predefinito +DefaultContact=Contatto predefinito ContactByDefaultFor=Contatto / indirizzo predefinito per -AddThirdParty=Crea terze parti +AddThirdParty=Crea soggetto terzo DeleteACompany=Elimina una società PersonalInformations=Dati personali -AccountancyCode=Conto contabile -CustomerCode=Codice CLIENTE -SupplierCode=Codice venditore -CustomerCodeShort=Codice CLIENTE -SupplierCodeShort=Codice venditore -CustomerCodeDesc=Codice cliente, unico per tutti i clienti +AccountancyCode=Account di contabilità +CustomerCode=Codice cliente +SupplierCode=Codice fornitore +CustomerCodeShort=Codice cliente +SupplierCodeShort=Codice fornitore +CustomerCodeDesc=Codice cliente, univoco SupplierCodeDesc=Codice fornitore, unico per tutti i fornitori -RequiredIfCustomer=Richiesto se terzi sono clienti o potenziali clienti -RequiredIfSupplier=Richiesto se terze parti sono un fornitore +RequiredIfCustomer=Obbligatorio se il soggetto terzo è un cliente o un cliente potenziale +RequiredIfSupplier=Obbligatorio se il soggetto terzo è un fornitore ValidityControledByModule=Validità controllata dal modulo ThisIsModuleRules=Regole per questo modulo -ProspectToContact=Prospetto da contattare -CompanyDeleted=Azienda "%s" eliminata dal database. -ListOfContacts=Elenco di contatti / indirizzi -ListOfContactsAddresses=Elenco di contatti / indirizzi -ListOfThirdParties=Elenco di terze parti -ShowCompany=Mostra terze parti -ShowContact=Mostra contatto -ContactsAllShort=Tutto (nessun filtro) +ProspectToContact=Cliente potenziale da contattare +CompanyDeleted=Società %s cancellata dal database. +ListOfContacts=Elenco dei contatti +ListOfContactsAddresses=Elenco dei contatti +ListOfThirdParties=Elenco dei soggetti terzi +ShowCompany=Mostra soggetto terzo +ShowContact=Mostra contatti +ContactsAllShort=Tutti (Nessun filtro) ContactType=Tipo di contatto -ContactForOrders=Contatto dell'ordine -ContactForOrdersOrShipments=Contatto dell'ordine o della spedizione -ContactForProposals=Contatto della proposta -ContactForContracts=Contatto del contratto -ContactForInvoices=Il contatto della fattura -NoContactForAnyOrder=Questo contatto non è un contatto per nessun ordine -NoContactForAnyOrderOrShipments=Questo contatto non è un contatto per alcun ordine o spedizione -NoContactForAnyProposal=Questo contatto non è un contatto per alcuna proposta commerciale -NoContactForAnyContract=Questo contatto non è un contatto per alcun contratto -NoContactForAnyInvoice=Questo contatto non è un contatto per alcuna fattura +ContactForOrders=Contatto per gli ordini +ContactForOrdersOrShipments=Contatto per ordini o spedizioni +ContactForProposals=Contatto per le proposte commerciali +ContactForContracts=Contatto per i contratti +ContactForInvoices=Contatto per le fatture +NoContactForAnyOrder=Questo contatto non è il contatto di nessun ordine +NoContactForAnyOrderOrShipments=Questo contatto non è il contatto di nessun ordine o spedizione +NoContactForAnyProposal=Questo contatto non è il contatto di nessuna proposta commerciale +NoContactForAnyContract=Questo contatto non è il contatto di nessun contratto +NoContactForAnyInvoice=Questo contatto non è il contatto di nessuna fattura NewContact=Nuovo contatto -NewContactAddress=Nuovo contatto / indirizzo +NewContactAddress=Nuovo contatto/indirizzo MyContacts=I miei contatti Capital=Capitale CapitalOf=Capitale di %s -EditCompany=Modifica azienda -ThisUserIsNot=Questo utente non è un potenziale cliente, cliente o fornitore -VATIntraCheck=Dai un'occhiata -VATIntraCheckDesc=La partita IVA deve includere il prefisso del paese. Il collegamento %s utilizza il servizio europeo di controllo dell'IVA (VIES) che richiede l'accesso a Internet dal server Dolibarr. +EditCompany=Modifica società +ThisUserIsNot=Questo utente non è un cliente , né un cliente potenziale, né un fornitore +VATIntraCheck=Controllo partita IVA +VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do -VATIntraCheckableOnEUSite=Controllare la partita IVA intracomunitaria sul sito web della Commissione europea -VATIntraManualCheck=Puoi anche controllare manualmente sul sito web della Commissione europea %s -ErrorVATCheckMS_UNAVAILABLE=Verifica impossibile. Controllare che il servizio non sia fornito dallo stato membro (%s). -NorProspectNorCustomer=Non prospetto, né cliente -JuridicalStatus=Tipo di entità legale -Staff=I dipendenti -ProspectLevelShort=Potenziale -ProspectLevel=Potenziale potenziale +VATIntraCheckableOnEUSite=Check the intra-Community VAT ID on the European Commission website +VATIntraManualCheck=È anche possibile controllare manualmente sul sito della Commissione Europea %s +ErrorVATCheckMS_UNAVAILABLE=Non è possibile effettuare il controllo. Servizio non previsto per lo stato membro ( %s). +NorProspectNorCustomer=Not prospect, nor customer +JuridicalStatus=Forma giuridica +Staff=Dipendenti +ProspectLevelShort=Cl. Pot. +ProspectLevel=Liv. cliente potenziale ContactPrivate=Privato -ContactPublic=Condivisa +ContactPublic=Condiviso ContactVisibility=Visibilità ContactOthers=Altro -OthersNotLinkedToThirdParty=Altri, non collegati a terzi -ProspectStatus=Stato potenziale -PL_NONE=Nessuna +OthersNotLinkedToThirdParty=Altri, non associati ad un soggetto terzo +ProspectStatus=Stato cliente potenziale +PL_NONE=Zero PL_UNKNOWN=Sconosciuto PL_LOW=Basso -PL_MEDIUM=medio -PL_HIGH=alto +PL_MEDIUM=Medio +PL_HIGH=Alto TE_UNKNOWN=- -TE_STARTUP=Avviare -TE_GROUP=Grande azienda +TE_STARTUP=Startup +TE_GROUP=Grande impresa TE_MEDIUM=Media impresa -TE_ADMIN=governo -TE_SMALL=Piccola azienda +TE_ADMIN=Ente pubblico +TE_SMALL=Piccola impresa TE_RETAIL=Rivenditore -TE_WHOLE=Grossista -TE_PRIVATE=Privato individuale +TE_WHOLE=Wholesaler +TE_PRIVATE=Privato TE_OTHER=Altro StatusProspect-1=Non contattare StatusProspect0=Mai contattato -StatusProspect1=Essere contattato +StatusProspect1=Da contattare StatusProspect2=Contatto in corso -StatusProspect3=Contatto fatto -ChangeDoNotContact=Cambia lo stato in "Non contattare" -ChangeNeverContacted=Cambia lo stato in "Mai contattato" -ChangeToContact=Cambia lo stato in "Per essere contattato" -ChangeContactInProcess=Cambia lo stato in "Contatto in corso" -ChangeContactDone=Cambia lo stato in "Contatto completato" -ProspectsByStatus=Prospettive per stato -NoParentCompany=Nessuna -ExportCardToFormat=Esporta la scheda nel formato -ContactNotLinkedToCompany=Contatto non collegato a terzi -DolibarrLogin=Login Dolibarr -NoDolibarrAccess=Nessun accesso Dolibarr -ExportDataset_company_1=Terze parti (aziende / fondazioni / persone fisiche) e loro proprietà -ExportDataset_company_2=Contatti e loro proprietà -ImportDataset_company_1=Terze parti e loro proprietà -ImportDataset_company_2=Contatti / indirizzi e attributi aggiuntivi di terze parti -ImportDataset_company_3=Conti bancari di terzi -ImportDataset_company_4=Rappresentanti di terze parti (assegnare rappresentanti / utenti alle aziende) -PriceLevel=Livello di prezzo -PriceLevelLabels=Etichette a livello di prezzo +StatusProspect3=Contattato +ChangeDoNotContact=Cambia lo stato in "Non contattare" +ChangeNeverContacted=Cambia lo stato in "Mai contattato" +ChangeToContact=Cambia lo stato in "Da contattare" +ChangeContactInProcess=Cambia lo stato in "Contatto in corso" +ChangeContactDone=Cambia lo stato in "Contatto fatto" +ProspectsByStatus=Clienti potenziali per stato +NoParentCompany=Nessuno +ExportCardToFormat=Esportazione scheda nel formato +ContactNotLinkedToCompany=Contatto non collegato ad alcuna società +DolibarrLogin=Dolibarr login +NoDolibarrAccess=Senza accesso a Dolibarr +ExportDataset_company_1=Third-parties (companies/foundations/physical people) and their properties +ExportDataset_company_2=Contatti e loro attributi +ImportDataset_company_1=Third-parties and their properties +ImportDataset_company_2=Third-parties additional contacts/addresses and attributes +ImportDataset_company_3=Third-parties Bank accounts +ImportDataset_company_4=Third-parties Sales representatives (assign sales representatives/users to companies) +PriceLevel=Price Level +PriceLevelLabels=Price Level Labels DeliveryAddress=Indirizzo di consegna -AddAddress=Aggiungi indirizzo -SupplierCategory=Categoria del fornitore +AddAddress=Aggiungi un indirizzo +SupplierCategory=Categoria fornitore JuridicalStatus200=Indipendente DeleteFile=Cancella il file -ConfirmDeleteFile=Sei sicuro di voler eliminare questo file? -AllocateCommercial=Assegnato al rappresentante di vendita +ConfirmDeleteFile=Vuoi davvero cancellare questo file? +AllocateCommercial=Assegna un commerciale Organization=Organizzazione FiscalYearInformation=Anno fiscale -FiscalMonthStart=Mese iniziale dell'anno fiscale -YouMustAssignUserMailFirst=È necessario creare un'e-mail per questo utente prima di poter aggiungere una notifica e-mail. -YouMustCreateContactFirst=Per poter aggiungere notifiche e-mail, devi prima definire i contatti con e-mail valide per la terza parte -ListSuppliersShort=Elenco dei fornitori -ListProspectsShort=Elenco delle prospettive +FiscalMonthStart=Il mese di inizio dell'anno fiscale +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL +YouMustAssignUserMailFirst=Devi creare una email per questo utente prima di poter aggiungere una notifica email. +YouMustCreateContactFirst=Per poter inviare notifiche via email, è necessario definire almeno un contatto con una email valida all'interno del soggetto terzo +ListSuppliersShort=Elenco fornitori +ListProspectsShort=Elenco dei clienti potenziali ListCustomersShort=Elenco dei clienti -ThirdPartiesArea=Terze parti / contatti -LastModifiedThirdParties=Ultima %s terze parti modificate -UniqueThirdParties=Totale di terzi -InActivity=Aperto -ActivityCeased=Chiuso -ThirdPartyIsClosed=La terza parte è chiusa -ProductsIntoElements=Elenco di prodotti / servizi in %s -CurrentOutstandingBill=Fattura in sospeso corrente -OutstandingBill=Max. per fattura eccezionale -OutstandingBillReached=Max. per fattura in sospeso raggiunta -OrderMinAmount=Importo minimo per ordine -MonkeyNumRefModelDesc=Restituisce un numero con il formato %syymm-nnnn per il codice cliente e %syymm-nnnn per il codice fornitore dove yy è anno, mm è il mese e nnnn è una sequenza senza interruzioni e nessun ritorno a 0. -LeopardNumRefModelDesc=Il codice è gratuito Questo codice può essere modificato in qualsiasi momento. -ManagingDirectors=Nome del / i dirigente / i (CEO, direttore, presidente ...) -MergeOriginThirdparty=Duplicazione di terze parti (terza parte che si desidera eliminare) -MergeThirdparties=Unisci terze parti -ConfirmMergeThirdparties=Sei sicuro di voler unire questa terza parte a quella attuale? Tutti gli oggetti collegati (fatture, ordini, ...) verranno spostati nella terza parte corrente, quindi la terza parte verrà eliminata. -ThirdpartiesMergeSuccess=Le terze parti sono state unite -SaleRepresentativeLogin=Login del rappresentante di vendita -SaleRepresentativeFirstname=Nome del rappresentante di vendita -SaleRepresentativeLastname=Cognome del rappresentante di vendita -ErrorThirdpartiesMerge=Si è verificato un errore durante l'eliminazione di terze parti. Si prega di controllare il registro. Le modifiche sono state ripristinate. -NewCustomerSupplierCodeProposed=Codice cliente o fornitore già utilizzato, viene suggerito un nuovo codice +ThirdPartiesArea=Anagrafiche soggetti terzi e contatti +LastModifiedThirdParties=Ultimi %s soggetti terzi modificati +UniqueThirdParties=Totale soggetti terzi +InActivity=In attività +ActivityCeased=Cessata attività +ThirdPartyIsClosed=Chiuso +ProductsIntoElements=Elenco dei prodotti/servizi in %s +CurrentOutstandingBill=Fatture scadute +OutstandingBill=Max. fattura in sospeso +OutstandingBillReached=Raggiunto il massimo numero di fatture scadute +OrderMinAmount=Quantità minima per l'ordine +MonkeyNumRefModelDesc=Restituisce un numero con formato %syymm-nnnn per il codice cliente e %syymm-nnnn per il codice fornitore, in cui yy è l'anno, mm è il mese e nnnn è una sequenza progressiva senza interruzioni e che non ritorna a 0. +LeopardNumRefModelDesc=Codice cliente/fornitore libero. Questo codice può essere modificato in qualsiasi momento. +ManagingDirectors=Nome Manager(s) (CEO, direttore, presidente...) +MergeOriginThirdparty=Duplica soggetto terzo (soggetto terzo che stai eliminando) +MergeThirdparties=Unisci soggetti terzi +ConfirmMergeThirdparties=Sei sicuro che vuoi unire questo soggetto terzo in quello corrente? Tutti gli oggetti collegati (fatture, ordini, ...) saranno spostati al soggetto terzo corrente, poi il soggetto terzo verrà eliminato. +ThirdpartiesMergeSuccess=Terze parti sono state unite +SaleRepresentativeLogin=Login del rappresentante commerciale +SaleRepresentativeFirstname=Nome del commerciale +SaleRepresentativeLastname=Cognome del commerciale +ErrorThirdpartiesMerge=Si è verificato un errore durante l'eliminazione di terze parti. Si prega di controllare il registro. Le modifiche sono state ripristinate. +NewCustomerSupplierCodeProposed=Customer or Vendor code already used, a new code is suggested #Imports -PaymentTypeCustomer=Tipo di pagamento - Cliente -PaymentTermsCustomer=Termini di pagamento - Cliente -PaymentTypeSupplier=Tipo di pagamento - Fornitore -PaymentTermsSupplier=Termine di pagamento - Fornitore +PaymentTypeCustomer=Payment Type - Customer +PaymentTermsCustomer=Termini di Pagamento - Cliente +PaymentTypeSupplier=Payment Type - Vendor +PaymentTermsSupplier=Payment Term - Vendor PaymentTypeBoth=Tipo di pagamento - Cliente e fornitore -MulticurrencyUsed=Usa Multivaluta -MulticurrencyCurrency=Moneta +MulticurrencyUsed=Use Multicurrency +MulticurrencyCurrency=Valuta diff --git a/htdocs/langs/it_IT/compta.lang b/htdocs/langs/it_IT/compta.lang index d88cb599c3f..ebc65897033 100644 --- a/htdocs/langs/it_IT/compta.lang +++ b/htdocs/langs/it_IT/compta.lang @@ -1,256 +1,257 @@ # Dolibarr language file - Source file is en_US - compta -MenuFinancial=Fatturazione | Pagamento -TaxModuleSetupToModifyRules=Vai a Impostazione modulo tasse per modificare le regole per il calcolo -TaxModuleSetupToModifyRulesLT=Vai a Configurazione dell'azienda per modificare le regole per il calcolo -OptionMode=Opzione per la contabilità -OptionModeTrue=Opzione Entrate-Spese -OptionModeVirtual=Opzione Reclami-Debiti -OptionModeTrueDesc=In questo contesto, il fatturato viene calcolato sui pagamenti (data dei pagamenti). La validità delle cifre è garantita solo se la tenuta della contabilità è controllata attraverso l'input / output sui conti tramite fatture. -OptionModeVirtualDesc=In questo contesto, il fatturato viene calcolato su fatture (data di convalida). Quando queste fatture sono dovute, siano state pagate o meno, sono elencate nell'output del fatturato. -FeatureIsSupportedInInOutModeOnly=Funzionalità disponibile solo in modalità contabilità CREDITS-DEBTS (Vedi configurazione del modulo contabilità) -VATReportBuildWithOptionDefinedInModule=Gli importi mostrati qui sono calcolati utilizzando le regole definite dall'impostazione del modulo IVA. -LTReportBuildWithOptionDefinedInModule=Gli importi mostrati qui sono calcolati utilizzando le regole definite dall'impostazione dell'azienda. -Param=Impostare -RemainingAmountPayment=Importo pagamento rimanente: -Account=Account -Accountparent=Conto genitore -Accountsparent=Conti principali -Income=Ricavi -Outcome=Spese -MenuReportInOut=Entrate / uscite -ReportInOut=Saldo delle entrate e delle spese -ReportTurnover=Fatturato fatturato -ReportTurnoverCollected=Fatturato raccolto -PaymentsNotLinkedToInvoice=Pagamenti non collegati a nessuna fattura, quindi non collegati a terzi -PaymentsNotLinkedToUser=Pagamenti non collegati a nessun utente -Profit=Profitto +MenuFinancial=Contabilità +TaxModuleSetupToModifyRules=Per modificare le regole di calcolo, vai ad impostazioni Modulo Imposte +TaxModuleSetupToModifyRulesLT=Per modificare le regole di calcolo, vai ad impostazioni Azienda\n +OptionMode=Opzione per la gestione contabile +OptionModeTrue=Opzione entrate-uscite +OptionModeVirtual=Opzione crediti-debiti +OptionModeTrueDesc=In questo caso, il fatturato è calcolato sulla base dei pagamenti (data di pagamento).
La validità dei dati è garantita solo se tutti i pagamenti effettuati e ricevuti vengono registrati manualmente e puntualmente. +OptionModeVirtualDesc=In modalità il fatturato è calcolato sulle fatture (data di convalida).
Alla data di scadenza le fatture verranno calcolate automaticamente in attivo o passivo, che siano state pagate o meno. +FeatureIsSupportedInInOutModeOnly=Caratteristica disponibile solo in modalità contabile CREDITI-DEBITI (vedi Impostazioni modulo contabilità) +VATReportBuildWithOptionDefinedInModule=Gli importi mostrati sono calcolati secondo le regole stabilite nelle impostazioni del modulo tasse e contributi. +LTReportBuildWithOptionDefinedInModule=I totali qui mostrati sono calcolati usando le regole definite per le impostazioni dell'azienda +Param=Configurazione +RemainingAmountPayment=Amount payment remaining: +Account=Conto +Accountparent=Parent account +Accountsparent=Parent accounts +Income=Entrate +Outcome=Uscite +MenuReportInOut=Entrate/Uscite +ReportInOut=Bilancio di entrate e uscite +ReportTurnover=Turnover invoiced +ReportTurnoverCollected=Turnover collected +PaymentsNotLinkedToInvoice=I pagamenti non legati ad una fattura, quindi non legati ad alcun soggetto terzo +PaymentsNotLinkedToUser=Pagamenti non legati ad alcun utente +Profit=Utile AccountingResult=Risultato contabile -BalanceBefore=Saldo (prima) -Balance=Bilancio +BalanceBefore=Balance (before) +Balance=Saldo Debit=Debito Credit=Credito Piece=Documento contabile -AmountHTVATRealReceived=Rete raccolta -AmountHTVATRealPaid=Net pagato -VATToPay=Vendite fiscali -VATReceived=Imposte ricevute -VATToCollect=Acquisti fiscali -VATSummary=Imposta mensile -VATBalance=Saldo fiscale -VATPaid=Tassa pagata -LT1Summary=Riepilogo imposta 2 -LT2Summary=Riepilogo imposta 3 -LT1SummaryES=Saldo RE -LT2SummaryES=Saldo IRPF -LT1SummaryIN=Saldo CGST +AmountHTVATRealReceived=Totale riscosso +AmountHTVATRealPaid=Totale pagato +VATToPay=Tax sales +VATReceived=Tax received +VATToCollect=Tax purchases +VATSummary=Tax monthly +VATBalance=Tax Balance +VATPaid=Tax paid +LT1Summary=Tax 2 summary +LT2Summary=Tax 3 summary +LT1SummaryES=RE Balance +LT2SummaryES=Saldo IRPF (Spagna) +LT1SummaryIN=CGST Balance LT2SummaryIN=SGST Balance -LT1Paid=Imposta 2 pagata -LT2Paid=Imposta 3 pagata -LT1PaidES=A pagamento -LT2PaidES=IRPF a pagamento -LT1PaidIN=CGST a pagamento -LT2PaidIN=SGST a pagamento -LT1Customer=Vendite di imposte 2 -LT1Supplier=Acquisti di imposta 2 -LT1CustomerES=Vendite RE -LT1SupplierES=Acquisti RE -LT1CustomerIN=Vendite CGST -LT1SupplierIN=Acquisti CGST -LT2Customer=Tasse 3 vendite -LT2Supplier=Tassa 3 acquisti -LT2CustomerES=Vendite IRPF -LT2SupplierES=Acquisti IRPF -LT2CustomerIN=Vendite SGST -LT2SupplierIN=Acquisti SGST -VATCollected=IVA riscossa +LT1Paid=Tax 2 paid +LT2Paid=Tax 3 paid +LT1PaidES=RE Paid +LT2PaidES=IRPF pagato (Spagna) +LT1PaidIN=CGST Paid +LT2PaidIN=SGST Paid +LT1Customer=Tax 2 sales +LT1Supplier=Tax 2 purchases +LT1CustomerES=RE sales +LT1SupplierES=RE purchases +LT1CustomerIN=CGST sales +LT1SupplierIN=CGST purchases +LT2Customer=Tax 3 sales +LT2Supplier=Tax 3 purchases +LT2CustomerES=IRPF clienti (Spagna) +LT2SupplierES=IRPF fornitori (Spagna) +LT2CustomerIN=SGST sales +LT2SupplierIN=SGST purchases +VATCollected=IVA incassata StatusToPay=Pagare -SpecialExpensesArea=Area per tutti i pagamenti speciali -SocialContribution=Tassa sociale o fiscale -SocialContributions=Imposte sociali o fiscali -SocialContributionsDeductibles=Tasse sociali o fiscali deducibili -SocialContributionsNondeductibles=Imposte sociali o fiscali non deducibili -LabelContrib=Contributo all'etichetta -TypeContrib=Tipo di contributo -MenuSpecialExpenses=Spese speciali +SpecialExpensesArea=Area per pagamenti straordinari +SocialContribution=Tassa o contributo +SocialContributions=Tasse o contributi +SocialContributionsDeductibles=Tasse o contributi deducibili +SocialContributionsNondeductibles=Tasse o contributi non deducibili +LabelContrib=Label contribution +TypeContrib=Type contribution +MenuSpecialExpenses=Spese straordinarie MenuTaxAndDividends=Imposte e dividendi -MenuSocialContributions=Imposte sociali / fiscali -MenuNewSocialContribution=Nuova imposta sociale / fiscale -NewSocialContribution=Nuova imposta sociale / fiscale -AddSocialContribution=Aggiungi imposta sociale / fiscale -ContributionsToPay=Tasse sociali / fiscali da pagare -AccountancyTreasuryArea=Area fatturazione e pagamento +MenuSocialContributions=Tasse/contributi +MenuNewSocialContribution=Nuova tassa/contributo +NewSocialContribution=Nuova tassa/contributo +AddSocialContribution=Add social/fiscal tax +ContributionsToPay=Tasse/contributi da pagare +AccountancyTreasuryArea=Billing and payment area NewPayment=Nuovo pagamento -PaymentCustomerInvoice=Pagamento della fattura cliente -PaymentSupplierInvoice=pagamento fattura fornitore -PaymentSocialContribution=Pagamento delle imposte sociali / fiscali -PaymentVat=Pagamento dell'IVA +PaymentCustomerInvoice=Pagamento fattura attiva +PaymentSupplierInvoice=vendor invoice payment +PaymentSocialContribution=Pagamento delle imposte sociali/fiscali +PaymentVat=Pagamento IVA ListPayment=Elenco dei pagamenti ListOfCustomerPayments=Elenco dei pagamenti dei clienti -ListOfSupplierPayments=Elenco dei pagamenti del fornitore -DateStartPeriod=Data inizio periodo -DateEndPeriod=Periodo di fine della data -newLT1Payment=Nuova tassa 2 di pagamento -newLT2Payment=Nuova tassa 3 pagamento -LT1Payment=Pagamento della tassa 2 -LT1Payments=Pagamenti fiscali 2 -LT2Payment=Pagamento della tassa 3 -LT2Payments=Pagamenti fiscali 3 +ListOfSupplierPayments=List of vendor payments +DateStartPeriod=Data di inzio +DateEndPeriod=Data di fine +newLT1Payment=New tax 2 payment +newLT2Payment=New tax 3 payment +LT1Payment=Tax 2 payment +LT1Payments=Tax 2 payments +LT2Payment=Tax 3 payment +LT2Payments=Tax 3 payments newLT1PaymentES=Nuovo pagamento RE -newLT2PaymentES=Nuovo pagamento IRPF +newLT2PaymentES=Nuovo pagamento IRPF (Spagna) LT1PaymentES=Pagamento RE LT1PaymentsES=Pagamenti RE -LT2PaymentES=Pagamento IRPF -LT2PaymentsES=Pagamenti IRPF -VATPayment=Pagamento dell'imposta sulle vendite -VATPayments=Pagamenti dell'imposta sulle vendite -VATRefund=Rimborso dell'imposta sulle vendite -NewVATPayment=Nuovo pagamento dell'imposta sulle vendite -NewLocalTaxPayment=Nuova imposta %s pagamento +LT2PaymentES=Pagamento IRPF (Spagna) +LT2PaymentsES=Pagamenti IRPF (Spagna) +VATPayment=Pagamento IVA +VATPayments=Pagamenti IVA +VATRefund=Rimborso IVA +NewVATPayment=New sales tax payment +NewLocalTaxPayment=New tax %s payment Refund=Rimborso -SocialContributionsPayments=Pagamenti fiscali sociali / fiscali -ShowVatPayment=Mostra pagamento IVA +SocialContributionsPayments=Pagamenti tasse/contributi +ShowVatPayment=Visualizza pagamento IVA TotalToPay=Totale da pagare -BalanceVisibilityDependsOnSortAndFilters=Il saldo è visibile in questo elenco solo se la tabella è ordinata in ordine crescente su %s e filtrata per 1 conto bancario -CustomerAccountancyCode=Codice contabile cliente -SupplierAccountancyCode=Codice contabile fornitore -CustomerAccountancyCodeShort=Cust. account. codice -SupplierAccountancyCodeShort=Sup. account. codice +BalanceVisibilityDependsOnSortAndFilters=Il bilancio è visibile in questo elenco solo se la tabella è ordinata in verso ascendente per %s e filtrata per un conto bancario +CustomerAccountancyCode=Customer accounting code +SupplierAccountancyCode=vendor accounting code +CustomerAccountancyCodeShort=Cod. cont. cliente +SupplierAccountancyCodeShort=Cod. cont. fornitore AccountNumber=Numero di conto -NewAccountingAccount=Nuovo account -Turnover=Fatturato fatturato -TurnoverCollected=Fatturato raccolto -SalesTurnoverMinimum=Fatturato minimo -ByExpenseIncome=Per spese e entrate -ByThirdParties=Da parte di terzi -ByUserAuthorOfInvoice=Per autore della fattura -CheckReceipt=Controlla il deposito -CheckReceiptShort=Controlla il deposito -LastCheckReceiptShort=Ricevute di assegno %s più recenti +NewAccountingAccount=Nuovo conto +Turnover=Turnover invoiced +TurnoverCollected=Turnover collected +SalesTurnoverMinimum=Minimum turnover +ByExpenseIncome=By expenses & incomes +ByThirdParties=Per soggetti terzi +ByUserAuthorOfInvoice=Per autore fattura +CheckReceipt=Ricevuta di versamento assegno +CheckReceiptShort=Ricevuta assegno +LastCheckReceiptShort=Ultime %s ricevute assegni NewCheckReceipt=Nuovo sconto -NewCheckDeposit=Nuovo deposito di assegni -NewCheckDepositOn=Crea ricevuta per deposito sul conto: %s +NewCheckDeposit=Nuovo deposito +NewCheckDepositOn=Nuovo deposito sul conto: %s NoWaitingChecks=Nessun assegno in attesa di deposito. -DateChequeReceived=Controlla la data di ricezione -NbOfCheques=Numero di controlli -PaySocialContribution=Paga un'imposta sociale / fiscale -ConfirmPaySocialContribution=Sei sicuro di voler classificare questa imposta sociale o fiscale come pagata? -DeleteSocialContribution=Elimina un pagamento fiscale sociale o fiscale -ConfirmDeleteSocialContribution=Sei sicuro di voler eliminare questo pagamento fiscale fiscale / sociale? -ExportDataset_tax_1=Tasse e pagamenti sociali e fiscali -CalcModeVATDebt=Modalità %sIVA sull'account di impegnoing%s . -CalcModeVATEngagement=Modalità %sVAT su redditi-spes%s . -CalcModeDebt=Analisi delle fatture registrate note anche se non sono ancora contabilizzate nel libro mastro. -CalcModeEngagement=Analisi dei pagamenti registrati noti, anche se non ancora contabilizzati nel libro mastro. -CalcModeBookkeeping=Analisi dei dati pubblicati nella tabella del libro mastro contabile. -CalcModeLT1= Modalità %sRE su fatture cliente - fatture fornitori%s -CalcModeLT1Debt=Modalità %sRE nelle fatture cliente%s +DateChequeReceived=Data di ricezione assegno +NbOfCheques=No. of checks +PaySocialContribution=Paga tassa/contributo +ConfirmPaySocialContribution=Sei sicuro di voler classificare questa tassa/contributo come pagato? +DeleteSocialContribution=Cancella il pagamento della tassa/contributo +ConfirmDeleteSocialContribution=Sei sicuro di voler cancellare il pagamento di questa tassa/contributo? +ExportDataset_tax_1=Tasse/contributi e pagamenti +CalcModeVATDebt=Modalità %sIVA su contabilità d'impegno%s. +CalcModeVATEngagement=Calcola %sIVA su entrate-uscite%s +CalcModeDebt=Analysis of known recorded invoices even if they are not yet accounted in ledger. +CalcModeEngagement=Analysis of known recorded payments, even if they are not yet accounted in Ledger. +CalcModeBookkeeping=Analysis of data journalized in Bookkeeping Ledger table. +CalcModeLT1= Modalità %sRE su fatture clienti - fatture fornitori%s +CalcModeLT1Debt=Modalità %sRE su fatture clienti%s CalcModeLT1Rec= Modalità %sRE su fatture fornitori%s -CalcModeLT2= Modalità %sIRPF su fatture cliente - fatture fornitori%s -CalcModeLT2Debt=Modalità %sIRPF nelle fatture cliente%s +CalcModeLT2= Modalità %sIRPF su fatture clienti - fatture fornitori%s +CalcModeLT2Debt=Modalità %sIRPF su fatture clienti%s CalcModeLT2Rec= Modalità %sIRPF su fatture fornitori%s -AnnualSummaryDueDebtMode=Saldo delle entrate e delle spese, sintesi annuale -AnnualSummaryInputOutputMode=Saldo delle entrate e delle spese, sintesi annuale -AnnualByCompanies=Saldo delle entrate e delle spese, per gruppi di conti predefiniti -AnnualByCompaniesDueDebtMode=Saldo delle entrate e delle spese, dettaglio per gruppi predefiniti, modalità %sClaims-Debts%s ha dichiarato Contabilità degli impegni . -AnnualByCompaniesInputOutputMode=Saldo delle entrate e delle spese, dettaglio per gruppi predefiniti, modalità %sIncome-Expenses%s detta contabilità di cassa . -SeeReportInInputOutputMode=Vedere %sanalisi dei pagamenti%s per un calcolo sui pagamenti effettivi effettuati anche se non ancora contabilizzati nel libro mastro. -SeeReportInDueDebtMode=Vedere %sanalysis of fattors%s per un calcolo basato su fatture registrate note anche se non ancora contabilizzate nel libro mastro. -SeeReportInBookkeepingMode=Vedere %s Registro contabile%s per un calcolo sulla tabella Registro Contabilità -RulesAmountWithTaxIncluded=- Gli importi indicati sono comprensivi di tutte le tasse -RulesResultDue=- Include fatture, spese, IVA, donazioni in sospeso, indipendentemente dal fatto che vengano pagate o meno. Include anche gli stipendi pagati.
- Si basa sulla data di convalida delle fatture e dell'IVA e sulla data di scadenza delle spese. Per gli stipendi definiti con il modulo Salario, viene utilizzata la data valuta del pagamento. -RulesResultInOut=- Include i pagamenti reali effettuati su fatture, spese, IVA e stipendi.
- Si basa sulle date di pagamento di fatture, spese, IVA e salari. La data di donazione per la donazione. -RulesCADue=- Include le fatture dovute dal cliente, indipendentemente dal fatto che vengano pagate o meno.
- Si basa sulla data di convalida di queste fatture.
-RulesCAIn=- Include tutti i pagamenti effettivi delle fatture ricevute dai clienti.
- Si basa sulla data di pagamento di queste fatture
-RulesCATotalSaleJournal=Include tutte le linee di credito dal giornale di vendita. -RulesAmountOnInOutBookkeepingRecord=Include record nel tuo libro mastro con conti contabili che hanno il gruppo "SPESA" o "REDDITO" -RulesResultBookkeepingPredefined=Include record nel tuo libro mastro con conti contabili che hanno il gruppo "SPESA" o "REDDITO" -RulesResultBookkeepingPersonalized=Mostra record nel tuo libro mastro con conti contabili raggruppati per gruppi personalizzati -SeePageForSetup=Vedere il menu %s per l'installazione -DepositsAreNotIncluded=- Le fatture di acconto non sono incluse -DepositsAreIncluded=- Sono incluse le fatture di acconto -LT1ReportByCustomers=Segnala imposta 2 da parte di terzi -LT2ReportByCustomers=Segnala imposta 3 da parte di terzi -LT1ReportByCustomersES=Rapporto di RE di terze parti -LT2ReportByCustomersES=Rapporto dell'IRPF di terze parti -VATReport=Rapporto sulle imposte di vendita -VATReportByPeriods=Dichiarazione delle imposte di vendita per periodo -VATReportByRates=Dichiarazione delle imposte di vendita per aliquote -VATReportByThirdParties=Dichiarazione fiscale di vendita da parte di terzi -VATReportByCustomers=Dichiarazione delle imposte di vendita per cliente -VATReportByCustomersInInputOutputMode=Rapporto del cliente IVA riscossa e pagata -VATReportByQuartersInInputOutputMode=Rapporto per aliquota fiscale di vendita dell'imposta riscossa e pagata -LT1ReportByQuarters=Segnala imposta 2 per aliquota -LT2ReportByQuarters=Segnala imposta 3 per aliquota -LT1ReportByQuartersES=Rapporto per tasso RE -LT2ReportByQuartersES=Rapporto per tasso IRPF -SeeVATReportInInputOutputMode=Vedere il report %sVAT encasement%s per un calcolo standard -SeeVATReportInDueDebtMode=Vedere il rapporto %sVAT su flow%s per un calcolo con un'opzione sul flusso -RulesVATInServices=- Per i servizi, la relazione include le normative IVA effettivamente ricevute o emesse sulla base della data del pagamento. -RulesVATInProducts=- Per le attività materiali, la relazione include l'IVA ricevuta o emessa sulla base della data di pagamento. -RulesVATDueServices=- Per i servizi, il rapporto include le fatture IVA dovute, pagate o meno, in base alla data della fattura. -RulesVATDueProducts=- Per le attività materiali, il rapporto include le fatture IVA, in base alla data della fattura. -OptionVatInfoModuleComptabilite=Nota: per le risorse materiali, dovrebbe essere più equa la data di consegna. -ThisIsAnEstimatedValue=Questa è un'anteprima, basata su eventi aziendali e non dalla tabella del libro mastro finale, quindi i risultati finali potrebbero differire da questi valori di anteprima -PercentOfInvoice=%% / fattura -NotUsedForGoods=Non utilizzato su merci -ProposalStats=Statistiche sulle proposte +AnnualSummaryDueDebtMode=Bilancio di entrate e uscite, sintesi annuale +AnnualSummaryInputOutputMode=Bilancio di entrate e uscite, sintesi annuale +AnnualByCompanies=Balance of income and expenses, by predefined groups of account +AnnualByCompaniesDueDebtMode=Balance of income and expenses, detail by predefined groups, mode %sClaims-Debts%s said Commitment accounting. +AnnualByCompaniesInputOutputMode=Balance of income and expenses, detail by predefined groups, mode %sIncomes-Expenses%s said cash accounting. +SeeReportInInputOutputMode=See %sanalysis of payments%s for a calculation on actual payments made even if they are not yet accounted in Ledger. +SeeReportInDueDebtMode=See %sanalysis of invoices%s for a calculation based on known recorded invoices even if they are not yet accounted in Ledger. +SeeReportInBookkeepingMode=See %sBookeeping report%s for a calculation on Bookkeeping Ledger table +RulesAmountWithTaxIncluded=- Gli importi indicati sono tasse incluse +RulesResultDue=- Gli importi indicati sono tutti tasse incluse
- Comprendono le fatture in sospeso, l'IVA e le spese, che siano state pagate o meno.
- Si basa sulla data di convalida delle fatture e dell'IVA e sulla data di scadenza per le spese. +RulesResultInOut=- Include i pagamenti reali di fatture, spese e IVA.
- Si basa sulle date di pagamento di fatture, spese e IVA. +RulesCADue=- It includes the customer's due invoices whether they are paid or not.
- It is based on the validation date of these invoices.
+RulesCAIn=- It includes all the effective payments of invoices received from customers.
- It is based on the payment date of these invoices
+RulesCATotalSaleJournal=It includes all credit lines from the Sale journal. +RulesAmountOnInOutBookkeepingRecord=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" +RulesResultBookkeepingPredefined=It includes record in your Ledger with accounting accounts that has the group "EXPENSE" or "INCOME" +RulesResultBookkeepingPersonalized=It show record in your Ledger with accounting accounts grouped by personalized groups +SeePageForSetup=See menu %s for setup +DepositsAreNotIncluded=- Down payment invoices are not included +DepositsAreIncluded=- Down payment invoices are included +LT1ReportByCustomers=Report tax 2 by third party +LT2ReportByCustomers=Report tax 3 by third party +LT1ReportByCustomersES=Report by third party RE +LT2ReportByCustomersES=IRPF soggetti terzi(Spagna) +VATReport=Sale tax report +VATReportByPeriods=Sale tax report by period +VATReportByRates=Sale tax report by rates +VATReportByThirdParties=Sale tax report by third parties +VATReportByCustomers=Sale tax report by customer +VATReportByCustomersInInputOutputMode=Report per IVA cliente riscossa e pagata +VATReportByQuartersInInputOutputMode=Resoconto imposte di vendita, sia riscosse che pagate +LT1ReportByQuarters=Report tax 2 by rate +LT2ReportByQuarters=Report tax 3 by rate +LT1ReportByQuartersES=Report by RE rate +LT2ReportByQuartersES=Report by IRPF rate +SeeVATReportInInputOutputMode=Vedi il report %sIVA pagata%s per la modalità di calcolo standard +SeeVATReportInDueDebtMode=Vedi il report %sIVA a debito%s per la modalità di calcolo crediti/debiti +RulesVATInServices=- Per i servizi, il report include la regolazione dell'IVA incassata o differita. +RulesVATInProducts=- For material assets, the report includes the VAT received or issued on the basis of the date of payment. +RulesVATDueServices=- Per i servizi, comprende l'iva fatturata, pagata o meno, in base alla data di fatturazione. +RulesVATDueProducts=- For material assets, the report includes the VAT invoices, based on the invoice date. +OptionVatInfoModuleComptabilite=Nota: Per i prodotti è più corretto usare la data di consegna. +ThisIsAnEstimatedValue=This is a preview, based on business events and not from the final ledger table, so final results may differ from this preview values +PercentOfInvoice=%%/fattura +NotUsedForGoods=Non utilizzati per le merci +ProposalStats=Statistiche proposte commerciali OrderStats=Statistiche sugli ordini -InvoiceStats=Statistiche sulle bollette -Dispatch=dispacciamento -Dispatched=Inviato -ToDispatch=Spedire -ThirdPartyMustBeEditAsCustomer=Terze parti devono essere definite come clienti -SellsJournal=Diario di vendita -PurchasesJournal=Diario degli acquisti -DescSellsJournal=Diario di vendita -DescPurchasesJournal=Diario degli acquisti +InvoiceStats=Statistiche fatture/ricevute +Dispatch=Invio +Dispatched=Inviati +ToDispatch=Da inviare +ThirdPartyMustBeEditAsCustomer=Il soggetto terzo deve essere definito come cliente +SellsJournal=Storico vendite +PurchasesJournal=Storico acquisti +DescSellsJournal=Storico vendite +DescPurchasesJournal=Storico acquisti CodeNotDef=Non definito -WarningDepositsNotIncluded=Le fatture di acconto non sono incluse in questa versione con questo modulo di contabilità. -DatePaymentTermCantBeLowerThanObjectDate=La data del termine di pagamento non può essere inferiore alla data dell'oggetto. -Pcg_version=Modelli del piano dei conti -Pcg_type=Tipo di PC -Pcg_subtype=Sottotipo PCC -InvoiceLinesToDispatch=Linee di fatturazione da inviare -ByProductsAndServices=Per prodotto e servizio -RefExt=Rif. Esterno -ToCreateAPredefinedInvoice=Per creare una fattura modello, crea una fattura standard, quindi, senza convalidarla, fai clic sul pulsante "%s". -LinkedOrder=Link all'ordine +WarningDepositsNotIncluded=Down payment invoices are not included in this version with this accountancy module. +DatePaymentTermCantBeLowerThanObjectDate=La data termine di pagamento non può essere anteriore alla data dell'oggetto +Pcg_version=Chart of accounts models +Pcg_type=Tipo pcg +Pcg_subtype=Sottotipo Pcg +InvoiceLinesToDispatch=Riga di fattura da spedire *consegnare +ByProductsAndServices=By product and service +RefExt=Referente esterno +ToCreateAPredefinedInvoice=Per creare un modello di fattura, crea una fattura standard e poi, senza convalidarla, clicca sul pulsante "%s". +LinkedOrder=Collega a ordine Mode1=Metodo 1 Mode2=Metodo 2 -CalculationRuleDesc=Per calcolare l'IVA totale, esistono due metodi:
Il metodo 1 è arrotondare iva su ogni riga, quindi sommarli.
Il metodo 2 sta sommando tutta la vasca su ogni riga, quindi arrotondando il risultato.
Il risultato finale può differire da pochi centesimi. La modalità predefinita è la modalità %s . -CalculationRuleDescSupplier=Secondo il fornitore, scegliere il metodo appropriato per applicare la stessa regola di calcolo e ottenere lo stesso risultato atteso dal fornitore. -TurnoverPerProductInCommitmentAccountingNotRelevant=Il rapporto sul fatturato raccolto per prodotto non è disponibile. Questo rapporto è disponibile solo per il fatturato fatturato. -TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=Il rapporto sul fatturato raccolto per aliquota fiscale di vendita non è disponibile. Questo rapporto è disponibile solo per il fatturato fatturato. -CalculationMode=Modalità di calcolo -AccountancyJournal=Giornale del codice contabile -ACCOUNTING_VAT_SOLD_ACCOUNT=Conto contabile per impostazione predefinita per IVA sulle vendite (utilizzato se non definito nella configurazione del dizionario IVA) -ACCOUNTING_VAT_BUY_ACCOUNT=Conto contabile per impostazione predefinita per IVA sugli acquisti (utilizzato se non definito nella configurazione del dizionario IVA) -ACCOUNTING_VAT_PAY_ACCOUNT=Conto contabile per impostazione predefinita per il pagamento dell'IVA -ACCOUNTING_ACCOUNT_CUSTOMER=Conto contabile utilizzato per terze parti del cliente -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Il conto contabile dedicato definito sulla carta di terzi verrà utilizzato solo per la contabilità subledger. Questo verrà utilizzato per la contabilità generale e come valore predefinito della contabilità subledger se non viene definito un conto di contabilità clienti dedicato su terzi. -ACCOUNTING_ACCOUNT_SUPPLIER=Account contabile utilizzato per terze parti del fornitore -ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Il conto contabile dedicato definito sulla carta di terzi verrà utilizzato solo per la contabilità subledger. Questo verrà utilizzato per la contabilità generale e come valore predefinito della contabilità subledger se non viene definito un conto contabile fornitore dedicato su terzi. -ConfirmCloneTax=Conferma il clone di un'imposta sociale / fiscale -CloneTaxForNextMonth=Clonalo per il prossimo mese -SimpleReport=Rapporto semplice -AddExtraReport=Rapporti extra (aggiungi rapporto cliente estero e nazionale) -OtherCountriesCustomersReport=Rapporto di clienti stranieri -BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=In base alle due prime lettere del numero di partita IVA che differiscono dal codice paese della propria azienda -SameCountryCustomersWithVAT=Rapporto dei clienti nazionali -BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=In base alle due prime lettere del numero di partita IVA identiche al codice paese della propria azienda +CalculationRuleDesc=Ci sono due metodi per calcolare l'IVA totale:
Metodo 1: arrotondare l'IVA per ogni riga e poi sommare.
Metodo 2: sommare l'IVA di ogni riga e poi arrotondare il risultato della somma.
Il risultato finale può differire di alcuni centesimi tra i due metodi. Il metodo di default è il %s. +CalculationRuleDescSupplier=According to vendor, choose appropriate method to apply same calculation rule and get same result expected by your vendor. +TurnoverPerProductInCommitmentAccountingNotRelevant=The report of Turnover collected per product is not available. This report is only available for turnover invoiced. +TurnoverPerSaleTaxRateInCommitmentAccountingNotRelevant=The report of Turnover collected per sale tax rate is not available. This report is only available for turnover invoiced. +CalculationMode=Metodo di calcolo +AccountancyJournal=Accounting code journal +ACCOUNTING_VAT_SOLD_ACCOUNT=Accounting account by default for VAT on sales (used if not defined on VAT dictionary setup) +ACCOUNTING_VAT_BUY_ACCOUNT=Accounting account by default for VAT on purchases (used if not defined on VAT dictionary setup) +ACCOUNTING_VAT_PAY_ACCOUNT=Codice contabile predefinito per il pagamento dell'IVA +ACCOUNTING_ACCOUNT_CUSTOMER=Accounting account used for customer third parties +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated customer accounting account on third party is not defined. +ACCOUNTING_ACCOUNT_SUPPLIER=Accounting account used for vendor third parties +ACCOUNTING_ACCOUNT_SUPPLIER_Desc=The dedicated accounting account defined on third party card will be used for Subledger accounting only. This one will be used for General Ledger and as default value of Subledger accounting if dedicated vendor accounting account on third party is not defined. +ConfirmCloneTax=Confirm the clone of a social/fiscal tax +CloneTaxForNextMonth=Clona nel mese successivo +SimpleReport=Report semplice +AddExtraReport=Extra reports (add foreign and national customer report) +OtherCountriesCustomersReport=Foreign customers report +BasedOnTwoFirstLettersOfVATNumberBeingDifferentFromYourCompanyCountry=Based on the two first letters of the VAT number being different from your own company's country code +SameCountryCustomersWithVAT=National customers report +BasedOnTwoFirstLettersOfVATNumberBeingTheSameAsYourCompanyCountry=Based on the two first letters of the VAT number being the same as your own company's country code LinkedFichinter=Collegamento ad un intervento -ImportDataset_tax_contrib=Imposte sociali / fiscali -ImportDataset_tax_vat=Pagamenti IVA -ErrorBankAccountNotFound=Errore: conto bancario non trovato -FiscalPeriod=Periodo contabile -ListSocialContributionAssociatedProject=Elenco dei contributi sociali associati al progetto -DeleteFromCat=Rimuovi dal gruppo contabile -AccountingAffectation=Incarico di contabilità -LastDayTaxIsRelatedTo=Ultimo giorno del periodo a cui si riferisce l'imposta -VATDue=Tassa di vendita richiesta -ClaimedForThisPeriod=Rivendicato per il periodo -PaidDuringThisPeriod=Pagato durante questo periodo -ByVatRate=Per aliquota fiscale di vendita -TurnoverbyVatrate=Fatturato fatturato dall'aliquota fiscale di vendita -TurnoverCollectedbyVatrate=Fatturato raccolto dall'aliquota fiscale di vendita -PurchasebyVatrate=Acquisto per aliquota fiscale di vendita +ImportDataset_tax_contrib=Tasse/contributi +ImportDataset_tax_vat=Vat payments +ErrorBankAccountNotFound=Error: Bank account not found +FiscalPeriod=Scheda periodo di esercizio +ListSocialContributionAssociatedProject=List of social contributions associated with the project +DeleteFromCat=Remove from accounting group +AccountingAffectation=Accounting assignment +LastDayTaxIsRelatedTo=Last day of period the tax is related to +VATDue=Sale tax claimed +ClaimedForThisPeriod=Claimed for the period +PaidDuringThisPeriod=Paid during this period +ByVatRate=By sale tax rate +TurnoverbyVatrate=Turnover invoiced by sale tax rate +TurnoverCollectedbyVatrate=Turnover collected by sale tax rate +PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Etichetta breve diff --git a/htdocs/langs/it_IT/cron.lang b/htdocs/langs/it_IT/cron.lang index 348f3c48db8..bc04e98bec5 100644 --- a/htdocs/langs/it_IT/cron.lang +++ b/htdocs/langs/it_IT/cron.lang @@ -6,7 +6,7 @@ Permission23102 = Crea / Aggiornamento processo pianificato Permission23103 = Elimina processo pianificato Permission23104 = Esegui processo pianificato # Admin -CronSetup= Impostazione delle azioni pianificate +CronSetup=Impostazione delle azioni pianificate URLToLaunchCronJobs=URL per controllare ed eseguire i processi in cron OrToLaunchASpecificJob=O per lanciare un processo specifico KeyForCronAccess=Chiave di sicurezza per l'URL che lancia i processi pianificati @@ -81,3 +81,4 @@ JobDisabled=Processo disabilitato MakeLocalDatabaseDumpShort=Backup del database locale MakeLocalDatabaseDump=Create a local database dump. Parameters are: compression ('gz' or 'bz' or 'none'), backup type ('mysql' or 'pgsql'), 1, 'auto' or filename to build, number of backup files to keep WarningCronDelayed=Attenzione, per motivi di performance, qualunque sia la data della prossima esecuzione dei processi attivi, i tuoi processi possono essere ritardati di un massimo di %s ore prima di essere eseguiti +DATAPOLICYJob=Pulizia dei dati e anonimizzatore diff --git a/htdocs/langs/it_IT/deliveries.lang b/htdocs/langs/it_IT/deliveries.lang index a08af6ffce2..bc6a34e0149 100644 --- a/htdocs/langs/it_IT/deliveries.lang +++ b/htdocs/langs/it_IT/deliveries.lang @@ -1,31 +1,31 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=Consegna -DeliveryRef=Consegna di riferimento -DeliveryCard=Carta di ricevuta -DeliveryOrder=Ricevuta di consegna +DeliveryRef=Rif. consegna +DeliveryCard=Scheda ricevuta di consegna +DeliveryOrder=Ordine di consegna DeliveryDate=Data di consegna -CreateDeliveryOrder=Genera ricevuta di consegna +CreateDeliveryOrder=Genera la ricevuta di consegna DeliveryStateSaved=Stato di consegna salvato SetDeliveryDate=Imposta la data di spedizione ValidateDeliveryReceipt=Convalida la ricevuta di consegna -ValidateDeliveryReceiptConfirm=Sei sicuro di voler convalidare questa ricevuta di consegna? +ValidateDeliveryReceiptConfirm=Vuoi davvero convalidare la ricevuta di consegna? DeleteDeliveryReceipt=Eliminare ricevuta di consegna -DeleteDeliveryReceiptConfirm=Vuoi eliminare la ricevuta di consegna %s ? +DeleteDeliveryReceiptConfirm=Vuoi davvero eliminare la ricevuta di consegna %s? DeliveryMethod=Metodo di consegna TrackingNumber=Numero di tracking DeliveryNotValidated=Consegna non convalidata -StatusDeliveryCanceled=Annullato +StatusDeliveryCanceled=Annullata StatusDeliveryDraft=Bozza -StatusDeliveryValidated=ricevuto +StatusDeliveryValidated=Ricevuta # merou PDF model NameAndSignature=Nome e firma: ToAndDate=A___________________________________ il ____/_____/__________ GoodStatusDeclaration=Dichiaro di aver ricevuto le merci di cui sopra in buone condizioni, -Deliverer=liberatore: +Deliverer=Chi consegna: Sender=Mittente Recipient=Destinatario -ErrorStockIsNotEnough=Non ci sono abbastanza scorte -Shippable=Disponibile per la spedizione -NonShippable=Non spedibile +ErrorStockIsNotEnough=Non ci sono sufficienti scorte +Shippable=Disponibile per spedizione +NonShippable=Non disponibile per spedizione ShowReceiving=Mostra ricevuta di consegna NonExistentOrder=Ordine inesistente diff --git a/htdocs/langs/it_IT/donations.lang b/htdocs/langs/it_IT/donations.lang index 19e6483b48e..010fdc1eae4 100644 --- a/htdocs/langs/it_IT/donations.lang +++ b/htdocs/langs/it_IT/donations.lang @@ -1,35 +1,35 @@ # Dolibarr language file - Source file is en_US - donations Donation=Donazione Donations=Donazioni -DonationRef=Rif. Donazione +DonationRef=Riferimento donazione Donor=Donatore -AddDonation=Crea una donazione +AddDonation=Crea donazione NewDonation=Nuova donazione DeleteADonation=Elimina una donazione -ConfirmDeleteADonation=Sei sicuro di voler eliminare questa donazione? -ShowDonation=Mostra donazione -PublicDonation=Donazione pubblica +ConfirmDeleteADonation=Are you sure you want to delete this donation? +ShowDonation=Visualizza donazione +PublicDonation=Donazione Pubblica DonationsArea=Area donazioni -DonationStatusPromiseNotValidated=Progetto di promessa -DonationStatusPromiseValidated=Promessa convalidata +DonationStatusPromiseNotValidated=Promessa in bozza +DonationStatusPromiseValidated=Promessa di donazione convalidata DonationStatusPaid=Donazione ricevuta DonationStatusPromiseNotValidatedShort=Bozza -DonationStatusPromiseValidatedShort=convalidato -DonationStatusPaidShort=ricevuto +DonationStatusPromiseValidatedShort=Promessa convalidata +DonationStatusPaidShort=Ricevuta DonationTitle=Ricevuta di donazione DonationDate=Data di donazione DonationDatePayment=Data di pagamento ValidPromess=Convalida promessa -DonationReceipt=Ricevuta della donazione -DonationsModels=Documenta i modelli per le ricevute di donazione -LastModifiedDonations=Ultime donazioni modificate %s -DonationRecipient=Destinatario della donazione -IConfirmDonationReception=Il destinatario dichiara la ricezione, come donazione, del seguente importo -MinimumAmount=L'importo minimo è %s -FreeTextOnDonations=Testo libero da mostrare a piè di pagina +DonationReceipt=Ricevuta per donazione +DonationsModels=Modelli per ricevute donazione +LastModifiedDonations=Ultime %s donazioni modificate +DonationRecipient=Ricevente della donazione +IConfirmDonationReception=Si dichiara di aver ricevuto la seguente cifra a titolo di donazione +MinimumAmount=L'importo minimo è %s +FreeTextOnDonations=Free text to show in footer FrenchOptions=Opzioni per la Francia -DONATION_ART200=Mostra l'articolo 200 di CGI se sei preoccupato -DONATION_ART238=Mostra l'articolo 238 del CGI se sei preoccupato -DONATION_ART885=Mostra l'articolo 885 del CGI se sei preoccupato -DonationPayment=Pagamento donazione -DonationValidated=Donazione %s convalidata +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/errors.lang b/htdocs/langs/it_IT/errors.lang index 24bc4573b92..b46537d3808 100644 --- a/htdocs/langs/it_IT/errors.lang +++ b/htdocs/langs/it_IT/errors.lang @@ -1,50 +1,50 @@ # Dolibarr language file - Source file is en_US - errors # No errors -NoErrorCommitIsDone=Nessun errore, ci impegniamo +NoErrorCommitIsDone=Nessun errore, committiamo # Errors -ErrorButCommitIsDone=Sono stati rilevati errori ma lo confermiamo -ErrorBadEMail=L'email %s è errata +ErrorButCommitIsDone=Sono stati trovati errori ma si convalida ugualmente +ErrorBadEMail=Email %s is wrong ErrorBadUrl=L'URL %s è sbagliato -ErrorBadValueForParamNotAString=Valore errato per il parametro. Si aggiunge generalmente quando manca la traduzione. +ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorLoginAlreadyExists=L'utente %s esiste già. ErrorGroupAlreadyExists=Il gruppo %s esiste già ErrorRecordNotFound=Record non trovato ErrorFailToCopyFile=Impossibile copiare il file '%s' in '%s' -ErrorFailToCopyDir=Impossibile copiare la directory ' %s ' in ' %s '. +ErrorFailToCopyDir=Failed to copy directory '%s' into '%s'. ErrorFailToRenameFile=Impossibile rinominare il file '%s' in '%s'. ErrorFailToDeleteFile=Impossibile rimuovere il file '%s'. ErrorFailToCreateFile=Impossibile creare il file '%s'. ErrorFailToRenameDir=Impossibile rinominare la directory '%s' in '%s'. ErrorFailToCreateDir=Impossibile creare la directory '%s'. ErrorFailToDeleteDir=Impossibile eliminare la directory '%s'. -ErrorFailToMakeReplacementInto=Impossibile effettuare la sostituzione nel file " %s ". -ErrorFailToGenerateFile=Impossibile generare il file ' %s '. +ErrorFailToMakeReplacementInto=Failed to make replacement into file '%s'. +ErrorFailToGenerateFile=Failed to generate file '%s'. ErrorThisContactIsAlreadyDefinedAsThisType=Questo contatto è già tra i contatti di questo tipo ErrorCashAccountAcceptsOnlyCashMoney=Questo conto corrente è un conto di cassa e accetta solo pagamenti in contanti. ErrorFromToAccountsMustDiffers=I conti bancari di origine e destinazione devono essere diversi. -ErrorBadThirdPartyName=Valore errato per nome di terze parti -ErrorProdIdIsMandatory=%s è obbligatorio +ErrorBadThirdPartyName=Valore non valido per Nome Soggetto terzo +ErrorProdIdIsMandatory=%s obbligatorio ErrorBadCustomerCodeSyntax=Sintassi del codice cliente errata -ErrorBadBarCodeSyntax=Sintassi errata per codice a barre. Può essere che tu abbia impostato un tipo di codice a barre errato o che tu abbia definito una maschera di codice a barre per la numerazione che non corrisponde al valore scansionato. +ErrorBadBarCodeSyntax=Bad syntax for barcode. May be you set a bad barcode type or you defined a barcode mask for numbering that does not match value scanned. ErrorCustomerCodeRequired=Il codice cliente è obbligatorio -ErrorBarCodeRequired=Codice a barre richiesto +ErrorBarCodeRequired=Barcode required ErrorCustomerCodeAlreadyUsed=Codice cliente già utilizzato -ErrorBarCodeAlreadyUsed=Codice a barre già utilizzato +ErrorBarCodeAlreadyUsed=Barcode already used ErrorPrefixRequired=È richiesto il prefisso -ErrorBadSupplierCodeSyntax=Sintassi errata per il codice fornitore -ErrorSupplierCodeRequired=Codice fornitore richiesto +ErrorBadSupplierCodeSyntax=Bad syntax for vendor code +ErrorSupplierCodeRequired=Il codice fornitore è richiesto ErrorSupplierCodeAlreadyUsed=Codice fornitore già utilizzato ErrorBadParameters=Parametri errati ErrorBadValueForParameter=Valore '%s' non corretto per il parametro '%s' -ErrorBadImageFormat=Il file di immagine non ha un formato supportato (Il tuo PHP non supporta le funzioni per convertire le immagini di questo formato) +ErrorBadImageFormat=Tipo file immagine non supportato (la tua installazione di PHP non supporta le funzioni per convertire le immagini di questo formato) ErrorBadDateFormat=Il valore '%s' ha un formato della data sbagliato ErrorWrongDate=La data non è corretta! ErrorFailedToWriteInDir=Impossibile scrivere nella directory %s ErrorFoundBadEmailInFile=Sintassi email errata nelle righe %s del file (ad esempio alla riga %s con email = %s) -ErrorUserCannotBeDelete=L'utente non può essere eliminato. Forse è associato alle entità Dolibarr. +ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. ErrorFieldsRequired=Mancano alcuni campi obbligatori. -ErrorSubjectIsRequired=È richiesto l'argomento e-mail +ErrorSubjectIsRequired=Il titolo della email è obbligatorio ErrorFailedToCreateDir=Impossibile creare la directory. Verifica che l'utente del server Web abbia i permessi per scrivere nella directory Dolibarr. Se il parametro safe_mode è abilitato in PHP, verifica che i file php di Dolibarr appartengano all'utente o al gruppo del server web (per esempio www-data). ErrorNoMailDefinedForThisUser=Nessun indirizzo memorizzato per questo utente ErrorFeatureNeedJavascript=Questa funzione necessita di javascript per essere attivata. Modificare questa impostazione nel menu Impostazioni - layout di visualizzazione. @@ -61,192 +61,195 @@ ErrorUploadBlockedByAddon=Upload bloccato da un plugin di Apache/PHP ErrorFileSizeTooLarge=La dimensione del file è troppo grande. ErrorSizeTooLongForIntType=Numero troppo lungo (massimo %s cifre) ErrorSizeTooLongForVarcharType=Stringa troppo lunga (limite di %s caratteri) -ErrorNoValueForSelectType=Si prega di compilare il valore per selezionare l'elenco -ErrorNoValueForCheckBoxType=Si prega di compilare il valore per l'elenco casella di controllo -ErrorNoValueForRadioType=Si prega di compilare il valore per l'elenco radio -ErrorBadFormatValueList=Il valore dell'elenco non può contenere più di una virgola: %s , ma è necessario almeno uno: chiave, valore -ErrorFieldCanNotContainSpecialCharacters=Il campo %s non deve contenere caratteri speciali. -ErrorFieldCanNotContainSpecialNorUpperCharacters=Il campo %s non deve contenere caratteri speciali né caratteri maiuscoli e non può contenere solo numeri. -ErrorFieldMustHaveXChar=Il campo %s deve contenere almeno %s caratteri. +ErrorNoValueForSelectType=Per favore immetti un valore per la lista di selezione +ErrorNoValueForCheckBoxType=Per favore immetti un valore per la lista di controllo +ErrorNoValueForRadioType=Per favore immetti un valore per la lista radio +ErrorBadFormatValueList=La lista può includere una o più virgole: %s, ma deve essercene almeno una: key,value +ErrorFieldCanNotContainSpecialCharacters=The field %s must not contains special characters. +ErrorFieldCanNotContainSpecialNorUpperCharacters=The field %s must not contain special characters, nor upper case characters and cannot contain only numbers. +ErrorFieldMustHaveXChar=The field %s must have at least %s characters. ErrorNoAccountancyModuleLoaded=Modulo contabilità disattivato -ErrorExportDuplicateProfil=Questo nome profilo esiste già per questo set di esportazione. +ErrorExportDuplicateProfil=Questo nome profilo già esiste per questo set di esportazione ErrorLDAPSetupNotComplete=La configurazione per l'uso di LDAP è incompleta ErrorLDAPMakeManualTest=È stato generato un file Ldif nella directory %s. Prova a caricarlo dalla riga di comando per avere maggiori informazioni sugli errori. -ErrorCantSaveADoneUserWithZeroPercentage=Impossibile salvare un'azione con "stato non avviato" se viene riempito anche il campo "completato da". +ErrorCantSaveADoneUserWithZeroPercentage=Can't save an action with "status not started" if field "done by" is also filled. ErrorRefAlreadyExists=Il riferimento utilizzato esiste già. -ErrorPleaseTypeBankTransactionReportName=Inserisci il nome dell'estratto conto in cui deve essere segnalata la voce (formato AAAAMM o AAAAMMGG) -ErrorRecordHasChildren=Impossibile eliminare il record poiché ha alcuni record figlio. -ErrorRecordHasAtLeastOneChildOfType=L'oggetto ha almeno un figlio di tipo %s -ErrorRecordIsUsedCantDelete=Impossibile eliminare il record. È già utilizzato o incluso in un altro oggetto. -ErrorModuleRequireJavascript=Javascript non deve essere disabilitato per far funzionare questa funzione. Per abilitare / disabilitare Javascript, vai al menu Home-> Setup-> Display. +ErrorPleaseTypeBankTransactionReportName=Please enter the bank statement name where the entry has to be reported (Format YYYYMM or YYYYMMDD) +ErrorRecordHasChildren=Failed to delete record since it has some child records. +ErrorRecordHasAtLeastOneChildOfType=Object has at least one child of type %s +ErrorRecordIsUsedCantDelete=Can't delete record. It is already used or included into another object. +ErrorModuleRequireJavascript=Per questa funzionalità Javascript deve essere attivo. Per abilitare/disabilitare Javascript, vai su Home - Impostazioni - Schermo ErrorPasswordsMustMatch=Le due password digitate devono essere identiche -ErrorContactEMail=Si è verificato un errore tecnico. Contatta l'amministratore alla seguente e - mail %s e fornisci il codice di errore %s nel tuo messaggio o aggiungi una copia di questa pagina. -ErrorWrongValueForField=Campo %s : ' %s ' non corrisponde alla regola regex %s -ErrorFieldValueNotIn=Il campo %s : ' %s ' non è un valore trovato nel campo %s di %s -ErrorFieldRefNotIn=Il campo %s : ' %s ' non è un riferimento esistente %s -ErrorsOnXLines=Sono stati trovati errori %s -ErrorFileIsInfectedWithAVirus=Il programma antivirus non è stato in grado di convalidare il file (il file potrebbe essere infetto da un virus) +ErrorContactEMail=A technical error occured. Please, contact administrator to following email %s and provide the error code %s in your message, or add a screen copy of this page. +ErrorWrongValueForField=Field %s: '%s' does not match regex rule %s +ErrorFieldValueNotIn=Field %s: '%s' is not a value found in field %s of %s +ErrorFieldRefNotIn=Field %s: '%s' is not a %s existing ref +ErrorsOnXLines=%s errors found +ErrorFileIsInfectedWithAVirus=Il programma antivirus non è stato in grado di convalidare il file (il file potrebbe essere infetto) ErrorSpecialCharNotAllowedForField=I caratteri speciali non sono ammessi per il campo "%s" -ErrorNumRefModel=Nel database esiste un riferimento (%s) e non è compatibile con questa regola di numerazione. Rimuovi record o rinominato riferimento per attivare questo modulo. -ErrorQtyTooLowForThisSupplier=Quantità troppo bassa per questo fornitore o nessun prezzo definito su questo prodotto per questo fornitore -ErrorOrdersNotCreatedQtyTooLow=Alcuni ordini non sono stati creati a causa di quantità troppo basse -ErrorModuleSetupNotComplete=L'installazione del modulo %s sembra essere incompleta. Vai su Home - Installazione - Moduli da completare. +ErrorNumRefModel=Esiste un riferimento nel database (%s) e non è compatibile con questa regola di numerazione. Rimuovere o rinominare il record per attivare questo modulo. +ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor +ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities +ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. ErrorBadMask=Errore sulla maschera -ErrorBadMaskFailedToLocatePosOfSequence=Errore, maschera senza numero progressivo -ErrorBadMaskBadRazMonth=Errore, valore di reset errato -ErrorMaxNumberReachForThisMask=Numero massimo raggiunto per questa maschera -ErrorCounterMustHaveMoreThan3Digits=Il contatore deve contenere più di 3 cifre -ErrorSelectAtLeastOne=Errore. Seleziona almeno una voce. -ErrorDeleteNotPossibleLineIsConsolidated=L'eliminazione non è possibile perché il record è collegato a una transazione bancaria conciliata -ErrorProdIdAlreadyExist=%s è assegnato a un altro terzo +ErrorBadMaskFailedToLocatePosOfSequence=Errore, maschera senza numero di sequenza +ErrorBadMaskBadRazMonth=Errore, valore di reset non valido +ErrorMaxNumberReachForThisMask=Maximum number reached for this mask +ErrorCounterMustHaveMoreThan3Digits=Il contatore deve avere più di 3 cifre +ErrorSelectAtLeastOne=Errore. Selezionare almeno una voce. +ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated +ErrorProdIdAlreadyExist=%s è già assegnato ErrorFailedToSendPassword=Impossibile inviare la password ErrorFailedToLoadRSSFile=Impossibile ottenere feed RSS. Se i messaggi di errore non forniscono informazioni sufficienti, prova ad ativare il debug con MAIN_SIMPLEXMLLOAD_DEBUG. -ErrorForbidden=Accesso negato.
Si tenta di accedere a una pagina, area o funzionalità di un modulo disabilitato o senza essere in una sessione autenticata o non consentita all'utente. -ErrorForbidden2=L'autorizzazione per questo accesso può essere definita dall'amministratore Dolibarr dal menu %s-> %s. -ErrorForbidden3=Sembra che Dolibarr non venga utilizzato durante una sessione autenticata. Dai un'occhiata alla documentazione sulla configurazione di Dolibarr per sapere come gestire le autenticazioni (htaccess, mod_auth o altro ...). -ErrorNoImagickReadimage=La classe Imagick non si trova in questo PHP. Nessuna anteprima disponibile. Gli amministratori possono disabilitare questa scheda dal menu Impostazione - Schermo. +ErrorForbidden=Accesso negato.
Cerchi di accedere a una pagina, area o funzionalità di un modulo disabilitato o senza essere in una sessione autenticata o che non è consentita all'utente. +ErrorForbidden2=L'autorizzazione all'accesso per questi dati può essere impostata dall'amministratore di Dolibarr tramite il menu %s - %s. +ErrorForbidden3=Sembra che Dolibarr non venga utilizzato tramite una sessione autenticata. Dai un'occhiata alla documentazione di installazione Dolibarr per sapere come gestire le autenticazioni (htaccess, mod_auth o altri...). +ErrorNoImagickReadimage=La funzione Imagick_readimage non è stata trovato nel PHP. L'anteprima non è disponibile. Gli amministratori possono disattivare questa scheda dal menu Impostazioni - Schermo ErrorRecordAlreadyExists=Il record esiste già -ErrorLabelAlreadyExists=Questa etichetta esiste già -ErrorCantReadFile=Impossibile leggere il file '%s' -ErrorCantReadDir=Impossibile leggere la directory '%s' -ErrorBadLoginPassword=Valore errato per login o password -ErrorLoginDisabled=il tuo account è stato disabilitato +ErrorLabelAlreadyExists=Etichetta già esistente +ErrorCantReadFile=Impossibile leggere il file %s +ErrorCantReadDir=Impossibile leggere nella directory %s +ErrorBadLoginPassword=Errore: Username o password non corretti +ErrorLoginDisabled=L'account è stato disabilitato ErrorFailedToRunExternalCommand=Impossibile eseguire il comando esterno. Controlla che sia disponibile ed eseguibile dal server PHP. Se la modalità safe_mode è abilitata in PHP, verificare che il comando sia all'interno di una directory ammessa dal parametro safe_mode_exec_dir. ErrorFailedToChangePassword=Impossibile cambiare la password -ErrorLoginDoesNotExists=Impossibile trovare l'utente con accesso %s . +ErrorLoginDoesNotExists=Utente con accesso %s inesistente ErrorLoginHasNoEmail=Questo utente non ha alcun indirizzo email. Processo interrotto. -ErrorBadValueForCode=Valore errato per il codice di sicurezza. Riprova con un nuovo valore ... +ErrorBadValueForCode=Valore del codice errato. Riprova con un nuovo valore... ErrorBothFieldCantBeNegative=I campi %s e %s non possono essere entrambi negativi -ErrorFieldCantBeNegativeOnInvoice=Il campo %s non può essere negativo su questo tipo di fattura. Se si desidera aggiungere una riga di sconto, è sufficiente creare prima lo sconto con il collegamento %s sullo schermo e applicarlo alla fattura. Puoi anche chiedere al tuo amministratore di impostare l'opzione FACTURE_ENABLE_NEGATIVE_LINES su 1 per consentire il vecchio comportamento. -ErrorQtyForCustomerInvoiceCantBeNegative=La quantità per riga nelle fatture cliente non può essere negativa -ErrorWebServerUserHasNotPermission=L'account utente %s utilizzato per eseguire il server Web non dispone di autorizzazioni +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. +ErrorQtyForCustomerInvoiceCantBeNegative=La quantità di ciascuna riga della fattura cliente non può essere negativa +ErrorWebServerUserHasNotPermission=L'account utente %s utilizzato per eseguire il server web non ha i permessi necessari ErrorNoActivatedBarcode=Nessun tipo di codice a barre attivato ErrUnzipFails=Estrazione dell'archivio %s con ZipArchive fallita -ErrNoZipEngine=Nessun motore per comprimere / decomprimere il file %s in questo PHP -ErrorFileMustBeADolibarrPackage=Il file %s deve essere un pacchetto zip Dolibarr -ErrorModuleFileRequired=È necessario selezionare un file di pacchetto del modulo Dolibarr +ErrNoZipEngine=La funzione di compressione zip/unzip per il file %s non è disponibile in questa installazione di PHP +ErrorFileMustBeADolibarrPackage=Il file %s deve essere un archivio zip Dolibarr +ErrorModuleFileRequired=You must select a Dolibarr module package file ErrorPhpCurlNotInstalled=PHP CURL non risulta installato, ma è necessario per comunicare con Paypal -ErrorFailedToAddToMailmanList=Impossibile aggiungere il record %s all'elenco Mailman %s o base SPIP -ErrorFailedToRemoveToMailmanList=Impossibile rimuovere il record %s nell'elenco Mailman %s o base SPIP -ErrorNewValueCantMatchOldValue=Il nuovo valore non può essere uguale a quello vecchio -ErrorFailedToValidatePasswordReset=Reinizializzazione password non riuscita. Potrebbe essere che il reinit sia stato già eseguito (questo collegamento può essere utilizzato solo una volta). In caso contrario, prova a riavviare il processo di reinizializzazione. -ErrorToConnectToMysqlCheckInstance=La connessione al database non riesce. Controlla che il server database sia in esecuzione (ad esempio, con mysql / mariadb, puoi avviarlo dalla riga di comando con 'sudo service mysql start'). +ErrorFailedToAddToMailmanList=Impossibile aggiungere il dato %s alla Mailman lista %s o SPIP base +ErrorFailedToRemoveToMailmanList=Impossibile rimuovere il dato %s alla Mailman lista %s o SPIP base +ErrorNewValueCantMatchOldValue=Il nuovo valore non può essere uguale al precedente +ErrorFailedToValidatePasswordReset=Cambio password fallito. Forse è già stato richiesto (questo link può essere usato una volta sola). Se no, prova a rifare la procedura dall'inizio. +ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). ErrorFailedToAddContact=Impossibile aggiungere il contatto -ErrorDateMustBeBeforeToday=La data non può essere maggiore di oggi -ErrorPaymentModeDefinedToWithoutSetup=È stata impostata una modalità di pagamento per digitare %s ma l'impostazione del modulo Invoice non è stata completata per definire le informazioni da mostrare per questa modalità di pagamento. -ErrorPHPNeedModule=Errore, il PHP deve avere il modulo %s installato per utilizzare questa funzione. -ErrorOpenIDSetupNotComplete=Si configura il file di configurazione Dolibarr per consentire l'autenticazione OpenID, ma l'URL del servizio OpenID non è definito nella costante %s -ErrorWarehouseMustDiffers=I magazzini di origine e destinazione devono differire -ErrorBadFormat=Formato errato! -ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Errore, questo membro non è ancora collegato a terze parti. Collegare un membro a una terza parte esistente o crearne una nuova prima di creare un abbonamento con fattura. +ErrorDateMustBeBeforeToday=La data non può essere successiva ad oggi +ErrorPaymentModeDefinedToWithoutSetup=Un metodo di pagamento è stato impostato come %s ma il setup del modulo Fattura non è stato completato per definire le impostazioni da mostrare per questo metodo di pagamento. +ErrorPHPNeedModule=Errore, il tuo PHP deve avere il modulo %s installato per usare questa funzionalità. +ErrorOpenIDSetupNotComplete=Hai impostato il config file di Dolibarr per permettere l'autenticazione tramite OpenID, ma l'URL del service di OpenID non è definita nella costante %s +ErrorWarehouseMustDiffers=Il magazzino di origine e quello di destinazione devono essere differenti +ErrorBadFormat=Formato non valido! +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Errore, questo membro non è stato ancora collegato a nessuna terza parte. Collega il membro ad una delle terze parti esistenti o creane una nuova prima di creare sottoscrizioni con fattura. ErrorThereIsSomeDeliveries=Errore, ci sono alcune consegne collegate a questa spedizione. Cancellazione rifiutata. -ErrorCantDeletePaymentReconciliated=Impossibile eliminare un pagamento che ha generato una voce bancaria riconciliata -ErrorCantDeletePaymentSharedWithPayedInvoice=Impossibile eliminare un pagamento condiviso da almeno una fattura con stato Pagato -ErrorPriceExpression1=Impossibile assegnare alla costante '%s' -ErrorPriceExpression2=Impossibile ridefinire la funzione integrata '%s' -ErrorPriceExpression3=Variabile non definita '%s' nella definizione della funzione -ErrorPriceExpression4=Carattere illegale '%s' -ErrorPriceExpression5=Inaspettato "%s" -ErrorPriceExpression6=Numero errato di argomenti (%s indicato, %s previsto) -ErrorPriceExpression8=Operatore imprevisto '%s' +ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled +ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid +ErrorPriceExpression1=Impossibile assegnare la costante '%s' +ErrorPriceExpression2=Impossibile ridefinire la funzione integrata '%s' +ErrorPriceExpression3=Variabile non definita '%s' nella definizione della funzione +ErrorPriceExpression4=Carattere '%s' non valido +ErrorPriceExpression5=Valore imprevisto '%s' +ErrorPriceExpression6=Numero errato di argomenti (inserito %s ,atteso %s) +ErrorPriceExpression8=Operatore imprevisto '%s' ErrorPriceExpression9=Si è verificato un errore imprevisto -ErrorPriceExpression10=L'operatore '%s' non ha operando -ErrorPriceExpression11=In attesa di "%s" +ErrorPriceExpression10=Operator '%s' lacks operand +ErrorPriceExpression11=Atteso '%s' ErrorPriceExpression14=Divisione per zero -ErrorPriceExpression17=Variabile non definita '%s' +ErrorPriceExpression17=Variabile non definita '%s' ErrorPriceExpression19=Espressione non trovata ErrorPriceExpression20=Espressione vuota -ErrorPriceExpression21=Risultato vuoto '%s' -ErrorPriceExpression22=Risultato negativo '%s' -ErrorPriceExpression23=Variabile sconosciuta o non impostata '%s' in %s -ErrorPriceExpression24=La variabile '%s' esiste ma non ha valore -ErrorPriceExpressionInternal=Errore interno '%s' -ErrorPriceExpressionUnknown=Errore sconosciuto '%s' -ErrorSrcAndTargetWarehouseMustDiffers=I magazzini di origine e destinazione devono differire -ErrorTryToMakeMoveOnProductRequiringBatchData=Errore, tentativo di eseguire un movimento di magazzino senza informazioni lotto / seriale, sul prodotto '%s' che richiede informazioni lotto / seriale -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Tutti i ricevimenti registrati devono essere prima verificati (approvati o negati) prima di poter eseguire questa azione -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Tutti i ricevimenti registrati devono essere verificati (approvati) prima di poter eseguire questa azione -ErrorGlobalVariableUpdater0=Richiesta HTTP non riuscita con errore '%s' -ErrorGlobalVariableUpdater1=Formato JSON non valido '%s' -ErrorGlobalVariableUpdater2=Parametro mancante '%s' -ErrorGlobalVariableUpdater3=I dati richiesti non sono stati trovati nel risultato -ErrorGlobalVariableUpdater4=Client SOAP non riuscito con errore "%s" +ErrorPriceExpression21=Risultato vuoto '%s' +ErrorPriceExpression22=Risultato negativo '%s' +ErrorPriceExpression23=Variabile '%s' sconosciuta o non impostata in %s +ErrorPriceExpression24=La variabile '%s' esiste, ma non è valorizzata +ErrorPriceExpressionInternal=Errore interno '%s' +ErrorPriceExpressionUnknown=Errore sconosciuto '%s' +ErrorSrcAndTargetWarehouseMustDiffers=I magazzini di origine e di destinazione devono essere diversi +ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action +ErrorGlobalVariableUpdater0=Richiesta HTTP fallita con errore '%s' +ErrorGlobalVariableUpdater1=Formato JSON '%s' non valido +ErrorGlobalVariableUpdater2=Parametro mancante: '%s' +ErrorGlobalVariableUpdater3=I dati richiesti non sono stati trovati +ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' ErrorGlobalVariableUpdater5=Nessuna variabile globale selezionata ErrorFieldMustBeANumeric=Il campo %s deve essere un valore numerico -ErrorMandatoryParametersNotProvided=Parametri obbligatori non forniti -ErrorOppStatusRequiredIfAmount=Hai impostato un importo stimato per questo lead. Quindi devi anche inserire il suo stato. -ErrorFailedToLoadModuleDescriptorForXXX=Impossibile caricare la classe descrittore del modulo per %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Definizione errata dell'array di menu nel descrittore del modulo (valore errato per la chiave fk_menu) -ErrorSavingChanges=Si è verificato un errore durante il salvataggio delle modifiche -ErrorWarehouseRequiredIntoShipmentLine=Per la spedizione è necessario il magazzino sulla linea -ErrorFileMustHaveFormat=Il file deve avere il formato %s -ErrorSupplierCountryIsNotDefined=Il paese per questo fornitore non è definito. Correggi prima questo. -ErrorsThirdpartyMerge=Impossibile unire i due record. Richiesta annullata -ErrorStockIsNotEnoughToAddProductOnOrder=Lo stock non è sufficiente per il prodotto %s per aggiungerlo in un nuovo ordine. -ErrorStockIsNotEnoughToAddProductOnInvoice=Lo stock non è sufficiente per il prodotto %s per aggiungerlo in una nuova fattura. -ErrorStockIsNotEnoughToAddProductOnShipment=Lo stock non è sufficiente per il prodotto %s per aggiungerlo in una nuova spedizione. -ErrorStockIsNotEnoughToAddProductOnProposal=Lo stock non è sufficiente per il prodotto %s per aggiungerlo in una nuova proposta. -ErrorFailedToLoadLoginFileForMode=Impossibile ottenere la chiave di accesso per la modalità '%s'. -ErrorModuleNotFound=Il file del modulo non è stato trovato. -ErrorFieldAccountNotDefinedForBankLine=Valore per l'account di contabilità non definito per l'ID della linea di origine %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Valore per il conto contabile non definito per l'ID fattura %s (%s) -ErrorFieldAccountNotDefinedForLine=Valore per il conto contabile non definito per la riga (%s) -ErrorBankStatementNameMustFollowRegex=Errore, il nome dell'estratto conto deve seguire la seguente regola di sintassi %s -ErrorPhpMailDelivery=Verifica di non utilizzare un numero troppo elevato di destinatari e che il contenuto della tua email non è simile a uno spam. Chiedi anche al tuo amministratore di controllare i file di registro del firewall e del server per informazioni più complete. -ErrorUserNotAssignedToTask=L'utente deve essere assegnato all'attività per poter inserire il tempo impiegato. -ErrorTaskAlreadyAssigned=Attività già assegnata all'utente -ErrorModuleFileSeemsToHaveAWrongFormat=Il pacchetto del modulo sembra avere un formato errato. +ErrorMandatoryParametersNotProvided=Parametri obbligatori non definiti +ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. +ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) +ErrorSavingChanges=An error has occurred when saving the changes +ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship +ErrorFileMustHaveFormat=Il file deve essere nel formato %s +ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. +ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. +ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. +ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. +ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment. +ErrorStockIsNotEnoughToAddProductOnProposal=Stock is not enough for product %s to add it into a new proposal. +ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'. +ErrorModuleNotFound=Impossibile trovare il file del modulo +ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s) +ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s) +ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s) +ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s +ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information. +ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. +ErrorTaskAlreadyAssigned=Task already assigned to user +ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. ErrorModuleFileSeemsToHaveAWrongFormat2=Deve esistere almeno una directory obbligatoria nello zip del modulo: %s o %s -ErrorFilenameDosNotMatchDolibarrPackageRules=Il nome del pacchetto del modulo ( %s ) non corrisponde alla sintassi del nome prevista: %s -ErrorDuplicateTrigger=Errore, nome trigger duplicato %s. Già caricato da %s. -ErrorNoWarehouseDefined=Errore, nessun magazzino definito. -ErrorBadLinkSourceSetButBadValueForRef=Il link che usi non è valido. Viene definita una "fonte" per il pagamento, ma il valore per "ref" non è valido. -ErrorTooManyErrorsProcessStopped=Troppi errori. Il processo è stato interrotto. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=La convalida di massa non è possibile quando l'opzione per aumentare / ridurre lo stock è impostata su questa azione (è necessario convalidare uno per uno in modo da poter definire il magazzino da aumentare / ridurre) -ErrorObjectMustHaveStatusDraftToBeValidated=L'oggetto %s deve avere lo stato 'Bozza' per essere convalidato. -ErrorObjectMustHaveLinesToBeValidated=L'oggetto %s deve avere righe per essere convalidato. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Solo le fatture convalidate possono essere inviate mediante l'azione di massa "Invia tramite e-mail". -ErrorChooseBetweenFreeEntryOrPredefinedProduct=Devi scegliere se l'articolo è un prodotto predefinito o meno -ErrorDiscountLargerThanRemainToPaySplitItBefore=Lo sconto che cerchi di applicare è maggiore di quello che resta da pagare. Dividi lo sconto in 2 sconti più piccoli prima. -ErrorFileNotFoundWithSharedLink=Il file non è stato trovato. Potrebbe essere stata modificata la chiave di condivisione o il file è stato rimosso di recente. -ErrorProductBarCodeAlreadyExists=Il codice a barre del prodotto %s esiste già su un altro riferimento di prodotto. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Si noti inoltre che l'uso del prodotto virtuale per aumentare / ridurre automaticamente i sottoprodotti non è possibile quando almeno un sottoprodotto (o sottoprodotto dei sottoprodotti) necessita di un numero di serie / lotto. -ErrorDescRequiredForFreeProductLines=La descrizione è obbligatoria per le linee con prodotto gratuito -ErrorAPageWithThisNameOrAliasAlreadyExists=La pagina / contenitore %s ha lo stesso nome o alias alternativo di quello che si tenta di utilizzare -ErrorDuringChartLoad=Errore durante il caricamento del piano dei conti. Se non sono stati caricati pochi account, è comunque possibile inserirli manualmente. -ErrorBadSyntaxForParamKeyForContent=Sintassi errata per il contenuto della chiave param. Deve avere un valore che inizia con %s o %s -ErrorVariableKeyForContentMustBeSet=Errore, è necessario impostare la costante con nome %s (con contenuto di testo da mostrare) o %s (con URL esterno da mostrare). -ErrorURLMustStartWithHttp=L'URL %s deve iniziare con http: // o https: // -ErrorNewRefIsAlreadyUsed=Errore, il nuovo riferimento è già utilizzato -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Errore, non è possibile eliminare il pagamento collegato a una fattura chiusa. -ErrorSearchCriteriaTooSmall=Criteri di ricerca troppo piccoli. +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=Errore: non è stato definito un magazzino. +ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. +ErrorTooManyErrorsProcessStopped=Troppi errori. Il processo è stato bloccato. +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) +ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. +ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. +ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not +ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. +ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. +ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. +ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product +ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use +ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. +ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s +ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. +ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// +ErrorNewRefIsAlreadyUsed=Error, the new reference is already used +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. +ErrorSearchCriteriaTooSmall=Search criteria too small. ErrorObjectMustHaveStatusActiveToBeDisabled=Gli oggetti devono avere lo stato 'Attivo' per essere disabilitati ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Gli oggetti devono avere lo stato 'Bozza' o 'Disabilitato' per essere abilitato ErrorNoFieldWithAttributeShowoncombobox=Nessun campo ha la proprietà 'mostra nel quadrato combo' nella definizione dell'oggetto '%s'. Non c'è modo di mostrare la lista combo. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Il parametro PHP upload_max_filesize (%s) è superiore al parametro PHP post_max_size (%s). Questa non è una configurazione coerente. -WarningPasswordSetWithNoAccount=È stata impostata una password per questo membro. Tuttavia, nessun account utente è stato creato. Quindi questa password è memorizzata ma non può essere utilizzata per accedere a Dolibarr. Può essere utilizzato da un modulo / interfaccia esterno ma se non è necessario definire alcun accesso o password per un membro, è possibile disabilitare l'opzione "Gestisci un accesso per ciascun membro" dall'impostazione del modulo Membro. Se è necessario gestire un accesso ma non è necessaria alcuna password, è possibile mantenere vuoto questo campo per evitare questo avviso. Nota: l'e-mail può essere utilizzata anche come accesso se il membro è collegato a un utente. -WarningMandatorySetupNotComplete=Fai clic qui per impostare i parametri obbligatori -WarningEnableYourModulesApplications=Fare clic qui per abilitare i moduli e le applicazioni +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. +WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. +WarningMandatorySetupNotComplete=Click here to setup mandatory parameters +WarningEnableYourModulesApplications=Click here to enable your modules and applications WarningSafeModeOnCheckExecDir=Attenzione: quando è attiva l'opzione safe_mode, il comando deve essere contenuto in una directory dichiarata dal parametro safe_mode_exec_dir. -WarningBookmarkAlreadyExists=Un segnalibro con questo titolo o questo target (URL) esiste già. -WarningPassIsEmpty=Attenzione, la password del database è vuota. Questa è una falla di sicurezza. Dovresti aggiungere una password al tuo database e cambiare il tuo file conf.php per riflettere questo. -WarningConfFileMustBeReadOnly=Attenzione, il tuo file di configurazione ( htdocs / conf / conf.php ) può essere sovrascritto dal web server. Questa è una grave falla nella sicurezza. Modifica le autorizzazioni per il file in modalità di sola lettura per l'utente del sistema operativo utilizzato dal server Web. Se usi il formato Windows e FAT per il tuo disco, devi sapere che questo file system non consente di aggiungere autorizzazioni sui file, quindi non può essere completamente sicuro. -WarningsOnXLines=Avvertenze sui record di origine %s -WarningNoDocumentModelActivated=Nessun modello, per la generazione di documenti, è stato attivato. Un modello verrà scelto per impostazione predefinita fino a quando non si controlla l'impostazione del modulo. -WarningLockFileDoesNotExists=Attenzione, al termine dell'installazione, è necessario disabilitare gli strumenti di installazione / migrazione aggiungendo un file install.lock nella directory %s . Omettere la creazione di questo file è un grave rischio per la sicurezza. -WarningUntilDirRemoved=Tutti gli avvisi di sicurezza (visibili solo agli utenti amministratori) rimarranno attivi fintanto che è presente la vulnerabilità (o che la costante MAIN_REMOVE_INSTALL_WARNING viene aggiunta in Impostazione-> Altre impostazioni). -WarningCloseAlways=Attenzione, la chiusura viene eseguita anche se la quantità differisce tra gli elementi di origine e di destinazione. Abilita questa funzione con cautela. -WarningUsingThisBoxSlowDown=Attenzione, l'uso di questa casella rallenta seriamente tutte le pagine che mostrano la casella. -WarningClickToDialUserSetupNotComplete=L'impostazione delle informazioni ClickToDial per l'utente non è completa (vedere la scheda ClickToDial sulla scheda utente). -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funzione disabilitata quando l'impostazione di visualizzazione è ottimizzata per i non vedenti o i browser di testo. -WarningPaymentDateLowerThanInvoiceDate=La data di pagamento (%s) è precedente alla data della fattura (%s) per la fattura %s. -WarningTooManyDataPleaseUseMoreFilters=Troppi dati (più di %s righe). Utilizzare più filtri o impostare la costante %s su un limite superiore. -WarningSomeLinesWithNullHourlyRate=Alcune volte sono state registrate da alcuni utenti mentre la loro tariffa oraria non è stata definita. È stato utilizzato un valore di 0 %s all'ora, ma ciò può comportare una valutazione errata del tempo trascorso. -WarningYourLoginWasModifiedPleaseLogin=Il tuo login è stato modificato. Per motivi di sicurezza dovrai accedere con il tuo nuovo accesso prima della prossima azione. -WarningAnEntryAlreadyExistForTransKey=Esiste già una voce per la chiave di traduzione per questa lingua -WarningNumberOfRecipientIsRestrictedInMassAction=Avviso, il numero di destinatari diversi è limitato a %s quando si utilizzano le azioni di massa negli elenchi -WarningDateOfLineMustBeInExpenseReportRange=Attenzione, la data della riga non è compresa nell'intervallo della nota spese -WarningProjectClosed=Il progetto è chiuso È necessario riaprirlo prima. +WarningBookmarkAlreadyExists=Un segnalibro per questo link (URL) o con lo stesso titolo esiste già. +WarningPassIsEmpty=Attenzione, il database è accessibile senza password. Questa è una grave falla di sicurezza! Si dovrebbe aggiungere una password per il database e cambiare il file conf.php di conseguenza. +WarningConfFileMustBeReadOnly=Attenzione, il file di configurazione htdocs/conf/conf.php è scrivibile dal server web. Questa è una grave falla di sicurezza! Impostare il file in sola lettura per l'utente utilizzato dal server web. Se si utilizza Windows e il formato FAT per il disco, dovete sapere che tale filesystem non consente la gestione delle autorizzazioni sui file, quindi non può essere completamente sicuro. +WarningsOnXLines=Warning su %s righe del sorgente +WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. +WarningLockFileDoesNotExists=Attenzione, una volta terminato il setup, devi disabilitare gli strumenti di installazione/migrazione aggiungendo il file install.lock nella directory %s. Omettendo la creazione di questo file è un grave riscuio per la sicurezza. +WarningUntilDirRemoved=Tutti gli avvisi di sicurezza (visibili solo dagli amministratori) rimarranno attivi fintanto che la vulnerabilità è presente (o la costante MAIN_REMOVE_INSTALL_WARNING viene aggiunta in Impostazioni->Altre impostazioni). +WarningCloseAlways=Attenzione, la chiusura è effettiva anche se il numero degli elementi non coincide fra inizio e fine. Abilitare questa opzione con cautela. +WarningUsingThisBoxSlowDown=Attenzione: l'uso di questo box rallenterà pesantemente tutte le pagine che lo visualizzano +WarningClickToDialUserSetupNotComplete=Le impostazioni di informazione del ClickToDial per il tuo utente non sono complete (vedi la scheda ClickToDial sulla tua scheda utente) +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Funzione disabilitata quando le impostazioni di visualizzazione sono ottimizzate per persone non vedenti o browser testuali. +WarningPaymentDateLowerThanInvoiceDate=La scadenza del pagamento (%s) risulta antecedente alla data di fatturazione (%s) per la fattura %s +WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. +WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. +WarningYourLoginWasModifiedPleaseLogin=La tua login è stata modificata. Per ragioni di sicurezza dove accedere con la nuova login prima di eseguire una nuova azione. +WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language +WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists +WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report +WarningProjectClosed=Project is closed. You must re-open it first. WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. diff --git a/htdocs/langs/it_IT/holiday.lang b/htdocs/langs/it_IT/holiday.lang index 8c99ae81ca4..c134c004aa1 100644 --- a/htdocs/langs/it_IT/holiday.lang +++ b/htdocs/langs/it_IT/holiday.lang @@ -1,48 +1,50 @@ # Dolibarr language file - Source file is en_US - holiday -HRM=HRM -Holidays=Partire -CPTitreMenu=Partire +HRM=Risorse umane +Holidays=Leave +CPTitreMenu=Leave MenuReportMonth=Estratto conto mensile MenuAddCP=Nuova richiesta -NotActiveModCP=È necessario abilitare il modulo Lascia per visualizzare questa pagina. +NotActiveModCP=You must enable the module Leave to view this page. AddCP=Inserisci nuova richiesta DateDebCP=Data di inizio DateFinCP=Data di fine DraftCP=Bozza -ToReviewCP=In attesa di approvazione +ToReviewCP=Pendente ApprovedCP=Approvato CancelCP=Cancellato RefuseCP=Rifiutato ValidatorCP=Approvato da -ListeCP=Elenco delle ferie -LeaveId=Lascia ID +ListeCP=List of leave +LeaveId=Leave ID ReviewedByCP=Sarà approvato da UserID=ID utente -UserForApprovalID=Utente per ID approvazione -UserForApprovalFirstname=Nome dell'utente di approvazione -UserForApprovalLastname=Cognome dell'utente di approvazione -UserForApprovalLogin=Accesso dell'utente di approvazione +UserForApprovalID=User for approval ID +UserForApprovalFirstname=First name of approval user +UserForApprovalLastname=Last name of approval user +UserForApprovalLogin=Login of approval user DescCP=Descrizione -SendRequestCP=Crea una richiesta di ferie -DelayToRequestCP=Le richieste di ferie devono essere effettuate almeno %s giorno / i prima di esse. -MenuConfCP=Saldo delle ferie -SoldeCPUser=Il saldo congedo è %s giorni. +SendRequestCP=Inserisci richiesta di assenza +DelayToRequestCP=Le richieste devono essere inserite almeno %s giorni prima dell'inizio. +MenuConfCP=Balance of leave +SoldeCPUser=Leave balance is %s days. ErrorEndDateCP=La data di fine deve essere posteriore alla data di inizio. ErrorSQLCreateCP=Si è verificato un errore SQL durante la creazione: -ErrorIDFicheCP=Si è verificato un errore, la richiesta di congedo non esiste. +ErrorIDFicheCP=Si è verificato un errore: la richiesta non esiste. ReturnCP=Torna alla pagina precedente -ErrorUserViewCP=Non sei autorizzato a leggere questa richiesta di ferie. -InfosWorkflowCP=Flusso di lavoro delle informazioni +ErrorUserViewCP=Non hai i permessi necessari a visualizzare questa richiesta. +InfosWorkflowCP=Flusso di informazioni RequestByCP=Richiesto da -TitreRequestCP=Lascia una richiesta -TypeOfLeaveId=Tipo di permesso ID -TypeOfLeaveCode=Tipo di codice di permesso -TypeOfLeaveLabel=Tipo di etichetta di congedo +TitreRequestCP=Richiesta di assenza +TypeOfLeaveId=Type of leave ID +TypeOfLeaveCode=Type of leave code +TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Numero di giornate di ferie già godute -NbUseDaysCPShort=Giorni consumati -NbUseDaysCPShortInMonth=Giorni consumati in mese -DateStartInMonth=Data di inizio in mese -DateEndInMonth=Data di fine in mese +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. +NbUseDaysCPShort=Days consumed +NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day +DateStartInMonth=Start date in month +DateEndInMonth=End date in month EditCP=Modifica DeleteCP=Cancella ActionRefuseCP=Rifiuta @@ -50,82 +52,82 @@ ActionCancelCP=Annulla StatutCP=Stato TitleDeleteCP=Elimina la richiesta ConfirmDeleteCP=Vuoi davvero cancellare questa richiesta? -ErrorCantDeleteCP=Errore non hai il diritto di eliminare questa richiesta di congedo. -CantCreateCP=Non hai il diritto di fare richieste di ferie. -InvalidValidatorCP=Devi scegliere un approvatore per la tua richiesta di ferie. +ErrorCantDeleteCP=Errore: non hai i permessi necessari per eliminare questa richiesta. +CantCreateCP=Non hai i permessi necessari per inserire richieste. +InvalidValidatorCP=Devi scegliere chi approverà la richiesta di assenza NoDateDebut=Bisogna selezionare una data di inizio. NoDateFin=Bisogna selezionare una data di fine. -ErrorDureeCP=La tua richiesta di ferie non contiene giorni lavorativi. -TitleValidCP=Approvare la richiesta di ferie -ConfirmValidCP=Sei sicuro di voler approvare la richiesta di congedo? +ErrorDureeCP=La tua richiesta di ferie non comprende giorni lavorativi. +TitleValidCP=Approva la richiesta +ConfirmValidCP=Vuoi davvero approvare la richiesta di ferie? DateValidCP=Data approvazione -TitleToValidCP=Invia richiesta di ferie -ConfirmToValidCP=Sei sicuro di voler inviare la richiesta di ferie? -TitleRefuseCP=Rifiuta la richiesta di ferie -ConfirmRefuseCP=Sei sicuro di voler rifiutare la richiesta di ferie? +TitleToValidCP=Invia richiesta di assenza +ConfirmToValidCP=Vuoi davvero inoltrare la richiesta di ferie? +TitleRefuseCP=Rifiuta la richiesta di assenza +ConfirmRefuseCP=Vuoi davvero rifiutare la richiesta di ferie? NoMotifRefuseCP=Devi indicare un motivo per il rifiuto. -TitleCancelCP=Annulla la richiesta di ferie -ConfirmCancelCP=Sei sicuro di voler annullare la richiesta di ferie? +TitleCancelCP=Annulla la richiesta +ConfirmCancelCP=Vuoi davvero annullare la richiesta di ferie? DetailRefusCP=Motivo del rifiuto DateRefusCP=Data del rifiuto -DateCancelCP=Data di cancellazione -DefineEventUserCP=Assegna un permesso eccezionale a un utente -addEventToUserCP=Assegnare un congedo -NotTheAssignedApprover=Non sei il responsabile dell'approvazione assegnato +DateCancelCP=Data dell'annullamento +DefineEventUserCP=Assegna permesso straordinario all'utente +addEventToUserCP=Assegna permesso +NotTheAssignedApprover=You are not the assigned approver MotifCP=Motivo UserCP=Utente -ErrorAddEventToUserCP=Si è verificato un errore durante l'aggiunta del congedo eccezionale. -AddEventToUserOkCP=L'aggiunta del congedo eccezionale è stata completata. -MenuLogCP=Visualizza i registri delle modifiche -LogCP=Registro degli aggiornamenti dei giorni di ferie disponibili +ErrorAddEventToUserCP=Si è verificato un errore nell'assegnazione del permesso straordinario. +AddEventToUserOkCP=Permesso straordinario assegnato correttamente. +MenuLogCP=Elenco delle modifiche +LogCP=Elenco degli aggiornamenti dei giorni ferie diponibili ActionByCP=Eseguito da -UserUpdateCP=Per l'utente +UserUpdateCP=Per l'utente PrevSoldeCP=Saldo precedente -NewSoldeCP=Nuovo equilibrio -alreadyCPexist=In questo periodo è già stata fatta una richiesta di ferie. -FirstDayOfHoliday=Primo giorno di ferie -LastDayOfHoliday=L'ultimo giorno di ferie -BoxTitleLastLeaveRequests=%s ultime richieste di ferie modificate +NewSoldeCP=Nuovo saldo +alreadyCPexist=C'è già una richiesta per lo stesso periodo. +FirstDayOfHoliday=Primo giorno di assenza +LastDayOfHoliday=Ultimo giorno di assenza +BoxTitleLastLeaveRequests=Ultime %s richieste di assenza modificate HolidaysMonthlyUpdate=Aggiornamento mensile ManualUpdate=Aggiornamento manuale -HolidaysCancelation=Lascia l'annullamento della richiesta -EmployeeLastname=Cognome del dipendente -EmployeeFirstname=Nome del dipendente -TypeWasDisabledOrRemoved=Lascia il tipo (id %s) è stato disabilitato o rimosso -LastHolidays=Richieste di congedo %s più recenti -AllHolidays=Tutte le richieste di ferie +HolidaysCancelation=Cancellazione ferie +EmployeeLastname=Cognome dipendente +EmployeeFirstname=Nome dipendente +TypeWasDisabledOrRemoved=Permesso di tipo (ID %s) è stato disabilitato o rimosso +LastHolidays=Ultime %s richieste di permesso +AllHolidays=Tutte le richieste di permesso HalfDay=Mezza giornata -NotTheAssignedApprover=Non sei il responsabile dell'approvazione assegnato -LEAVE_PAID=Vacanza pagata -LEAVE_SICK=Congedo per malattia -LEAVE_OTHER=Altro congedo -LEAVE_PAID_FR=Vacanza pagata +NotTheAssignedApprover=You are not the assigned approver +LEAVE_PAID=Paid vacation +LEAVE_SICK=Sick leave +LEAVE_OTHER=Other leave +LEAVE_PAID_FR=Paid vacation ## Configuration du Module ## -LastUpdateCP=Ultimo aggiornamento automatico dell'assegnazione delle ferie -MonthOfLastMonthlyUpdate=Mese dell'ultimo aggiornamento automatico dell'assegnazione delle ferie -UpdateConfCPOK=Aggiornato con successo. -Module27130Name= Gestione delle richieste di ferie -Module27130Desc= Gestione delle richieste di ferie -ErrorMailNotSend=Si è verificato un errore durante l'invio dell'email: -NoticePeriod=Periodo di preavviso +LastUpdateCP=Latest automatic update of leave allocation +MonthOfLastMonthlyUpdate=Month of latest automatic update of leave allocation +UpdateConfCPOK=Aggiornato con successo +Module27130Name= Gestione ferie +Module27130Desc= Gestione ferie +ErrorMailNotSend=Si è verificato un errore nell'invio dell'email: +NoticePeriod=Periodo di avviso #Messages -HolidaysToValidate=Convalida richieste di ferie -HolidaysToValidateBody=Di seguito è una richiesta di congedo per convalidare -HolidaysToValidateDelay=Questa richiesta di ferie avverrà entro un periodo inferiore a %s giorni. -HolidaysToValidateAlertSolde=L'utente che ha effettuato questa richiesta di ferie non ha abbastanza giorni disponibili. -HolidaysValidated=Richieste di ferie convalidate -HolidaysValidatedBody=La tua richiesta di ferie da %s a %s è stata convalidata. +HolidaysToValidate=Convalida ferie +HolidaysToValidateBody=Di sotto una richiesta ferie da convalidare +HolidaysToValidateDelay=Questa richiesta avrà luogo fra meno di %s giorni +HolidaysToValidateAlertSolde=The user who made this leave request does not have enough available days. +HolidaysValidated=Richieste di assenza approvate +HolidaysValidatedBody=La tua richiesta di ferie dal %s al %s è stata approvata HolidaysRefused=Richiesta negata -HolidaysRefusedBody=La tua richiesta di ferie da %s a %s è stata respinta per il seguente motivo: -HolidaysCanceled=Richiesta leaved annullata -HolidaysCanceledBody=La tua richiesta di ferie da %s a %s è stata annullata. -FollowedByACounter=1: questo tipo di congedo deve essere seguito da un contatore. Il contatore viene incrementato manualmente o automaticamente e quando viene convalidata una richiesta di ferie, il contatore viene diminuito.
0: non seguito da un contatore. -NoLeaveWithCounterDefined=Non sono definiti tipi di congedo che devono essere seguiti da un contatore -GoIntoDictionaryHolidayTypes=Vai in Home - Configurazione - Dizionari - Tipo di congedo per impostare i diversi tipi di foglie. -HolidaySetup=Installazione del modulo Holiday -HolidaysNumberingModules=Lasciare richieste modelli di numerazione -TemplatePDFHolidays=Modello per le richieste di ferie PDF -FreeLegalTextOnHolidays=Testo libero in PDF -WatermarkOnDraftHolidayCards=Filigrane su progetti di congedo richieste -HolidaysToApprove=Vacanze da approvare +HolidaysRefusedBody=Your leave request for %s to %s has been denied for the following reason: +HolidaysCanceled=Richiesta di assenza cancellata +HolidaysCanceledBody=La tua richiesta di ferie dal %s al %s è stata cancellata +FollowedByACounter=1: questo tipo di ferie segue un contatore. Il contatore incrementa automaticamente o manualmente e quando una richiesta di ferie è validata. il contatore decrementa.
0: non segue nessun contatore +NoLeaveWithCounterDefined=Non ci sono tipi di ferie definite che devono seguire un contatore +GoIntoDictionaryHolidayTypes=Go into Home - Setup - Dictionaries - Type of leave to setup the different types of leaves. +HolidaySetup=Setup of module Holiday +HolidaysNumberingModules=Leave requests numbering models +TemplatePDFHolidays=Template for leave requests PDF +FreeLegalTextOnHolidays=Free text on PDF +WatermarkOnDraftHolidayCards=Watermarks on draft leave requests +HolidaysToApprove=Holidays to approve NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays diff --git a/htdocs/langs/it_IT/hrm.lang b/htdocs/langs/it_IT/hrm.lang index e6859e26b18..f38870978e5 100644 --- a/htdocs/langs/it_IT/hrm.lang +++ b/htdocs/langs/it_IT/hrm.lang @@ -9,6 +9,7 @@ ConfirmDeleteEstablishment=Sei sicuro di voler cancellare questa azienda? OpenEtablishment=Apri azienda CloseEtablishment=Chiudi azienda # Dictionary +DictionaryPublicHolidays=HRM - Giorni festivi DictionaryDepartment=HRM - Lista dipartimenti DictionaryFunction=HRM - Lista funzioni # Module diff --git a/htdocs/langs/it_IT/install.lang b/htdocs/langs/it_IT/install.lang index e4b2f6c0c5c..4c25a6a1374 100644 --- a/htdocs/langs/it_IT/install.lang +++ b/htdocs/langs/it_IT/install.lang @@ -2,41 +2,43 @@ InstallEasy=Abbiamo cercato di semplificare al massimo l' installazione di Dolibarr. Basta seguire le istruzioni passo per passo. MiscellaneousChecks=Verificare prerequisiti ConfFileExists=Il file di configurazione %s esiste. -ConfFileDoesNotExistsAndCouldNotBeCreated=Il file di configurazione %s non esiste e non è stato possibile crearlo ! +ConfFileDoesNotExistsAndCouldNotBeCreated=Configuration file %s does not exist and could not be created! ConfFileCouldBeCreated=Il file %s può essere creato. -ConfFileIsNotWritable=Il file di configurazione %s non è scrivibile. Controlla le autorizzazioni. Per la prima installazione, il tuo server web deve essere in grado di scrivere in questo file durante il processo di configurazione ("chmod 666" per esempio su un sistema operativo Unix come). +ConfFileIsNotWritable=Configuration file %s is not writable. Check permissions. For first install, your web server must be able to write into this file during configuration process ("chmod 666" for example on a Unix like OS). ConfFileIsWritable=Il file di configurazione %s è scrivibile. -ConfFileMustBeAFileNotADir=Il file di configurazione %s deve essere un file, non una directory. -ConfFileReload=Ricarica dei parametri dal file di configurazione. +ConfFileMustBeAFileNotADir=Configuration file %s must be a file, not a directory. +ConfFileReload=Reloading parameters from configuration file. PHPSupportSessions=PHP supporta le sessioni. PHPSupportPOSTGETOk=PHP supporta le variabili GET e POST. -PHPSupportPOSTGETKo=È possibile che la tua configurazione di PHP non supporti le variabili POST e / o GET. Controllare il parametro variabile_ordine in php.ini. -PHPSupportGD=Questo PHP supporta le funzioni grafiche GD. -PHPSupportCurl=Questo PHP supporta Curl. +PHPSupportPOSTGETKo=It's possible your PHP setup does not support variables POST and/or GET. Check the parameter variables_order in php.ini. +PHPSupportGD=This PHP supports GD graphical functions. +PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=Questo PHP supporta le estensioni dei calendari. -PHPSupportUTF8=Questo PHP supporta le funzioni UTF8. -PHPSupportIntl=Questo PHP supporta le funzioni Intl. +PHPSupportUTF8=This PHP supports UTF8 functions. +PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=La memoria massima per la sessione è fissata dal PHP a %s. Dovrebbe essere sufficiente. -PHPMemoryTooLow=La memoria della sessione massima di PHP è impostata su %s byte. Questo è troppo basso. Cambia php.ini per impostare il parametro memory_limit su almeno %s byte. -Recheck=Fai clic qui per un test più dettagliato -ErrorPHPDoesNotSupportSessions=La tua installazione di PHP non supporta le sessioni. Questa funzione è necessaria per consentire a Dolibarr di funzionare. Controlla la tua configurazione di PHP e le autorizzazioni della directory delle sessioni. -ErrorPHPDoesNotSupportGD=La tua installazione di PHP non supporta le funzioni grafiche GD. Non saranno disponibili grafici. -ErrorPHPDoesNotSupportCurl=La tua installazione di PHP non supporta Curl. +PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. +Recheck=Click here for a more detailed test +ErrorPHPDoesNotSupportSessions=Your PHP installation does not support sessions. This feature is required to allow Dolibarr to work. Check your PHP setup and permissions of the sessions directory. +ErrorPHPDoesNotSupportGD=Your PHP installation does not support GD graphical functions. No graphs will be available. +ErrorPHPDoesNotSupportCurl=L'attuale installazione di PHP non supporta cURL. ErrorPHPDoesNotSupportCalendar=La tua installazione di PHP non supporta le estensioni del calendario php. -ErrorPHPDoesNotSupportUTF8=L'installazione di PHP non supporta le funzioni UTF8. Dolibarr non può funzionare correttamente. Risolvilo prima di installare Dolibarr. -ErrorPHPDoesNotSupportIntl=La tua installazione di PHP non supporta le funzioni Intl. +ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. +ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=La directory %s non esiste. -ErrorGoBackAndCorrectParameters=Torna indietro e controlla / correggi i parametri. +ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Potresti aver digitato un valore errato per il parametro %s. ErrorFailedToCreateDatabase=Impossibile creare il database %s. ErrorFailedToConnectToDatabase=Impossibile collegarsi al database %s. ErrorDatabaseVersionTooLow=La versione del database (%s) è troppo vecchia. È richiesta la versione %s o superiori. ErrorPHPVersionTooLow=Versione PHP troppo vecchia. E' obbligatoria la versione %s o superiori. -ErrorConnectedButDatabaseNotFound=Connessione al server riuscita ma database '%s' non trovato. +ErrorConnectedButDatabaseNotFound=Connection to server successful but database '%s' not found. ErrorDatabaseAlreadyExists=Il database %s esiste già. -IfDatabaseNotExistsGoBackAndUncheckCreate=Se il database non esiste, tornare indietro e selezionare l'opzione "Crea database". +IfDatabaseNotExistsGoBackAndUncheckCreate=If the database does not exist, go back and check option "Create database". IfDatabaseExistsGoBackAndCheckCreate=Se il database esiste già, torna indietro e deseleziona l'opzione "Crea database". -WarningBrowserTooOld=La versione del browser è troppo vecchia. Si consiglia vivamente di aggiornare il browser a una versione recente di Firefox, Chrome o Opera. +WarningBrowserTooOld=Version of browser is too old. Upgrading your browser to a recent version of Firefox, Chrome or Opera is highly recommended. PHPVersion=Versione PHP License=Licenza d'uso ConfigurationFile=File di configurazione @@ -49,23 +51,23 @@ DolibarrDatabase=Database Dolibarr DatabaseType=Tipo di database DriverType=Tipo di driver Server=Server -ServerAddressDescription=Nome o indirizzo IP per il server database. Di solito "localhost" quando il server di database è ospitato sullo stesso server del server Web. +ServerAddressDescription=Name or ip address for the database server. Usually 'localhost' when the database server is hosted on the same server as the web server. ServerPortDescription=Porta. Lasciare vuoto se sconosciuta. DatabaseServer=Database server DatabaseName=Nome del database -DatabasePrefix=Prefisso tabella database -DatabasePrefixDescription=Prefisso tabella database. Se vuoto, il valore predefinito è llx_. -AdminLogin=Account utente per il proprietario del database Dolibarr. -PasswordAgain=Digitare nuovamente la conferma della password +DatabasePrefix=Database table prefix +DatabasePrefixDescription=Database table prefix. If empty, defaults to llx_. +AdminLogin=User account for the Dolibarr database owner. +PasswordAgain=Retype password confirmation AdminPassword=Password per amministratore del database. Da lasciare vuoto se ci si collega in forma anonima CreateDatabase=Crea database -CreateUser=Creare un account utente o concedere l'autorizzazione dell'account utente sul database Dolibarr +CreateUser=Create user account or grant user account permission on the Dolibarr database DatabaseSuperUserAccess=Accesso superutente al database -CheckToCreateDatabase=Seleziona la casella se il database non esiste ancora e quindi deve essere creato.
In questo caso, è necessario inserire anche il nome utente e la password per l'account superutente nella parte inferiore di questa pagina. -CheckToCreateUser=Seleziona la casella se:
l'account utente del database non esiste ancora e quindi deve essere creato, o
se l'account utente esiste ma il database non esiste e le autorizzazioni devono essere concesse.
In questo caso, è necessario immettere l'account utente e la password e anche il nome dell'account e la password superutente in fondo a questa pagina. Se questa casella non è selezionata, il proprietario del database e la password devono già esistere. -DatabaseRootLoginDescription=Nome account superutente (per creare nuovi database o nuovi utenti), obbligatorio se il database o il suo proprietario non esistono già. -KeepEmptyIfNoPassword=Lasciare vuoto se il superutente non ha password (NON consigliato) -SaveConfigurationFile=Salvataggio dei parametri in +CheckToCreateDatabase=Check the box if the database does not exist yet and so must be created.
In this case, you must also fill in the user name and password for the superuser account at the bottom of this page. +CheckToCreateUser=Check the box if:
the database user account does not yet exist and so must be created, or
if the user account exists but the database does not exist and permissions must be granted.
In this case, you must enter the user account and password and also the superuser account name and password at the bottom of this page. If this box is unchecked, database owner and password must already exist. +DatabaseRootLoginDescription=Superuser account name (to create new databases or new users), mandatory if the database or its owner does not already exist. +KeepEmptyIfNoPassword=Leave empty if superuser has no password (NOT recommended) +SaveConfigurationFile=Saving parameters to ServerConnection=Connessione al server DatabaseCreation=Creazione del database CreateDatabaseObjects=Creazione degli oggetti del database @@ -76,9 +78,9 @@ CreateOtherKeysForTable=Creazione vincoli e indici per la tabella %s OtherKeysCreation=Creazione vincoli e indici FunctionsCreation=Creazione funzioni AdminAccountCreation=Creazione accesso amministratore -PleaseTypePassword=Digitare una password, non sono consentite password vuote! -PleaseTypeALogin=Si prega di digitare un login! -PasswordsMismatch=Le password differiscono, riprovare! +PleaseTypePassword=Please type a password, empty passwords are not allowed! +PleaseTypeALogin=Please type a login! +PasswordsMismatch=Passwords differs, please try again! SetupEnd=Fine della configurazione SystemIsInstalled=Installazione completata. SystemIsUpgraded=Dolibarr è stato aggiornato con successo. @@ -86,77 +88,77 @@ YouNeedToPersonalizeSetup=Dolibarr deve essere configurato per soddisfare le vos AdminLoginCreatedSuccessfuly=Account amministratore '%s' creato con successo. GoToDolibarr=Vai a Dolibarr GoToSetupArea=Vai alla pagina impostazioni -MigrationNotFinished=La versione del database non è completamente aggiornata: eseguire nuovamente il processo di aggiornamento. +MigrationNotFinished=The database version is not completely up to date: run the upgrade process again. GoToUpgradePage=Vai alla pagina di aggiornamento WithNoSlashAtTheEnd=Senza la barra "/" alla fine -DirectoryRecommendation=Si consiglia di utilizzare una directory esterna alle pagine Web. +DirectoryRecommendation=It is recommended to use a directory outside of the web pages. LoginAlreadyExists=Esiste già DolibarrAdminLogin=Login dell'amministratore di Dolibarr -AdminLoginAlreadyExists=L'account amministratore Dolibarr ' %s ' esiste già. Torna indietro se vuoi crearne un altro. -FailedToCreateAdminLogin=Impossibile creare l'account amministratore Dolibarr. -WarningRemoveInstallDir=Avvertenza, per motivi di sicurezza, una volta completata l'installazione o l'aggiornamento, è necessario aggiungere un file chiamato install.lock nella directory del documento Dolibarr al fine di prevenire nuovamente l'uso accidentale / dannoso degli strumenti di installazione. -FunctionNotAvailableInThisPHP=Non disponibile in questo PHP +AdminLoginAlreadyExists=Dolibarr administrator account '%s' already exists. Go back if you want to create another one. +FailedToCreateAdminLogin=Impossibile creare l'account amministratore di Dolibarr. +WarningRemoveInstallDir=Warning, for security reasons, once the install or upgrade is complete, you should add a file called install.lock into the Dolibarr document directory in order to prevent the accidental/malicious use of the install tools again. +FunctionNotAvailableInThisPHP=Not available in this PHP ChoosedMigrateScript=Scegli script di migrazione -DataMigration=Migrazione del database (dati) -DatabaseMigration=Migrazione del database (struttura + alcuni dati) +DataMigration=Database migration (data) +DatabaseMigration=Database migration (structure + some data) ProcessMigrateScript=Elaborazione dello script ChooseYourSetupMode=Scegli la modalità di impostazione e clicca "start" FreshInstall=Nuova installazione -FreshInstallDesc=Utilizzare questa modalità se questa è la prima installazione. In caso contrario, questa modalità può riparare un'installazione precedente incompleta. Se vuoi aggiornare la tua versione, scegli la modalità "Aggiorna". +FreshInstallDesc=Use this mode if this is your first install. If not, this mode can repair a incomplete previous install. If you want to upgrade your version, choose "Upgrade" mode. Upgrade=Aggiornamento UpgradeDesc=Usare questo metodo per sostituire una vecchia installazione Dolibarr con una versione più recente. Ciò aggiornerà il database e i dati. Start=Inizio InstallNotAllowed=Impossibile completare l'installazione a causa dei permessi del file conf.php YouMustCreateWithPermission=È necessario creare il file %s e dare al server web i permessi di scrittura durante il processo di installazione. -CorrectProblemAndReloadPage=Correggi il problema e premi F5 per ricaricare la pagina. +CorrectProblemAndReloadPage=Please fix the problem and press F5 to reload the page. AlreadyDone=Già migrate DatabaseVersion=Versione database ServerVersion=Versione del server YouMustCreateItAndAllowServerToWrite=È necessario creare questa directory e dare al server web i permessi di scrittura sulla stessa. DBSortingCollation=Ordinamento caratteri (Collation) -YouAskDatabaseCreationSoDolibarrNeedToConnect=Hai selezionato Crea database %s , ma per questo Dolibarr deve connettersi al server %s con autorizzazioni super user %s . -YouAskLoginCreationSoDolibarrNeedToConnect=È stato selezionato creare l'utente database %s , ma per questo Dolibarr deve connettersi al server %s con autorizzazioni super user %s . -BecauseConnectionFailedParametersMayBeWrong=Connessione al database non riuscita: i parametri host o super user devono essere errati. +YouAskDatabaseCreationSoDolibarrNeedToConnect=You selected create database %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. +YouAskLoginCreationSoDolibarrNeedToConnect=You selected create database user %s, but for this, Dolibarr needs to connect to server %s with super user %s permissions. +BecauseConnectionFailedParametersMayBeWrong=The database connection failed: the host or super user parameters must be wrong. OrphelinsPaymentsDetectedByMethod=Pagamenti orfani sono stati rilevati con il metodo %s RemoveItManuallyAndPressF5ToContinue=Rimuovere manualmente e premere F5 per continuare. FieldRenamed=Campo rinominato -IfLoginDoesNotExistsCheckCreateUser=Se l'utente non esiste ancora, è necessario selezionare l'opzione "Crea utente" -ErrorConnection=Server " %s ", nome del database " %s ", accesso " %s " o la password del database potrebbe essere errata o la versione del client PHP potrebbe essere troppo vecchia rispetto alla versione del database. +IfLoginDoesNotExistsCheckCreateUser=If the user does not exist yet, you must check option "Create user" +ErrorConnection=Server "%s", database name "%s", login "%s", or database password may be wrong or the PHP client version may be too old compared to the database version. InstallChoiceRecommanded=Si raccomanda di installare la versione %s al posto dell'attuale %s InstallChoiceSuggested=Scelta suggerita dall'installer. -MigrateIsDoneStepByStep=La versione di destinazione (%s) ha un gap di diverse versioni. La procedura guidata di installazione tornerà per suggerire un'ulteriore migrazione una volta completata. -CheckThatDatabasenameIsCorrect=Verificare che il nome del database " %s " sia corretto. +MigrateIsDoneStepByStep=The targeted version (%s) has a gap of several versions. The install wizard will come back to suggest a further migration once this one is complete. +CheckThatDatabasenameIsCorrect=Check that the database name "%s" is correct. IfAlreadyExistsCheckOption=Se il nome è esatto e il database non esiste ancora, seleziona l'opzione "Crea database". OpenBaseDir=Parametro openbasedir -YouAskToCreateDatabaseSoRootRequired=Hai selezionato la casella "Crea database". Per questo, è necessario fornire il login / password del superutente (in fondo al modulo). -YouAskToCreateDatabaseUserSoRootRequired=Hai selezionato la casella "Crea proprietario del database". Per questo, è necessario fornire il login / password del superutente (in fondo al modulo). -NextStepMightLastALongTime=Il passaggio corrente potrebbe richiedere alcuni minuti. Prima di continuare, attendere fino alla completa visualizzazione della schermata successiva. -MigrationCustomerOrderShipping=Migrare la spedizione per l'archiviazione degli ordini cliente +YouAskToCreateDatabaseSoRootRequired=You checked the box "Create database". For this, you need to provide the login/password of superuser (bottom of form). +YouAskToCreateDatabaseUserSoRootRequired=You checked the box "Create database owner". For this, you need to provide the login/password of superuser (bottom of form). +NextStepMightLastALongTime=The current step may take several minutes. Please wait until the next screen is shown completely before continuing. +MigrationCustomerOrderShipping=Migrate shipping for sales orders storage MigrationShippingDelivery=Aggiornamento spedizione MigrationShippingDelivery2=Aggiornamento spedizione 2 MigrationFinished=Migrazione completata -LastStepDesc=Ultimo passo : definire qui il login e la password che si desidera utilizzare per connettersi a Dolibarr. Non perderlo poiché è l'account principale a gestire tutti gli altri / altri account utente. +LastStepDesc=Last step: Define here the login and password you wish to use to connect to Dolibarr. Do not lose this as it is the master account to administer all other/additional user accounts. ActivateModule=Attiva modulo %s ShowEditTechnicalParameters=Clicca qui per mostrare/modificare i parametri avanzati (modalità esperti) -WarningUpgrade=Avviso: hai eseguito prima un backup del database? Questo è altamente raccomandato. La perdita di dati (a causa, ad esempio, di bug nella versione mysql 5.5.40 / 41/42/43) può essere possibile durante questo processo, quindi è essenziale eseguire un dump completo del database prima di iniziare qualsiasi migrazione. Fai clic su OK per avviare il processo di migrazione ... -ErrorDatabaseVersionForbiddenForMigration=La versione del database è %s. Ha un bug critico, che rende possibile la perdita di dati se si apportano modifiche strutturali al database, come è richiesto dal processo di migrazione. Per questo motivo, la migrazione non sarà consentita fino a quando non si aggiorna il database a una versione di livello (con patch) (elenco di versioni buggy note: %s) -KeepDefaultValuesWamp=Hai utilizzato la procedura guidata di configurazione Dolibarr di DoliWamp, quindi i valori proposti qui sono già ottimizzati. Modificali solo se sai cosa stai facendo. -KeepDefaultValuesDeb=Hai usato la procedura guidata di configurazione Dolibarr da un pacchetto Linux (Ubuntu, Debian, Fedora ...), quindi i valori proposti qui sono già ottimizzati. È necessario inserire solo la password del proprietario del database da creare. Modifica altri parametri solo se sai cosa stai facendo. -KeepDefaultValuesMamp=Hai utilizzato la procedura guidata di configurazione Dolibarr di DoliMamp, quindi i valori proposti qui sono già ottimizzati. Modificali solo se sai cosa stai facendo. -KeepDefaultValuesProxmox=Hai utilizzato la procedura guidata di configurazione Dolibarr da un dispositivo virtuale Proxmox, quindi i valori proposti qui sono già ottimizzati. Modificali solo se sai cosa stai facendo. -UpgradeExternalModule=Esegui il processo di aggiornamento dedicato del modulo esterno -SetAtLeastOneOptionAsUrlParameter=Imposta almeno un'opzione come parametro nell'URL. Ad esempio: '... repair.php? Standard = confermato' -NothingToDelete=Nulla da pulire / eliminare -NothingToDo=Niente da fare +WarningUpgrade=Warning:\nDid you run a database backup first?\nThis is highly recommended. Loss of data (due to for example bugs in mysql version 5.5.40/41/42/43) may be possible during this process, so it is essential to take a complete dump of your database before starting any migration.\n\nClick OK to start migration process... +ErrorDatabaseVersionForbiddenForMigration=Your database version is %s. It has a critical bug, making data loss possible if you make structural changes in your database, such as is required by the migration process. For his reason, migration will not be allowed until you upgrade your database to a layer (patched) version (list of known buggy versions: %s) +KeepDefaultValuesWamp=You used the Dolibarr setup wizard from DoliWamp, so values proposed here are already optimized. Change them only if you know what you are doing. +KeepDefaultValuesDeb=You used the Dolibarr setup wizard from a Linux package (Ubuntu, Debian, Fedora...), so the values proposed here are already optimized. Only the password of the database owner to create must be entered. Change other parameters only if you know what you are doing. +KeepDefaultValuesMamp=You used the Dolibarr setup wizard from DoliMamp, so the values proposed here are already optimized. Change them only if you know what you are doing. +KeepDefaultValuesProxmox=You used the Dolibarr setup wizard from a Proxmox virtual appliance, so the values proposed here are already optimized. Change them only if you know what you are doing. +UpgradeExternalModule=Run dedicated upgrade process of external module +SetAtLeastOneOptionAsUrlParameter=Inserisci almeno una opzione come parametro nell'indirizzo URL. Per esempio: '...repair.php?standard=confirmed' +NothingToDelete=Nulla da ripulire/eliminare +NothingToDo=Nessuna azione da fare ######### # upgrade MigrationFixData=Fix per i dati denormalizzati MigrationOrder=Migrazione dei dati per gli ordini dei clienti -MigrationSupplierOrder=Migrazione dei dati per gli ordini del fornitore +MigrationSupplierOrder=Data migration for vendor's orders MigrationProposal=Migrazione dei dati delle proposte commerciali MigrationInvoice=Migrazione dei dati della fatturazione attiva MigrationContract=Migrazione dei dati per i contratti -MigrationSuccessfullUpdate=Aggiornamento eseguito correttamente +MigrationSuccessfullUpdate=Aggiornamento completato con successo MigrationUpdateFailed=Aggiornamento fallito MigrationRelationshipTables=Migrazione dei dati delle tabelle di relazione (%s) MigrationPaymentsUpdate=Correzione dei dati di pagamento @@ -168,9 +170,9 @@ MigrationContractsUpdate=Aggiornamento dei dati dei contratti MigrationContractsNumberToUpdate=%s contratto(i) da aggiornare MigrationContractsLineCreation=Crea riga per il contratto con riferimento %s MigrationContractsNothingToUpdate=Non ci sono più cose da fare -MigrationContractsFieldDontExist=Il campo fk_facture non esiste più. Niente da fare. +MigrationContractsFieldDontExist=Field fk_facture does not exist anymore. Nothing to do. MigrationContractsEmptyDatesUpdate=Correzione contratti con date vuote -MigrationContractsEmptyDatesUpdateSuccess=Correzione data vuota del contratto eseguita correttamente +MigrationContractsEmptyDatesUpdateSuccess=Contract empty date correction done successfully MigrationContractsEmptyDatesNothingToUpdate=Nessuna data di contratto vuota da correggere MigrationContractsEmptyCreationDatesNothingToUpdate=Nessuna data di creazione contratto da correggere MigrationContractsInvalidDatesUpdate=Correzione dei contratti con date errate @@ -178,13 +180,13 @@ MigrationContractsInvalidDateFix=Correggere contratto %s (data del contratto = % MigrationContractsInvalidDatesNumber=%s contratti modificati MigrationContractsInvalidDatesNothingToUpdate=Non ci sono contratti con date con errate da correggere MigrationContractsIncoherentCreationDateUpdate=Correzione contratti con data incoerente -MigrationContractsIncoherentCreationDateUpdateSuccess=Correzione della data di creazione del contratto con valore errato eseguita correttamente +MigrationContractsIncoherentCreationDateUpdateSuccess=Correzione dei contratti con data incoerente effettuata con successo MigrationContractsIncoherentCreationDateNothingToUpdate=Nessun contratto con data incoerente da correggere MigrationReopeningContracts=Apri contratto chiuso per errore MigrationReopenThisContract=Riapri contratto %s MigrationReopenedContractsNumber=%s contratti modificati MigrationReopeningContractsNothingToUpdate=Nessun contratto chiuso da aprire -MigrationBankTransfertsUpdate=Aggiorna i collegamenti tra registrazione bancaria e bonifico bancario +MigrationBankTransfertsUpdate=Aggiorna i collegamenti tra registrazione e trasferimento bancario MigrationBankTransfertsNothingToUpdate=Tutti i link sono aggiornati MigrationShipmentOrderMatching=Migrazione ordini di spedizione MigrationDeliveryOrderMatching=Aggiornamento ordini di spedizione @@ -192,26 +194,26 @@ MigrationDeliveryDetail=Aggiornamento spedizioni MigrationStockDetail=Aggiornamento delle scorte dei prodotti MigrationMenusDetail=Aggiornamento dinamico dei menu MigrationDeliveryAddress=Aggiornamento indirizzo di consegna per le spedizioni -MigrationProjectTaskActors=Migrazione dei dati per la tabella llx_projet_task_actors +MigrationProjectTaskActors=Data migration for table llx_projet_task_actors MigrationProjectUserResp=Migrazione dei dati del campo fk_user_resp da llx_projet a llx_element_contact MigrationProjectTaskTime=Aggiorna tempo trascorso in secondi MigrationActioncommElement=Aggiornare i dati sulle azioni -MigrationPaymentMode=Migrazione dei dati per tipo di pagamento +MigrationPaymentMode=Data migration for payment type MigrationCategorieAssociation=Migrazione delle categorie -MigrationEvents=Migrazione di eventi per aggiungere il proprietario dell'evento nella tabella delle assegnazioni -MigrationEventsContact=Migrazione di eventi per aggiungere il contatto dell'evento nella tabella delle assegnazioni -MigrationRemiseEntity=Aggiorna il valore del campo entità di llx_societe_remise -MigrationRemiseExceptEntity=Aggiorna il valore del campo entità di llx_societe_remise_except +MigrationEvents=Migration of events to add event owner into assignment table +MigrationEventsContact=Migration of events to add event contact into assignment table +MigrationRemiseEntity=Update entity field value of llx_societe_remise +MigrationRemiseExceptEntity=Update entity field value of llx_societe_remise_except MigrationUserRightsEntity=Aggiorna il valore del campo entità di llx_user_rights MigrationUserGroupRightsEntity=Aggiorna il valore del campo entità di llx_usergroup_rights -MigrationUserPhotoPath=Migrazione di percorsi fotografici per gli utenti +MigrationUserPhotoPath=Migration of photo paths for users MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) -MigrationReloadModule=Ricarica il modulo %s -MigrationResetBlockedLog=Reimposta il modulo BlockedLog per l'algoritmo v7 -ShowNotAvailableOptions=Mostra opzioni non disponibili -HideNotAvailableOptions=Nascondi opzioni non disponibili -ErrorFoundDuringMigration=Sono stati segnalati errori durante il processo di migrazione, quindi il passaggio successivo non è disponibile. Per ignorare gli errori, è possibile fare clic qui , ma l'applicazione o alcune funzionalità potrebbero non funzionare correttamente fino alla risoluzione degli errori. -YouTryInstallDisabledByDirLock=L'applicazione ha tentato di eseguire l'aggiornamento automatico, ma le pagine di installazione / aggiornamento sono state disabilitate per motivi di sicurezza (directory rinominata con suffisso .lock).
-YouTryInstallDisabledByFileLock=L'applicazione ha tentato di eseguire l'aggiornamento automatico, ma le pagine di installazione / aggiornamento sono state disabilitate per motivi di sicurezza (dall'esistenza di un file di blocco install.lock nella directory dei documenti dolibarr).
-ClickHereToGoToApp=Clicca qui per andare alla tua applicazione -ClickOnLinkOrRemoveManualy=Clicca sul seguente link. Se vedi sempre questa stessa pagina, devi rimuovere / rinominare il file install.lock nella directory dei documenti. +MigrationReloadModule=Ricarica modulo %s +MigrationResetBlockedLog=Reset del modulo BlockedLog per l'algoritmo v7 +ShowNotAvailableOptions=Show unavailable options +HideNotAvailableOptions=Hide unavailable options +ErrorFoundDuringMigration=Error(s) were reported during the migration process so next step is not available. To ignore errors, you can click here, but the application or some features may not work correctly until the errors are resolved. +YouTryInstallDisabledByDirLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (directory renamed with .lock suffix).
+YouTryInstallDisabledByFileLock=The application tried to self-upgrade, but the install/upgrade pages have been disabled for security (by the existence of a lock file install.lock in the dolibarr documents directory).
+ClickHereToGoToApp=Click here to go to your application +ClickOnLinkOrRemoveManualy=Click on the following link. If you always see this same page, you must remove/rename the file install.lock in the documents directory. diff --git a/htdocs/langs/it_IT/interventions.lang b/htdocs/langs/it_IT/interventions.lang index 34a50e6a0aa..5d0726bfdf2 100644 --- a/htdocs/langs/it_IT/interventions.lang +++ b/htdocs/langs/it_IT/interventions.lang @@ -4,10 +4,10 @@ Interventions=Interventi InterventionCard=Scheda intervento NewIntervention=Nuovo intervento AddIntervention=Crea intervento -ChangeIntoRepeatableIntervention=Passare a un intervento ripetibile +ChangeIntoRepeatableIntervention=Change to repeatable intervention ListOfInterventions=Elenco degli interventi ActionsOnFicheInter=Azioni di intervento -LastInterventions=Ultimi interventi %s +LastInterventions=Ultimi %s interventi AllInterventions=Tutti gli interventi CreateDraftIntervention=Crea bozza InterventionContact=Contatto per l'intervento @@ -15,53 +15,53 @@ DeleteIntervention=Elimina intervento ValidateIntervention=Convalida intervento ModifyIntervention=Modificare intervento DeleteInterventionLine=Elimina riga di intervento -ConfirmDeleteIntervention=Sei sicuro di voler eliminare questo intervento? -ConfirmValidateIntervention=Sei sicuro di voler convalidare questo intervento con il nome %s ? -ConfirmModifyIntervention=Sei sicuro di voler modificare questo intervento? -ConfirmDeleteInterventionLine=Sei sicuro di voler eliminare questa linea di intervento? -ConfirmCloneIntervention=Sei sicuro di voler clonare questo intervento? -NameAndSignatureOfInternalContact=Nome e firma dell'intervento: -NameAndSignatureOfExternalContact=Nome e firma del cliente: +ConfirmDeleteIntervention=Vuoi davvero eliminare questo intervento? +ConfirmValidateIntervention=Vuoi davvero convalidare questo intervento con il riferimento %s? +ConfirmModifyIntervention=Vuoi davvero modificare questo intervento? +ConfirmDeleteInterventionLine=Vuoi davvero eliminare questa riga di intervento? +ConfirmCloneIntervention=Vuoi davvero clonare questo intervento? +NameAndSignatureOfInternalContact=Name and signature of intervening: +NameAndSignatureOfExternalContact=Name and signature of customer: DocumentModelStandard=Modello documento standard per gli interventi InterventionCardsAndInterventionLines=Interventi e righe degli interventi -InterventionClassifyBilled=Classificare "Fatturato" -InterventionClassifyUnBilled=Classificare "Non fatturato" -InterventionClassifyDone=Classificare "Fine" +InterventionClassifyBilled=Classifica come "Fatturato" +InterventionClassifyUnBilled=Classifica come "Non fatturato" +InterventionClassifyDone=Classifica "Eseguito" StatusInterInvoiced=Fatturato -SendInterventionRef=Presentazione dell'intervento %s -SendInterventionByMail=Invia intervento via email +SendInterventionRef=Invio di intervento %s +SendInterventionByMail=Send intervention by email InterventionCreatedInDolibarr=Intervento %s creato InterventionValidatedInDolibarr=Intervento %s convalidato InterventionModifiedInDolibarr=Intervento %s modificato -InterventionClassifiedBilledInDolibarr=Intervento %s impostato come fatturato -InterventionClassifiedUnbilledInDolibarr=Intervento %s impostato come non compilato -InterventionSentByEMail=Intervento %s inviato tramite e-mail +InterventionClassifiedBilledInDolibarr=Intervento %s classificato come fatturato +InterventionClassifiedUnbilledInDolibarr=Intervento %s classificato come non fatturato +InterventionSentByEMail=Intervention %s sent by email InterventionDeletedInDolibarr=Intervento %s eliminato -InterventionsArea=Area di intervento -DraftFichinter=Progetto di interventi -LastModifiedInterventions=Ultimi interventi modificati %s -FichinterToProcess=Interventi da elaborare +InterventionsArea=Zona dell'intervento +DraftFichinter=Interventi in bozza +LastModifiedInterventions=Ultimi %s interventi modificati +FichinterToProcess=Interventions to process ##### Types de contacts ##### TypeContact_fichinter_external_CUSTOMER=Contatto di follow-up del cliente # Modele numérotation -PrintProductsOnFichinter=Stampa anche le righe di tipo "prodotto" (non solo servizi) sulla scheda di intervento +PrintProductsOnFichinter=Stampa anche i "prodotti" (non solo i servizi) sulla scheda interventi PrintProductsOnFichinterDetails=interventi generati da ordini -UseServicesDurationOnFichinter=Utilizzare la durata dei servizi per gli interventi generati dagli ordini -UseDurationOnFichinter=Nasconde il campo della durata per i record di intervento -UseDateWithoutHourOnFichinter=Nasconde ore e minuti dal campo data per i record di intervento -InterventionStatistics=Statistica degli interventi -NbOfinterventions=Numero di carte di intervento -NumberOfInterventionsByMonth=Numero di carte di intervento per mese (data di convalida) -AmountOfInteventionNotIncludedByDefault=L'importo dell'intervento non è incluso per impostazione predefinita nel profitto (nella maggior parte dei casi, le schede attività vengono utilizzate per contare il tempo trascorso). Aggiungi l'opzione PROJECT_INCLUDE_INTERVENTION_AMOUNT_IN_PROFIT a 1 in home-setup-altro per includerli. +UseServicesDurationOnFichinter=Use services duration for interventions generated from orders +UseDurationOnFichinter=Hides the duration field for intervention records +UseDateWithoutHourOnFichinter=Hides hours and minutes off the date field for intervention records +InterventionStatistics=Statistiche degli interventi +NbOfinterventions=No. of intervention cards +NumberOfInterventionsByMonth=No. of intervention cards by month (date of validation) +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. ##### Exports ##### InterId=ID intervento -InterRef=Rif. Intervento -InterDateCreation=Intervento di creazione della data -InterDuration=Intervento di durata -InterStatus=Intervento sullo stato -InterNote=Nota intervento +InterRef=Rif. intervento +InterDateCreation=Data di creazione intervento +InterDuration=Durata intervento +InterStatus=Stato dell'intervento +InterNote=Note intervento InterLine=Linea di intervento -InterLineId=Intervento ID linea -InterLineDate=Intervento data riga -InterLineDuration=Intervento durata linea -InterLineDesc=Intervento descrizione linea +InterLineId=Line id intervention +InterLineDate=Line date intervention +InterLineDuration=Line duration intervention +InterLineDesc=Line description intervention diff --git a/htdocs/langs/it_IT/main.lang b/htdocs/langs/it_IT/main.lang index 0e5c2950e01..51f914784e1 100644 --- a/htdocs/langs/it_IT/main.lang +++ b/htdocs/langs/it_IT/main.lang @@ -14,7 +14,7 @@ FormatDateShortJava=dd/MM/yyyy FormatDateShortJavaInput=dd/MM/yyyy FormatDateShortJQuery=dd/mm/yy FormatDateShortJQueryInput=dd/mm/yy -FormatHourShortJQuery=HH: MI +FormatHourShortJQuery=HH:MI FormatHourShort=%H.%M FormatHourShortDuration=%H:%M FormatDateTextShort=%d %b %Y @@ -24,13 +24,13 @@ 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=Nessun modello disponibile per questo tipo di email +NoTemplateDefined=Nessun tema disponibile per questo tipo di email AvailableVariables=Variabili di sostituzione disponibili NoTranslation=Nessuna traduzione -Translation=Traduzione -EmptySearchString=Immettere una stringa di ricerca non vuota -NoRecordFound=Nessun record trovato -NoRecordDeleted=Nessun record cancellato +Translation=Traduzioni +EmptySearchString=Enter a non empty search string +NoRecordFound=Nessun risultato trovato +NoRecordDeleted=Nessun record eliminato NotEnoughDataYet=Dati insufficienti NoError=Nessun errore Error=Errore @@ -39,65 +39,65 @@ ErrorFieldRequired=Il campo %s è obbligatorio ErrorFieldFormat=Il campo %s ha un valore errato ErrorFileDoesNotExists=Il file %s non esiste ErrorFailedToOpenFile=Impossibile aprire il file %s -ErrorCanNotCreateDir=Impossibile creare dir %s -ErrorCanNotReadDir=Impossibile leggere dir %s +ErrorCanNotCreateDir=Impossibile creare la dir %s +ErrorCanNotReadDir=Impossibile leggere la dir %s ErrorConstantNotDefined=Parametro %s non definito ErrorUnknown=Errore sconosciuto ErrorSQL=Errore di SQL ErrorLogoFileNotFound=Impossibile trovare il file %s per il logo -ErrorGoToGlobalSetup=Vai a "Azienda / Organizzazione" per risolvere il problema +ErrorGoToGlobalSetup=Vai su impostazioni "Azienda/Fondazione" 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. ErrorInternalErrorDetected=Errore rilevato ErrorWrongHostParameter=Parametro host errato -ErrorYourCountryIsNotDefined=Il tuo paese non è definito. Vai a Home-Setup-Modifica e invia di nuovo il modulo. -ErrorRecordIsUsedByChild=Impossibile eliminare questo record. Questo record viene utilizzato da almeno un record figlio. +ErrorYourCountryIsNotDefined=Your country is not defined. Go to Home-Setup-Edit and post the form again. +ErrorRecordIsUsedByChild=Failed to delete this record. This record is used by at least one child record. ErrorWrongValue=Valore sbagliato ErrorWrongValueForParameterX=Valore non corretto per il parametro %s ErrorNoRequestInError=Nessuna richiesta in errore -ErrorServiceUnavailableTryLater=Servizio non disponibile al momento. Riprovare più tardi. +ErrorServiceUnavailableTryLater=Service not available at the moment. Try again later. ErrorDuplicateField=Valore duplicato in un campo a chiave univoca -ErrorSomeErrorWereFoundRollbackIsDone=Sono stati trovati alcuni errori. Le modifiche sono state ripristinate. -ErrorConfigParameterNotDefined=Il parametro %s non è definito nel file conf.php di Dolibarr. +ErrorSomeErrorWereFoundRollbackIsDone=Some errors were found. Changes have been rolled back. +ErrorConfigParameterNotDefined=Parameter %s is not defined in the Dolibarr config file conf.php. ErrorCantLoadUserFromDolibarrDatabase=Impossibile trovare l'utente %s nel database dell'applicazione. ErrorNoVATRateDefinedForSellerCountry=Errore, non sono state definite le aliquote IVA per: %s. -ErrorNoSocialContributionForSellerCountry=Errore, nessun tipo di imposta sociale / fiscale definito per il paese '%s'. +ErrorNoSocialContributionForSellerCountry=Errore, non sono stati definiti i tipi di contributi per: '%s'. ErrorFailedToSaveFile=Errore, file non salvato. -ErrorCannotAddThisParentWarehouse=Stai tentando di aggiungere un magazzino principale che è già figlio di un magazzino esistente -MaxNbOfRecordPerPage=Max. numero di record per pagina -NotAuthorized=Non sei autorizzato a farlo. -SetDate=Impostare la data +ErrorCannotAddThisParentWarehouse=You are trying to add a parent warehouse which is already a child of a existing warehouse +MaxNbOfRecordPerPage=Max. numero di records per pagina +NotAuthorized=Non sei autorizzato. +SetDate=Imposta data SelectDate=Seleziona una data SeeAlso=Vedi anche %s -SeeHere=Vedere qui +SeeHere=Vedi qui ClickHere=Clicca qui Here=Qui -Apply=Applicare +Apply=Applica BackgroundColorByDefault=Colore di sfondo predefinito -FileRenamed=Il file è stato rinominato correttamente -FileGenerated=Il file è stato generato correttamente +FileRenamed=Il file è stato rinominato con successo +FileGenerated=Il file è stato generato con successo FileSaved=Il file è stato salvato con successo -FileUploaded=Il file è stato caricato correttamente -FileTransferComplete=File caricati correttamente -FilesDeleted=File eliminati correttamente +FileUploaded=Il file è stato caricato con successo +FileTransferComplete=Files(s) caricati con successo +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 la guida in linea (è necessario l'accesso a Internet) +NbOfEntries=No. of entries +GoToWikiHelpPage=Leggi l'aiuto online (è richiesto un collegamento internet) GoToHelpPage=Vai alla pagina di aiuto RecordSaved=Record salvato RecordDeleted=Record cancellato RecordGenerated=Record generato LevelOfFeature=Livello di funzionalità NotDefined=Non definito -DolibarrInHttpAuthenticationSoPasswordUseless=La modalità di autenticazione Dolibarr è impostata su %s nel file di configurazione conf.php .
Ciò significa che il database delle password è esterno a Dolibarr, quindi la modifica di questo campo potrebbe non avere alcun effetto. +DolibarrInHttpAuthenticationSoPasswordUseless=Modalità di autenticazione %s configurata nel file conf.php.
Ciò significa che la password del database è indipendente dall'applicazione, eventuali cambiamenti non avranno alcun effetto. Administrator=Amministratore Undefined=Indefinito PasswordForgotten=Password dimenticata? -NoAccount=Nessun account? +NoAccount=No account? SeeAbove=Vedi sopra -HomeArea=Casa -LastConnexion=Ultimo accesso +HomeArea=Home +LastConnexion=Ultimo login PreviousConnexion=Login precedente PreviousValue=Valore precedente ConnectedOnMultiCompany=Collegato all'ambiente @@ -105,23 +105,23 @@ ConnectedSince=Collegato da AuthenticationMode=Modalità di autenticazione RequestedUrl=URL richiesto DatabaseTypeManager=Gestore del tipo di database -RequestLastAccessInError=Errore di richiesta di accesso al database più recente -ReturnCodeLastAccessInError=Codice di ritorno per l'ultimo errore di richiesta di accesso al database -InformationLastAccessInError=Informazioni per l'ultimo errore di richiesta di accesso al database +RequestLastAccessInError=Ultimo errore di accesso al database +ReturnCodeLastAccessInError=Codice di ritorno per l'ultimo accesso errato al database +InformationLastAccessInError=Informazioni sull'ultimo accesso errato al database DolibarrHasDetectedError=Dolibarr ha rilevato un errore tecnico -YouCanSetOptionDolibarrMainProdToZero=Puoi leggere il file di registro o impostare l'opzione $ dolibarr_main_prod su '0' nel tuo file di configurazione per ottenere maggiori informazioni. -InformationToHelpDiagnose=Queste informazioni possono essere utili a fini diagnostici (è possibile impostare l'opzione $ dolibarr_main_prod su '1' per rimuovere tali avvisi) +YouCanSetOptionDolibarrMainProdToZero=Puoi leggere il file di registro o impostare l'opzione $dolibarr_main_prod su '0' nel tuo file di configurazione per ottenere maggiori informazioni. +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=ID tecnico +TechnicalID=ID Tecnico LineID=ID linea NotePublic=Nota (pubblica) NotePrivate=Nota (privata) PrecisionUnitIsLimitedToXDecimals=Dolibarr è stato configurato per limitare la precisione dei prezzi unitari a %s decimali. DoTest=Verifica ToFilter=Filtrare -NoFilter=Senza Filtro -WarningYouHaveAtLeastOneTaskLate=Attenzione, hai almeno un elemento che ha superato il tempo di tolleranza. +NoFilter=Nessun filtro +WarningYouHaveAtLeastOneTaskLate=Warning, you have at least one element that has exceeded the tolerance time. yes=sì Yes=Sì no=no @@ -145,53 +145,53 @@ Closed=Chiuso Closed2=Chiuso NotClosed=Non chiuso Enabled=Attivo -Enable=Abilitare -Deprecated=deprecato +Enable=Abilita +Deprecated=Deprecato Disable=Disattivare Disabled=Disabilitato Add=Aggiungi AddLink=Aggiungi link -RemoveLink=Rimuovi collegamento +RemoveLink=Rimuovere collegamento AddToDraft=Aggiungi alla bozza Update=Aggiornamento Close=Chiudi -CloseBox=Rimuovi il widget dalla dashboard +CloseBox=Rimuovi widget dalla panoramica Confirm=Conferma -ConfirmSendCardByMail=Vuoi davvero inviare il contenuto di questa carta per posta a %s ? +ConfirmSendCardByMail=Do you really want to send the content of this card by mail to %s? Delete=Elimina Remove=Rimuovi -Resiliate=Terminare +Resiliate=Termina Cancel=Annulla Modify=Modifica Edit=Modifica Validate=Convalida ValidateAndApprove=Convalida e approva ToValidate=Convalidare -NotValidated=Non validato +NotValidated=Non valido Save=Salva SaveAs=Salva con nome SaveAndStay=Salva e rimani SaveAndNew=Save and new TestConnection=Test connessione ToClone=Clonare -ConfirmClone=Scegli i dati che vuoi clonare: +ConfirmClone=Choose data you want to clone: NoCloneOptionsSpecified=Dati da clonare non definiti Of=di Go=Vai -Run=Correre +Run=Avvia CopyOf=Copia di Show=Mostra -Hide=Nascondere +Hide=Nascondi ShowCardHere=Visualizza scheda Search=Ricerca SearchOf=Cerca SearchMenuShortCut=Ctrl + Maiusc + f Valid=Convalida Approve=Approva -Disapprove=disapprovare -ReOpen=Riaprire -Upload=Caricare -ToLink=collegamento +Disapprove=Non approvare +ReOpen=Riapri +Upload=Upload +ToLink=Link Select=Seleziona Choose=Scegli Resize=Ridimensiona @@ -202,12 +202,12 @@ User=Utente Users=Utenti Group=Gruppo Groups=Gruppi -NoUserGroupDefined=Nessun gruppo di utenti definito +NoUserGroupDefined=Gruppo non definito Password=Password PasswordRetype=Ridigita la password -NoteSomeFeaturesAreDisabled=Si noti che molte funzioni / moduli sono disabilitati in questa dimostrazione. +NoteSomeFeaturesAreDisabled=Nota bene: In questo demo alcune funzionalità e alcuni moduli sono disabilitati. Name=Nome -NameSlashCompany=Nome / Azienda +NameSlashCompany=Nome / Società Person=Persona Parameter=Parametro Parameters=Parametri @@ -228,11 +228,11 @@ Info=Info Family=Famiglia Description=Descrizione Designation=Descrizione -DescriptionOfLine=Descrizione della linea -DateOfLine=Data della riga -DurationOfLine=Durata della linea -Model=Modello di documento -DefaultModel=Modello di documento predefinito +DescriptionOfLine=Linea Descrizione +DateOfLine=Date of line +DurationOfLine=Duration of line +Model=Modello +DefaultModel=Modello predefinito Action=Azione About=About Number=Numero @@ -242,11 +242,11 @@ Numero=Numero Limit=Limite Limits=Limiti Logout=Logout -NoLogoutProcessWithAuthMode=Nessuna funzione di disconnessione applicativa con modalità di autenticazione %s -Connection=Accesso +NoLogoutProcessWithAuthMode=Nessuna funzione di disconnessione al programma con il metodo di autenticazione %s +Connection=Login Setup=Impostazioni Alert=Avvertimento -MenuWarnings=avvisi +MenuWarnings=Avvisi e segnalazioni Previous=Precedente Next=Successivo Cards=Schede @@ -257,13 +257,13 @@ Date=Data DateAndHour=Data e ora DateToday=Data odierna DateReference=Data di riferimento -DateStart=Data d'inizio +DateStart=Data di inizio DateEnd=Data di fine DateCreation=Data di creazione -DateCreationShort=Creat. Data +DateCreationShort=Data di creazione DateModification=Data di modifica DateModificationShort=Data modif. -DateLastModification=Data dell'ultima modifica +DateLastModification=Data ultima modifica DateValidation=Data di convalida DateClosing=Data di chiusura DateDue=Data di scadenza @@ -276,15 +276,15 @@ DateRequest=Richiedi la data DateProcess=Processa la data DateBuild=Data di creazione del report DatePayment=Data pagamento -DateApprove=Data di approvazione +DateApprove=Approvato in data DateApprove2=Data di approvazione (seconda approvazione) -RegistrationDate=Data di registrazione -UserCreation=Utente della creazione -UserModification=Utente di modifica -UserValidation=Utente di convalida -UserCreationShort=Creat. utente +RegistrationDate=Data registrazione +UserCreation=Creazione utente +UserModification=Modifica utente +UserValidation=Convalida utente +UserCreationShort=Creaz. utente UserModificationShort=Modif. utente -UserValidationShort=Valido. utente +UserValidationShort=Utente valido DurationYear=anno DurationMonth=mese DurationWeek=settimana @@ -308,7 +308,7 @@ days=giorni Hours=Ore Minutes=Minuti Seconds=Secondi -Weeks=settimane +Weeks=Settimane Today=Oggi Yesterday=Ieri Tomorrow=Domani @@ -317,17 +317,17 @@ Afternoon=Pomeriggio Quadri=Trimestre MonthOfDay=Mese del giorno HourShort=Ora -MinuteShort=mn +MinuteShort=min Rate=Tariffa CurrencyRate=Tasso di conversione di valuta -UseLocalTax=Includi le tasse +UseLocalTax=Tasse incluse Bytes=Byte KiloBytes=Kilobyte MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabyte UserAuthor=Utente della creazione -UserModif=Utente dell'ultimo aggiornamento +UserModif=Utente dell'ultimo aggiornamento b=b Kb=Kb Mb=Mb @@ -338,88 +338,88 @@ Copy=Copia Paste=Incolla Default=Predefinito DefaultValue=Valore predefinito -DefaultValues=Valori / filtri / ordinamento predefiniti +DefaultValues=Default values/filters/sorting Price=Prezzo PriceCurrency=Prezzo (valuta) UnitPrice=Prezzo unitario -UnitPriceHT=Prezzo unitario (escl.) -UnitPriceHTCurrency=Prezzo unitario (escl.) (Valuta) +UnitPriceHT=Unit price (excl.) +UnitPriceHTCurrency=Unit price (excl.) (currency) UnitPriceTTC=Prezzo unitario (lordo) PriceU=P.U. PriceUHT=P.U.(netto) -PriceUHTCurrency=SU (valuta) -PriceUTTC=UP (tasse incluse) +PriceUHTCurrency=P.U. (valuta) +PriceUTTC=P.U.(lordo) Amount=Importo AmountInvoice=Importo della fattura AmountInvoiced=Importo fatturato AmountPayment=Importo del pagamento -AmountHTShort=Importo (IVA esclusa) +AmountHTShort=Amount (excl.) AmountTTCShort=Importo (IVA inc.) -AmountHT=Importo (IVA esclusa) +AmountHT=Amount (excl. tax) AmountTTC=Importo (IVA inclusa) AmountVAT=Importo IVA -MulticurrencyAlreadyPaid=Valuta originale già pagata -MulticurrencyRemainderToPay=Rimanere da pagare, valuta originale -MulticurrencyPaymentAmount=Importo del pagamento, valuta originale -MulticurrencyAmountHT=Importo (IVA esclusa), valuta originaria -MulticurrencyAmountTTC=Importo (tasse incluse), valuta originale -MulticurrencyAmountVAT=Importo dell'importo, valuta originale +MulticurrencyAlreadyPaid=Already paid, original currency +MulticurrencyRemainderToPay=Rimanente da pagare, valuta originaria +MulticurrencyPaymentAmount=Importo del pagamento, valuta originaria +MulticurrencyAmountHT=Amount (excl. tax), original currency +MulticurrencyAmountTTC=Importo (imposte incluse), valuta originaria +MulticurrencyAmountVAT=Importo delle tasse, valuta originaria AmountLT1=Valore tassa 2 AmountLT2=Valore tassa 3 AmountLT1ES=Importo RE (Spagna) AmountLT2ES=Importo IRPF (Spagna) AmountTotal=Importo totale AmountAverage=Importo medio -PriceQtyMinHT=Prezzo quantità min. (IVA esclusa) -PriceQtyMinHTCurrency=Prezzo quantità min. (IVA esclusa) (valuta) +PriceQtyMinHT=Price quantity min. (excl. tax) +PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) Percentage=Percentuale Total=Totale SubTotal=Totale parziale -TotalHTShort=Totale (escl.) -TotalHT100Short=Totale 100%% (escl.) -TotalHTShortCurrency=Totale (escl. In valuta) +TotalHTShort=Totale Netto +TotalHT100Short=Totalke 100 1%% Netto +TotalHTShortCurrency=Totale Netto in valuta TotalTTCShort=Totale (IVA inc.) -TotalHT=Totale (IVA esclusa) -TotalHTforthispage=Totale (IVA esclusa) per questa pagina -Totalforthispage=Totale per questa pagina +TotalHT=Totale Netto +TotalHTforthispage=Totale Netto per questa Pagina +Totalforthispage=Totale in questa pagina TotalTTC=Totale (IVA inclusa) TotalTTCToYourCredit=Totale (IVA inclusa) a tuo credito TotalVAT=Totale IVA -TotalVATIN=IGST totale +TotalVATIN=Totale IGST TotalLT1=Totale tassa 2 TotalLT2=Totale tassa 3 TotalLT1ES=Totale RE TotalLT2ES=Totale IRPF -TotalLT1IN=CGST totale -TotalLT2IN=SGST totale -HT=Escl. imposta +TotalLT1IN=Totale CGST +TotalLT2IN=Totale SGST +HT=Excl. tax TTC=IVA inclusa -INCVATONLY=IVA inc +INCVATONLY=IVA inclusa INCT=Inc. tutte le tasse VAT=IVA VATIN=IGST -VATs=Tasse sul commercio -VATINs=Tasse IGST -LT1=Imposta sulle vendite 2 -LT1Type=IVA 2 tipo -LT2=Imposta sulle vendite 3 -LT2Type=IVA 3 tipo +VATs=IVA +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 -LT1GC=Centesimi aggiuntivi +LT1GC=Additionnal cents VATRate=Aliquota IVA -VATCode=Codice aliquota fiscale -VATNPR=Aliquota fiscale NPR -DefaultTaxRate=Aliquota d'imposta predefinita +VATCode=Codice aliquota +VATNPR=Aliquota NPR +DefaultTaxRate=Valore base tassa Average=Media Sum=Somma Delta=Delta StatusToPay=Pagare -RemainToPay=Rimanere da pagare -Module=Modulo / Application -Modules=Moduli / Applicazioni +RemainToPay=Rimanente da pagare +Module=Moduli/Applicazioni +Modules=Moduli/Applicazioni Option=Opzione List=Elenco FullList=Elenco completo @@ -427,12 +427,12 @@ Statistics=Statistiche OtherStatistics=Altre statistiche Status=Stato Favorite=Preferito -ShortInfo=Informazioni. +ShortInfo=Info. Ref=Rif. -ExternalRef=Ref. extern -RefSupplier=Ref. venditore +ExternalRef=Rif. esterno +RefSupplier=Rif. venditore RefPayment=Rif. pagamento -CommercialProposalsShort=Proposte commerciali +CommercialProposalsShort=Preventivi/Proposte commerciali Comment=Commento Comments=Commenti ActionsToDo=Azioni da fare @@ -440,27 +440,27 @@ ActionsToDoShort=Da fare ActionsDoneShort=Fatte ActionNotApplicable=Non applicabile ActionRunningNotStarted=Non avviato -ActionRunningShort=In corso +ActionRunningShort=Avviato ActionDoneShort=Fatto -ActionUncomplete=incompleto -LatestLinkedEvents=Ultimi eventi collegati %s -CompanyFoundation=Azienda / Organizzazione +ActionUncomplete=Incompleto +LatestLinkedEvents=Ultimi %s eventi collegati +CompanyFoundation=Azienda/Organizzazione Accountant=Contabile ContactsForCompany=Contatti per il soggetto terzo ContactsAddressesForCompany=Contatti/indirizzi per questo soggetto terzo AddressesForCompany=Indirizzi per questo soggetto terzo -ActionsOnCompany=Eventi per questa terza parte -ActionsOnContact=Eventi per questo contatto / indirizzo -ActionsOnContract=Eventi per questo contratto +ActionsOnCompany=Events for this third party +ActionsOnContact=Events for this contact/address +ActionsOnContract=Events for this contract ActionsOnMember=Azioni su questo membro ActionsOnProduct=Eventi su questo prodotto NActionsLate=%s azioni in ritardo -ToDo=Fare +ToDo=Da fare Completed=Completato -Running=In corso +Running=Avviato RequestAlreadyDone=Richiesta già registrata Filter=Filtro -FilterOnInto=Cerca i criteri ' %s ' nei campi %s +FilterOnInto=Criteri di ricerca '%s' nei campi %s RemoveFilter=Rimuovi filtro ChartGenerated=Grafico generato ChartNotGenerated=Grafico non generato @@ -469,14 +469,14 @@ Generate=Genera Duration=Durata TotalDuration=Durata totale Summary=Riepilogo -DolibarrStateBoard=Statistiche del database -DolibarrWorkBoard=Oggetti aperti +DolibarrStateBoard=Statistiche Gestionale +DolibarrWorkBoard=Oggetti Aperti NoOpenedElementToProcess=Nessun elemento aperto da elaborare Available=Disponibile NotYetAvailable=Non ancora disponibile NotAvailable=Non disponibile -Categories=Tag / Categorie -Category=Tag / categoria +Categories=Tag/categorie +Category=Tag/categoria By=Per From=Da FromLocation=A partire dal @@ -493,27 +493,27 @@ ChangedBy=Cambiato da ApprovedBy=Approvato da ApprovedBy2=Approvato da (seconda approvazione) Approved=Approvato -Refused=rifiutato +Refused=Rifiutato ReCalculate=Ricalcola ResultKo=Fallimento Reporting=Reportistica Reportings=Reportistiche Draft=Bozza Drafts=Bozze -StatusInterInvoiced=fatturato +StatusInterInvoiced=Invoiced Validated=Convalidato Opened=Aperto -OpenAll=Apri (tutti) -ClosedAll=Chiuso (tutti) +OpenAll=Open (All) +ClosedAll=Closed (All) New=Nuovo Discount=Sconto Unknown=Sconosciuto General=Generale Size=Dimensione -OriginalSize=Misura originale +OriginalSize=Dimensioni originali Received=Ricevuto Paid=Pagato -Topic=Soggetto +Topic=Oggetto ByCompanies=Per impresa ByUsers=Per utente Links=Link @@ -526,18 +526,18 @@ None=Nessuno NoneF=Nessuno NoneOrSeveral=Nessuno o più Late=Tardi -LateDesc=Una voce è definita Ritardata secondo la configurazione del sistema nel menu Home - Configurazione - Avvisi. -NoItemLate=Nessun articolo in ritardo +LateDesc=An item is defined as Delayed as per the system configuration in menu Home - Setup - Alerts. +NoItemLate=Nessun elemento in ritardo Photo=Immagine Photos=Immagini AddPhoto=Aggiungi immagine -DeletePicture=Elimina foto -ConfirmDeletePicture=Conferma la cancellazione dell'immagine? +DeletePicture=Foto cancellata +ConfirmDeletePicture=Confermi l'eliminazione della foto? Login=Login -LoginEmail=Accedi (email) -LoginOrEmail=Accedi o e-mail +LoginEmail=Login (email) +LoginOrEmail=Login o Email CurrentLogin=Accesso attuale -EnterLoginDetail=Inserisci i dettagli di accesso +EnterLoginDetail=Inserisci le credenziali di accesso January=Gennaio February=Febbraio March=Marzo @@ -554,7 +554,7 @@ Month01=gennaio Month02=febbraio Month03=marzo Month04=aprile -Month05=Maggio +Month05=maggio Month06=giugno Month07=luglio Month08=agosto @@ -562,32 +562,32 @@ Month09=settembre Month10=ottobre Month11=novembre Month12=dicembre -MonthShort01=Jan -MonthShort02=febbraio +MonthShort01=gen +MonthShort02=feb MonthShort03=mar -MonthShort04=aprile -MonthShort05=Maggio -MonthShort06=Giugno -MonthShort07=luglio -MonthShort08=agosto -MonthShort09=settembre -MonthShort10=ottobre -MonthShort11=novembre -MonthShort12=dicembre +MonthShort04=apr +MonthShort05=mag +MonthShort06=giu +MonthShort07=lug +MonthShort08=ago +MonthShort09=set +MonthShort10=ott +MonthShort11=nov +MonthShort12=dic MonthVeryShort01=J -MonthVeryShort02=F -MonthVeryShort03=M -MonthVeryShort04=UN -MonthVeryShort05=M +MonthVeryShort02=Ven +MonthVeryShort03=Lun +MonthVeryShort04=A +MonthVeryShort05=Lun MonthVeryShort06=J MonthVeryShort07=J -MonthVeryShort08=UN -MonthVeryShort09=S +MonthVeryShort08=A +MonthVeryShort09=Dom MonthVeryShort10=O MonthVeryShort11=N MonthVeryShort12=D AttachedFiles=File e documenti allegati -JoinMainDoc=Unisciti al documento principale +JoinMainDoc=Iscriviti al documento principale DateFormatYYYYMM=AAAA-MM DateFormatYYYYMMDD=AAAA-MM-GG DateFormatYYYYMMDDHHMM=AAAA-MM-GG HH:MM @@ -595,7 +595,7 @@ ReportName=Nome report ReportPeriod=Periodo report ReportDescription=Descrizione Report=Report -Keyword=Parola chiave +Keyword=Chiave Origin=Origine Legend=Legenda Fill=Completa @@ -612,8 +612,8 @@ FindBug=Segnala un bug NbOfThirdParties=Numero di soggetti terzi NbOfLines=Numero di righe NbOfObjects=Numero di oggetti -NbOfObjectReferers=Numero di articoli correlati -Referers=Articoli correlati +NbOfObjectReferers=Numero di elementi correlati +Referers=Elementi correlati TotalQuantity=Quantità totale DateFromTo=Da %s a %s DateFrom=Da %s @@ -630,9 +630,9 @@ BuildDoc=Genera Doc Entity=Entità Entities=Entità CustomerPreview=Anteprima cliente -SupplierPreview=Anteprima del fornitore +SupplierPreview=Anteprima venditore ShowCustomerPreview=Visualizza anteprima cliente -ShowSupplierPreview=Mostra anteprima del fornitore +ShowSupplierPreview=Mostra anteprima venditore RefCustomer=Rif. cliente Currency=Valuta InfoAdmin=Informazioni per gli amministratori @@ -646,16 +646,16 @@ FeatureNotYetSupported=Funzionalità non ancora supportata CloseWindow=Chiudi finestra Response=Risposta Priority=Priorità -SendByMail=Inviare per email +SendByMail=Invia per email MailSentBy=Email inviate da TextUsedInTheMessageBody=Testo dell'email SendAcknowledgementByMail=Invia email di conferma SendMail=Invia una email -Email=E-mail +Email=Email NoEMail=Nessuna email AlreadyRead=Già letto -NotRead=Non leggere -NoMobilePhone=Nessun telefono cellulare +NotRead=Non letto +NoMobilePhone=Nessun cellulare Owner=Proprietario FollowingConstantsWillBeSubstituted=Le seguenti costanti saranno sostitute con i valori corrispondenti Refresh=Aggiorna @@ -665,11 +665,11 @@ CanBeModifiedIfOk=Può essere modificato se valido CanBeModifiedIfKo=Può essere modificato se non valido ValueIsValid=Il valore è valido ValueIsNotValid=Il valore non è valido -RecordCreatedSuccessfully=Record creato correttamente +RecordCreatedSuccessfully=Record creato con success0 RecordModifiedSuccessfully=Record modificati con successo -RecordsModified=%s record (s) modificato -RecordsDeleted=%s record (s) cancellati -RecordsGenerated=%s record (s) generati +RecordsModified=%s record(s) modificato/i +RecordsDeleted=%s record(s) eliminato/i +RecordsGenerated=%s record(s) generato/i AutomaticCode=Codice automatico FeatureDisabled=Funzionalità disabilitata MoveBox=Sposta widget @@ -678,20 +678,20 @@ NotEnoughPermissions=Non hai l'autorizzazione per svolgere questa azione SessionName=Nome sessione Method=Metodo Receive=Ricevi -CompleteOrNoMoreReceptionExpected=Completo o niente di più previsto +CompleteOrNoMoreReceptionExpected=Completa o non attendere altro ExpectedValue=Valore atteso PartialWoman=Parziale TotalWoman=Totale NeverReceived=Mai ricevuto Canceled=Annullato -YouCanChangeValuesForThisListFromDictionarySetup=È possibile modificare i valori per questo elenco dal menu Impostazione - Dizionari -YouCanChangeValuesForThisListFrom=È possibile modificare i valori per questo elenco dal menu %s -YouCanSetDefaultValueInModuleSetup=È possibile impostare il valore predefinito utilizzato durante la creazione di un nuovo record nella configurazione del modulo +YouCanChangeValuesForThisListFromDictionarySetup=Puoi cambiare i valori di questa lista dal menù Impostazioni - Dizionari +YouCanChangeValuesForThisListFrom=Puoi cambiare i valori di questa lista dal menu %s +YouCanSetDefaultValueInModuleSetup=You can set the default value used when creating a new record in module setup Color=Colore Documents=Documenti Documents2=Documenti UploadDisabled=Upload disabilitato -MenuAccountancy=Contabilità +MenuAccountancy=Contabilità avanzata MenuECM=Documenti MenuAWStats=AWStats MenuMembers=Membri @@ -700,10 +700,10 @@ ThisLimitIsDefinedInSetup=Limite applicazione (Menu home-impostazioni-sicurezza) NoFileFound=Nessun documento salvato in questa directory CurrentUserLanguage=Lingua dell'utente CurrentTheme=Tema attuale -CurrentMenuManager=Gestore menu corrente +CurrentMenuManager=Gestore dei menu attuale Browser=Browser -Layout=disposizione -Screen=Schermo +Layout=Layout +Screen=Schermata DisabledModules=Moduli disabilitati For=Per ForCustomer=Per i clienti @@ -712,39 +712,39 @@ DateOfSignature=Data della firma HidePassword=Mostra il comando con password offuscata UnHidePassword=Visualizza comando con password in chiaro Root=Root -RootOfMedias=Radice di media pubblici (/ media) -Informations=Informazione +RootOfMedias=Root of public medias (/medias) +Informations=Informazioni Page=Pagina Notes=Note AddNewLine=Aggiungi una nuova riga AddFile=Aggiungi file -FreeZone=Non un prodotto / servizio predefinito -FreeLineOfType=Voce a testo libero, digitare: +FreeZone=Non è un prodotto/servizio predefinito +FreeLineOfType=Free-text item, type: CloneMainAttributes=Clona oggetto con i suoi principali attributi -ReGeneratePDF=Rigenerare PDF +ReGeneratePDF=Rigenera PDF PDFMerge=Unisci PDF Merge=Unisci -DocumentModelStandardPDF=Modello PDF standard +DocumentModelStandardPDF=Tema PDF Standard PrintContentArea=Mostra una pagina per stampare l'area principale -MenuManager=Gestione menu -WarningYouAreInMaintenanceMode=Attenzione, sei in modalità manutenzione: solo l'accesso %s può utilizzare l'applicazione in questa modalità. +MenuManager=Gestore dei menu +WarningYouAreInMaintenanceMode=Warning, you are in maintenance mode: only login %s is allowed to use the application in this mode. CoreErrorTitle=Errore di sistema -CoreErrorMessage=Ci scusiamo, si é verificato un errore. Contattare l'amministratore di sistema per controllare i registri o disabilitare $ dolibarr_main_prod = 1 per ottenere ulteriori informazioni. +CoreErrorMessage=Si è verificato un errore. Controllare i log o contattare l'amministratore di sistema. CreditCard=Carta di credito -ValidatePayment=Convalida pagamento +ValidatePayment=Convalidare questo pagamento? CreditOrDebitCard=Carta di credito o debito FieldsWithAreMandatory=I campi con %s sono obbligatori -FieldsWithIsForPublic=I campi con %s sono mostrati nell'elenco pubblico dei membri. Se non lo desideri, deseleziona la casella "pubblica". -AccordingToGeoIPDatabase=(secondo la conversione GeoIP) +FieldsWithIsForPublic=Fields with %s are shown in public list of members. If you don't want this, uncheck the "public" box. +AccordingToGeoIPDatabase=(according to GeoIP conversion) Line=Riga NotSupported=Non supportato RequiredField=Campi obbligatori Result=Risultato ToTest=Provare -ValidateBefore=Item must be validated before using this feature +ValidateBefore=Convalidare la scheda prima di utilizzare questa funzione Visibility=Visibilità Totalizable=Totalizable -TotalizableDesc=Questo campo è totalizzabile nell'elenco +TotalizableDesc=This field is totalizable in list Private=Privato Hidden=Nascosto Resources=Risorse @@ -757,26 +757,26 @@ Frequency=Frequenza IM=Messaggistica istantanea NewAttribute=Nuovo attributo AttributeCode=Codice attributo -URLPhoto=URL della foto / logo -SetLinkToAnotherThirdParty=Collegamento a un'altra terza parte -LinkTo=Collegamento a -LinkToProposal=Link alla proposta -LinkToOrder=Link all'ordine -LinkToInvoice=Link alla fattura -LinkToTemplateInvoice=Link alla fattura del modello -LinkToSupplierOrder=Link all'ordine di acquisto -LinkToSupplierProposal=Link alla proposta del fornitore -LinkToSupplierInvoice=Collegamento alla fattura fornitore -LinkToContract=Link al contratto -LinkToIntervention=Link all'intervento -LinkToTicket=Link al biglietto +URLPhoto=URL foto/logo +SetLinkToAnotherThirdParty=Collega ad altro soggetto terzo +LinkTo=Collega a... +LinkToProposal=Collega a proposta +LinkToOrder=Collega a ordine +LinkToInvoice=Collega a fattura attiva +LinkToTemplateInvoice=Link to template invoice +LinkToSupplierOrder=Link to purchase order +LinkToSupplierProposal=Link to vendor proposal +LinkToSupplierInvoice=Link to vendor invoice +LinkToContract=Collega a contratto +LinkToIntervention=Collega a intervento +LinkToTicket=Link to ticket CreateDraft=Crea bozza -SetToDraft=Torna alla bozza +SetToDraft=Ritorna a bozza ClickToEdit=Clicca per modificare -ClickToRefresh=Fai clic per aggiornare +ClickToRefresh=Click to refresh EditWithEditor=Modifica con CKEditor -EditWithTextEditor=Modifica con l'editor di testo -EditHTMLSource=Modifica sorgente HTML +EditWithTextEditor=Modifica con editor di testo +EditHTMLSource=Modifica codice HTML ObjectDeleted=Oggetto %s eliminato ByCountry=Per paese ByTown=Per città @@ -786,124 +786,124 @@ ByYear=Per anno ByMonth=Per mese ByDay=Per giorno BySalesRepresentative=Per venditore -LinkedToSpecificUsers=Collegato a un contatto utente specifico +LinkedToSpecificUsers=Con collegamento ad un utente specifico NoResults=Nessun risultato AdminTools=Strumenti di amministrazione SystemTools=Strumenti di sistema -ModulesSystemTools=Strumenti di moduli +ModulesSystemTools=Strumenti moduli Test=Test Element=Elemento NoPhotoYet=Nessuna immagine disponibile -Dashboard=Cruscotto -MyDashboard=la mia scrivania -Deductible=deducibile -from=a partire dal +Dashboard=Panoramica +MyDashboard=Pannello principale +Deductible=Deducibile +from=da toward=verso Access=Accesso SelectAction=Seleziona azione -SelectTargetUser=Seleziona utente / dipendente di destinazione -HelpCopyToClipboard=Usa Ctrl + C per copiare negli appunti -SaveUploadedFileWithMask=Salva il file sul server con il nome " %s " (altrimenti "%s") -OriginFileName=Nome file originale -SetDemandReason=Imposta la fonte -SetBankAccount=Definisci conto bancario -AccountCurrency=Valuta dell'account -ViewPrivateNote=Vedi le note -XMoreLines=%s righe nascoste -ShowMoreLines=Mostra più / meno righe +SelectTargetUser=Seleziona utente/dipendente +HelpCopyToClipboard=Usa Ctrl+C per copiare negli appunti +SaveUploadedFileWithMask=Salva il file sul server con il nome "%s" (oppure "%s") +OriginFileName=Nome originale del file +SetDemandReason=Imposta sorgente +SetBankAccount=Definisci un numero di Conto Corrente Bancario +AccountCurrency=Valuta del conto +ViewPrivateNote=Vedi note +XMoreLines=%s linea(e) nascoste +ShowMoreLines=Mostra più/meno righe PublicUrl=URL pubblico -AddBox=Aggiungi casella -SelectElementAndClick=Seleziona un elemento e fai clic su %s -PrintFile=Stampa file %s -ShowTransaction=Mostra la voce sul conto bancario +AddBox=Aggiungi box +SelectElementAndClick=Seleziona un elemento e clicca %s +PrintFile=Stampa il file %s +ShowTransaction=Mostra entrate conto bancario ShowIntervention=Mostra intervento -ShowContract=Mostra contratto -GoIntoSetupToChangeLogo=Vai a Home - Setup - Azienda per cambiare logo o vai a Home - Setup - Display per nascondere. -Deny=Negare -Denied=negato -ListOf=Elenco di %s -ListOfTemplates=Elenco di modelli +ShowContract=Visualizza contratto +GoIntoSetupToChangeLogo=Go to Home - Setup - Company to change logo or go to Home - Setup - Display to hide. +Deny=Rifiuta +Denied=Rifiutata +ListOf=Lista di %s +ListOfTemplates=Elenco dei modelli Gender=Genere Genderman=Uomo Genderwoman=Donna -ViewList=Visualizzazione elenco +ViewList=Vista elenco Mandatory=Obbligatorio Hello=Ciao GoodBye=Addio -Sincerely=Cordiali saluti +Sincerely=Cordialmente ConfirmDeleteObject=Sei sicuro di voler eliminare questo oggetto? DeleteLine=Elimina riga -ConfirmDeleteLine=Sei sicuro di voler eliminare questa riga? -NoPDFAvailableForDocGenAmongChecked=Nessun PDF disponibile per la generazione di documenti tra i record controllati -TooManyRecordForMassAction=Troppi record selezionati per un'azione di massa. L'azione è limitata a un elenco di record %s. +ConfirmDeleteLine=Vuoi davvero eliminare questa riga? +NoPDFAvailableForDocGenAmongChecked=Non è possibile generare il documento PDF dai record selezionati +TooManyRecordForMassAction=Too many records selected for mass action. The action is restricted to a list of %s records. NoRecordSelected=Nessun record selezionato -MassFilesArea=Area per file creati da azioni di massa -ShowTempMassFilesArea=Mostra l'area dei file creati da azioni di massa -ConfirmMassDeletion=Conferma eliminazione collettiva -ConfirmMassDeletionQuestion=Sei sicuro di voler eliminare i record selezionati %s? +MassFilesArea=File creati da azioni di massa +ShowTempMassFilesArea=Mostra i file creati da azioni di massa +ConfirmMassDeletion=Bulk Delete confirmation +ConfirmMassDeletionQuestion=Are you sure you want to delete the %s selected record(s)? RelatedObjects=Oggetti correlati -ClassifyBilled=Classifica fatturato -ClassifyUnbilled=Classificare non compilato -Progress=Progresso +ClassifyBilled=Classificare fatturata +ClassifyUnbilled=Classifica non pagata +Progress=Avanzamento ProgressShort=Progr. -FrontOffice=Sportello -BackOffice=Back office +FrontOffice=Front office +BackOffice=Backoffice Submit=Submit -View=Visualizza -Export=Esportare -Exports=esportazioni -ExportFilteredList=Esporta l'elenco filtrato -ExportList=Esporta elenco +View=Vista +Export=Esportazione +Exports=Esportazioni +ExportFilteredList=Esporta lista filtrata +ExportList=Esporta lista ExportOptions=Opzioni di esportazione -IncludeDocsAlreadyExported=Includi documenti già esportati -ExportOfPiecesAlreadyExportedIsEnable=L'esportazione di pezzi già esportati è abilitata -ExportOfPiecesAlreadyExportedIsDisable=L'esportazione di pezzi già esportati è disabilitata -AllExportedMovementsWereRecordedAsExported=Tutti i movimenti esportati sono stati registrati come esportati -NotAllExportedMovementsCouldBeRecordedAsExported=Non tutti i movimenti esportati potrebbero essere registrati come esportati -Miscellaneous=miscellaneo +IncludeDocsAlreadyExported=Include docs already exported +ExportOfPiecesAlreadyExportedIsEnable=Export of pieces already exported is enable +ExportOfPiecesAlreadyExportedIsDisable=Export of pieces already exported is disable +AllExportedMovementsWereRecordedAsExported=All exported movements were recorded as exported +NotAllExportedMovementsCouldBeRecordedAsExported=Not all exported movements could be recorded as exported +Miscellaneous=Varie Calendar=Calendario -GroupBy=Raggruppare per... -ViewFlatList=Visualizza elenco piatto -RemoveString=Rimuovi stringa '%s' -SomeTranslationAreUncomplete=Alcune delle lingue offerte possono essere tradotte solo parzialmente o contenere errori. Aiutate a correggere la vostra lingua registrandovi su https://transifex.com/projects/p/dolibarr/ per aggiungere i vostri miglioramenti. -DirectDownloadLink=Link per il download diretto (pubblico / esterno) -DirectDownloadInternalLink=Link per il download diretto (deve essere registrato e necessita delle autorizzazioni) -Download=Scaricare -DownloadDocument=Scarica il documento +GroupBy=Raggruppa per... +ViewFlatList=Vedi lista semplice +RemoveString=Rimuovi la stringa '%s' +SomeTranslationAreUncomplete=Alcune traduzioni potrebbero essere incomplete, o contenere errori. In questi casi, registrandoti su transifex.com/projects/p/dolibarr/, avrai la possibilità di proporre modifiche, contribuendo così al miglioramento di Dolibarr. +DirectDownloadLink=Link diretto per il download (pubblico/esterno) +DirectDownloadInternalLink=Link per il download diretto (richiede accesso e permessi validi) +Download=Download +DownloadDocument=Scarica documento ActualizeCurrency=Aggiorna tasso di cambio Fiscalyear=Anno fiscale -ModuleBuilder=Modulo e generatore di applicazioni -SetMultiCurrencyCode=Imposta la valuta +ModuleBuilder=Module and Application Builder +SetMultiCurrencyCode=Imposta valuta BulkActions=Azioni in blocco -ClickToShowHelp=Fare clic per mostrare la guida della descrizione comandi +ClickToShowHelp=Clicca per mostrare l'aiuto contestuale WebSite=Sito web -WebSites=siti web -WebSiteAccounts=Account del sito Web -ExpenseReport=Rapporto di spesa -ExpenseReports=Rapporti di spesa +WebSites=Siti web +WebSiteAccounts=Website accounts +ExpenseReport=Nota spese +ExpenseReports=Nota spese HR=HR -HRAndBank=Risorse umane e banca +HRAndBank=HR e Banca AutomaticallyCalculated=Calcolato automaticamente -TitleSetToDraft=Torna alla bozza -ConfirmSetToDraft=Sei sicuro di voler tornare allo stato Bozza? -ImportId=ID importazione -Events=eventi -EMailTemplates=Modelli di email +TitleSetToDraft=Torna a Bozza +ConfirmSetToDraft=Are you sure you want to go back to Draft status? +ImportId=ID di importazione +Events=Eventi +EMailTemplates=Modelli e-mail FileNotShared=File non condiviso con pubblico esterno Project=Progetto Projects=Progetti -LeadOrProject=Piombo | Progetto -LeadsOrProjects=Leads | progetti -Lead=Condurre -Leads=Conduce -ListOpenLeads=Elenco leads aperti -ListOpenProjects=Elenco progetti aperti -NewLeadOrProject=Nuovo lead o progetto -Rights=permessi -LineNb=Linea n. -IncotermLabel=Incoterms -TabLetteringCustomer=Lettering cliente -TabLetteringSupplier=Iscrizione del venditore +LeadOrProject=Lead | Project +LeadsOrProjects=Leads | Projects +Lead=Lead +Leads=Leads +ListOpenLeads=List open leads +ListOpenProjects=Lista progetti aperti +NewLeadOrProject=New lead or project +Rights=Autorizzazioni +LineNb=Linea n° +IncotermLabel=Import-Export +TabLetteringCustomer=Customer lettering +TabLetteringSupplier=Vendor lettering Monday=Lunedì Tuesday=Martedì Wednesday=Mercoledì @@ -932,80 +932,80 @@ ShortThursday=Gio ShortFriday=Ven ShortSaturday=Sab ShortSunday=Dom -SelectMailModel=Seleziona un modello di email -SetRef=Imposta rif -Select2ResultFoundUseArrows=Alcuni risultati trovati. Utilizzare le frecce per selezionare. -Select2NotFound=nessun risultato trovato -Select2Enter=accedere -Select2MoreCharacter=o più personaggio -Select2MoreCharacters=o più personaggi -Select2MoreCharactersMore=Sintassi di ricerca:
| OPPURE (a | b)
* Qualsiasi carattere (a * b)
^ Inizia con (^ ab)
$ Termina con (ab $)
-Select2LoadingMoreResults=Caricamento di più risultati ... -Select2SearchInProgress=Cerca in corso ... -SearchIntoThirdparties=Terzi +SelectMailModel=Seleziona un tema email +SetRef=Imposta rif. +Select2ResultFoundUseArrows=Alcuni risultati trovati. Usa le frecce per selezionare. +Select2NotFound=Nessun risultato trovato +Select2Enter=Immetti +Select2MoreCharacter=o più caratteri +Select2MoreCharacters=o più caratteri +Select2MoreCharactersMore=Sintassi di ricerca:
| O (a|b)
* Qualsiasi carattere (a*b)
^ Inizia con (^ab)
$ Termina con (ab$)
+Select2LoadingMoreResults=Caricamento di altri risultati ... +Select2SearchInProgress=Ricerca in corso ... +SearchIntoThirdparties=Soggetti terzi SearchIntoContacts=Contatti SearchIntoMembers=Membri -SearchIntoUsers=utenti +SearchIntoUsers=Utenti SearchIntoProductsOrServices=Prodotti o servizi -SearchIntoProjects=progetti +SearchIntoProjects=Progetti SearchIntoTasks=Compiti -SearchIntoCustomerInvoices=Fatture cliente -SearchIntoSupplierInvoices=Fatture fornitore -SearchIntoCustomerOrders=Ordini di vendita -SearchIntoSupplierOrders=Ordini di acquisto -SearchIntoCustomerProposals=Proposte dei clienti -SearchIntoSupplierProposals=Proposte del venditore -SearchIntoInterventions=interventi -SearchIntoContracts=contratti -SearchIntoCustomerShipments=Spedizioni dei clienti -SearchIntoExpenseReports=Rapporti di spesa -SearchIntoLeaves=Partire -SearchIntoTickets=Biglietti +SearchIntoCustomerInvoices=Fatture attive +SearchIntoSupplierInvoices=Fatture Fornitore +SearchIntoCustomerOrders=Ordini Cliente +SearchIntoSupplierOrders=Ordini d'acquisto +SearchIntoCustomerProposals=Proposte del cliente +SearchIntoSupplierProposals=Proposta venditore +SearchIntoInterventions=Interventi +SearchIntoContracts=Contratti +SearchIntoCustomerShipments=Spedizioni cliente +SearchIntoExpenseReports=Nota spese +SearchIntoLeaves=Leave +SearchIntoTickets=Ticket CommentLink=Commenti -NbComments=Numero di commenti -CommentPage=Spazio commenti +NbComments=Numero dei commenti +CommentPage=Spazio per i commenti CommentAdded=Commento aggiunto CommentDeleted=Commento cancellato -Everybody=Tutti -PayedBy=Pagato da -PayedTo=Pagato a -Monthly=Mensile -Quarterly=Trimestrale +Everybody=Progetto condiviso +PayedBy=Pagata da +PayedTo=Paid to +Monthly=Mensilmente +Quarterly=Trimestralmente Annual=Annuale Local=Locale -Remote=A distanza -LocalAndRemote=Locale e remoto -KeyboardShortcut=Scorciatoia da tastiera -AssignedTo=Assegnato a +Remote=Remoto +LocalAndRemote=Locale e Remoto +KeyboardShortcut=Tasto scelta rapida +AssignedTo=Azione assegnata a Deletedraft=Elimina bozza -ConfirmMassDraftDeletion=Bozza di conferma dell'eliminazione di massa -FileSharedViaALink=File condiviso tramite un collegamento -SelectAThirdPartyFirst=Seleziona prima una terza parte ... -YouAreCurrentlyInSandboxMode=Attualmente si è in modalità "sandbox" %s +ConfirmMassDraftDeletion=Draft mass delete confirmation +FileSharedViaALink=File condiviso con un link +SelectAThirdPartyFirst=Seleziona prima un Soggetto terzo... +YouAreCurrentlyInSandboxMode=You are currently in the %s "sandbox" mode Inventory=Inventario -AnalyticCode=Codice analitico +AnalyticCode=Analytic code TMenuMRP=MRP -ShowMoreInfos=Mostra più informazioni -NoFilesUploadedYet=Carica prima un documento +ShowMoreInfos=Show More Infos +NoFilesUploadedYet=Please upload a document first SeePrivateNote=Vedi nota privata -PaymentInformation=Informazioni sul pagamento -ValidFrom=Valido dal -ValidUntil=Valido fino a -NoRecordedUsers=Nessun utente -ToClose=Chiudere -ToProcess=Processare -ToApprove=Approvare -GlobalOpenedElemView=Visione globale -NoArticlesFoundForTheKeyword=Nessun articolo trovato per la parola chiave " %s " -NoArticlesFoundForTheCategory=Nessun articolo trovato per la categoria -ToAcceptRefuse=Accettare | rifiuto +PaymentInformation=Payment information +ValidFrom=Valid from +ValidUntil=Valid until +NoRecordedUsers=No users +ToClose=To close +ToProcess=Da lavorare +ToApprove=To approve +GlobalOpenedElemView=Global view +NoArticlesFoundForTheKeyword=No article found for the keyword '%s' +NoArticlesFoundForTheCategory=No article found for the category +ToAcceptRefuse=To accept | refuse ContactDefault_agenda=Evento ContactDefault_commande=Ordine ContactDefault_contrat=Contratto ContactDefault_facture=Fattura ContactDefault_fichinter=Intervento ContactDefault_invoice_supplier=Fattura fornitore -ContactDefault_order_supplier=Ordine del fornitore +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Progetto ContactDefault_project_task=Compito ContactDefault_propal=Preventivo @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Proposta del fornitore ContactDefault_ticketsup=Biglietto ContactAddedAutomatically=Contatto aggiunto dai ruoli di contatto di terze parti More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/it_IT/margins.lang b/htdocs/langs/it_IT/margins.lang index d2e4bf6a280..5c3ce4941f9 100644 --- a/htdocs/langs/it_IT/margins.lang +++ b/htdocs/langs/it_IT/margins.lang @@ -6,40 +6,40 @@ TotalMargin=Margine totale MarginOnProducts=Margine sui prodotti MarginOnServices=Margine sui servizi MarginRate=Tasso di margine -MarkRate=Mark rate +MarkRate=Percentuale di ricarico DisplayMarginRates=Visualizza i tassi di margine -DisplayMarkRates=Visualizza le tariffe dei voti -InputPrice=Prezzo di input -margin=Gestione dei margini di profitto -margesSetup=Impostazione della gestione dei margini di profitto -MarginDetails=Dettagli sul margine +DisplayMarkRates=Mostra le percentuali di ricarico +InputPrice=Immetti prezzo +margin=Gestione margini di profitto +margesSetup=Configurazione gestione margini di profitto +MarginDetails=Dettagli dei margini ProductMargins=Margini per prodotto CustomerMargins=Margini per cliente -SalesRepresentativeMargins=Margini dei rappresentanti di vendita +SalesRepresentativeMargins=Margini di vendita del rappresentante ContactOfInvoice=Contatto della fattura UserMargins=Margini per utente ProductService=Prodotto o servizio AllProducts=Tutti i prodotti e servizi ChooseProduct/Service=Scegli prodotto o servizio -ForceBuyingPriceIfNull=Forza il prezzo di acquisto / costo al prezzo di vendita se non definito -ForceBuyingPriceIfNullDetails=Se il prezzo di acquisto / costo non è definito e questa opzione "ON", il margine sarà zero on line (prezzo di acquisto / costo = prezzo di vendita), altrimenti ("OFF"), il margine sarà uguale al valore predefinito suggerito. -MARGIN_METHODE_FOR_DISCOUNT=Metodo del margine per sconti globali +ForceBuyingPriceIfNull=Force buying/cost price to selling price if not defined +ForceBuyingPriceIfNullDetails=If buying/cost price not defined, and this option "ON", margin will be zero on line (buying/cost price = selling price), otherwise ("OFF"), marge will be equal to suggested default. +MARGIN_METHODE_FOR_DISCOUNT=Metodo di margine per sconti globali UseDiscountAsProduct=Come prodotto UseDiscountAsService=Come servizio UseDiscountOnTotal=Sul subtotale -MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Definisce se uno sconto globale viene trattato come un prodotto, un servizio o solo sul totale parziale per il calcolo del margine. -MARGIN_TYPE=Prezzo di acquisto / costo suggerito per impostazione predefinita per il calcolo del margine -MargeType1=Margine sul miglior prezzo del fornitore -MargeType2=Margine sul prezzo medio ponderato (WAP) -MargeType3=Margine sul prezzo di costo -MarginTypeDesc=* Margine sul miglior prezzo d'acquisto = Prezzo di vendita - Il miglior prezzo del fornitore definito sulla scheda del prodotto
* Margine sul prezzo medio ponderato (WAP) = Prezzo di vendita - Prezzo medio ponderato sul prodotto (WAP) o miglior prezzo fornitore se WAP non ancora definito
* Margine sul prezzo di costo = Prezzo di vendita - Prezzo di costo definito sulla scheda prodotto o WAP se il prezzo di costo non è definito, o miglior prezzo fornitore se WAP non ancora definito +MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Definisce se, ai fini del calcolo del margine, uno sconto globale debba essere trattato come un prodotto, un servizio o usato solo sul subtotale. +MARGIN_TYPE=Buying/Cost price suggested by default for margin calculation +MargeType1=Margin on Best vendor price +MargeType2=Margin on Weighted Average Price (WAP) +MargeType3=Margin on Cost Price +MarginTypeDesc=* Margin on best buying price = Selling price - Best vendor price defined on product card
* Margin on Weighted Average Price (WAP) = Selling price - Product Weighted Average Price (WAP) or best supplier price if WAP not yet defined
* Margin on Cost price = Selling price - Cost price defined on product card or WAP if cost price not defined, or best supplier price if WAP not yet defined CostPrice=Prezzo di costo -UnitCharges=Spese unitarie -Charges=oneri -AgentContactType=Tipo di contatto dell'agente commerciale -AgentContactTypeDetails=Definire quale tipo di contatto (collegato nelle fatture) verrà utilizzato per il rapporto sul margine per contatto / indirizzo. Si noti che la lettura delle statistiche su un contatto non è affidabile poiché nella maggior parte dei casi il contatto potrebbe non essere definito in modo esplicito nelle fatture. -rateMustBeNumeric=La tariffa deve essere un valore numerico -markRateShouldBeLesserThan100=La frequenza dei voti dovrebbe essere inferiore a 100 +UnitCharges=Carico unitario +Charges=Carichi +AgentContactType=Tipo di contatto per i mandati di vendita +AgentContactTypeDetails=Definisci quali tipi di contatto (collegati alle fatture) saranno utilizzati per i report per ciascun rappresentante di vendita +rateMustBeNumeric=Il rapporto deve essere un numero +markRateShouldBeLesserThan100=Il rapporto deve essere inferiore a 100 ShowMarginInfos=Mostra informazioni sui margini -CheckMargins=Dettaglio dei margini -MarginPerSaleRepresentativeWarning=Il rapporto sul margine per utente utilizza il collegamento tra terze parti e rappresentanti di vendita per calcolare il margine di ciascun rappresentante di vendita. Poiché alcuni terzi potrebbero non avere un rappresentante di vendita dedicato e alcuni terzi potrebbero essere collegati a diversi, alcuni importi potrebbero non essere inclusi in questo rapporto (se non è presente un rappresentante di vendita) e alcuni potrebbero apparire su righe diverse (per ciascun rappresentante di vendita) . +CheckMargins=Dettagli dei margini +MarginPerSaleRepresentativeWarning=The report of margin per user use the link between third parties and sale representatives to calculate the margin of each sale representative. Because some thirdparties may not have any ddiated sale representative and some thirdparties may be linked to several, some amounts may not be included into this report (if there is no sale representative) and some may appear on different lines (for each sale representative). diff --git a/htdocs/langs/it_IT/members.lang b/htdocs/langs/it_IT/members.lang index 09ec7fd6a3e..070cceee799 100644 --- a/htdocs/langs/it_IT/members.lang +++ b/htdocs/langs/it_IT/members.lang @@ -52,6 +52,9 @@ MemberStatusResiliated=Terminated member MemberStatusResiliatedShort=Terminated MembersStatusToValid=Membri da convalidare MembersStatusResiliated=Terminated members +MemberStatusNoSubscription=Convalidato (nessun abbonamento necessario) +MemberStatusNoSubscriptionShort=convalidato +SubscriptionNotNeeded=Nessun abbonamento necessario NewCotisation=Nuovo contributo PaymentSubscription=Nuovo contributo di pagamento SubscriptionEndDate=Termine ultimo per la sottoscrizione diff --git a/htdocs/langs/it_IT/modulebuilder.lang b/htdocs/langs/it_IT/modulebuilder.lang index c9b14c36be1..e66d17cbcd4 100644 --- a/htdocs/langs/it_IT/modulebuilder.lang +++ b/htdocs/langs/it_IT/modulebuilder.lang @@ -1,130 +1,130 @@ # Dolibarr language file - Source file is en_US - loan ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. -EnterNameOfModuleDesc=Immettere il nome del modulo / dell'applicazione da creare senza spazi. Usa lettere maiuscole per separare le parole (ad esempio: MyModule, EcommerceForShop, SyncWithMySystem ...) -EnterNameOfObjectDesc=Immettere il nome dell'oggetto da creare senza spazi. Usa le lettere maiuscole per separare le parole (ad esempio: MyObject, Studente, Insegnante ...). Verranno generati il file di classe CRUD, ma anche il file API, le pagine per elencare / aggiungere / modificare / eliminare l'oggetto e i file SQL. -ModuleBuilderDesc2=Percorso in cui i moduli vengono generati / modificati (prima directory per moduli esterni definita in %s): %s -ModuleBuilderDesc3=Trovati moduli generati / modificabili: %s -ModuleBuilderDesc4=Un modulo viene rilevato come "modificabile" quando il file %s esiste nella radice della directory del modulo +EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) +EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. +ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s +ModuleBuilderDesc3=Generated/editable modules found: %s +ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory NewModule=Nuovo modulo NewObjectInModulebuilder=New object -ModuleKey=Chiave del modulo -ObjectKey=Chiave oggetto +ModuleKey=Module key +ObjectKey=Object key ModuleInitialized=Modulo inizializzato -FilesForObjectInitialized=File per il nuovo oggetto '%s' inizializzati -FilesForObjectUpdated=File per oggetto '%s' aggiornati (file .sql e file .class.php) -ModuleBuilderDescdescription=Inserisci qui tutte le informazioni generali che descrivono il tuo modulo. -ModuleBuilderDescspecifications=È possibile inserire qui una descrizione dettagliata delle specifiche del modulo che non è già strutturata in altre schede. Quindi hai a portata di mano tutte le regole da sviluppare. Anche questo contenuto testuale sarà incluso nella documentazione generata (vedi ultima scheda). È possibile utilizzare il formato Markdown, ma si consiglia di utilizzare il formato Asciidoc (confronto tra .md e .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). -ModuleBuilderDescobjects=Definisci qui gli oggetti che vuoi gestire con il tuo modulo. Verranno generati una classe DAO CRUD, file SQL, una pagina per elencare il record di oggetti, per creare / modificare / visualizzare un record e un'API. -ModuleBuilderDescmenus=Questa scheda è dedicata per definire le voci di menu fornite dal modulo. -ModuleBuilderDescpermissions=Questa scheda è dedicata per definire le nuove autorizzazioni che si desidera fornire con il modulo. -ModuleBuilderDesctriggers=Questa è la vista dei trigger forniti dal tuo modulo. Per includere il codice eseguito all'avvio di un evento aziendale attivato, è sufficiente modificare questo file. -ModuleBuilderDeschooks=Questa scheda è dedicata agli hook. -ModuleBuilderDescwidgets=Questa scheda è dedicata alla gestione / creazione di widget. -ModuleBuilderDescbuildpackage=È possibile generare qui un file di pacchetto "pronto per la distribuzione" (un file .zip normalizzato) del modulo e un file di documentazione "pronto per la distribuzione". Basta fare clic sul pulsante per creare il pacchetto o il file di documentazione. -EnterNameOfModuleToDeleteDesc=Puoi cancellare il tuo modulo. ATTENZIONE: Tutti i file di codifica del modulo (generati o creati manualmente) E i dati strutturati e la documentazione verranno eliminati! -EnterNameOfObjectToDeleteDesc=Puoi cancellare un oggetto. ATTENZIONE: Tutti i file di codifica (generati o creati manualmente) relativi all'oggetto verranno eliminati! -DangerZone=Zona pericolosa +FilesForObjectInitialized=Files for new object '%s' initialized +FilesForObjectUpdated=Files for object '%s' updated (.sql files and .class.php file) +ModuleBuilderDescdescription=Enter here all general information that describe your module. +ModuleBuilderDescspecifications=You can enter here a detailed description of the specifications of your module that is not already structured into other tabs. So you have within easy reach all the rules to develop. Also this text content will be included into the generated documentation (see last tab). You can use Markdown format, but it is recommended to use Asciidoc format (comparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown). +ModuleBuilderDescobjects=Define here the objects you want to manage with your module. A CRUD DAO class, SQL files, page to list record of objects, to create/edit/view a record and an API will be generated. +ModuleBuilderDescmenus=Questa scheda è dedicata a definire le voci di menu fornite dal tuo modulo +ModuleBuilderDescpermissions=Questa scheda è dedicata a definire le nuove autorizzazione che vuoi fornire con il modulo +ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. +ModuleBuilderDeschooks=This tab is dedicated to hooks. +ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. +ModuleBuilderDescbuildpackage=You can generate here a "ready to distribute" package file (a normalized .zip file) of your module and a "ready to distribute" documentation file. Just click on button to build the package or documentation file. +EnterNameOfModuleToDeleteDesc=You can delete your module. WARNING: All coding files of module (generated or created manually) AND structured data and documentation will be deleted! +EnterNameOfObjectToDeleteDesc=You can delete an object. WARNING: All coding files (generated or created manually) related to object will be deleted! +DangerZone=Danger zone BuildPackage=Crea pacchetto -BuildPackageDesc=Puoi generare un pacchetto zip della tua applicazione in modo che tu sia pronto a distribuirlo su qualsiasi Dolibarr. Puoi anche distribuirlo o venderlo sul mercato come DoliStore.com . -BuildDocumentation=Crea documentazione -ModuleIsNotActive=Questo modulo non è ancora attivato. Vai a %s per renderlo attivo o fai clic qui: -ModuleIsLive=Questo modulo è stato attivato. Qualsiasi modifica può interrompere una funzione live corrente. -DescriptionLong=Descrizione lunga -EditorName=Nome dell'editor -EditorUrl=URL dell'editor -DescriptorFile=File descrittore del modulo -ClassFile=File per la classe CRUD DAO CRUD -ApiClassFile=File per la classe API PHP -PageForList=Pagina PHP per l'elenco dei record -PageForCreateEditView=Pagina PHP per creare / modificare / visualizzare un record -PageForAgendaTab=Pagina PHP per la scheda evento -PageForDocumentTab=Pagina PHP per la scheda del documento -PageForNoteTab=Pagina PHP per la scheda delle note -PathToModulePackage=Percorso di zip del modulo / pacchetto dell'applicazione -PathToModuleDocumentation=Percorso del file della documentazione del modulo / dell'applicazione (%s) -SpaceOrSpecialCharAreNotAllowed=Non sono ammessi spazi o caratteri speciali. -FileNotYetGenerated=File non ancora generato -RegenerateClassAndSql=Forza l'aggiornamento dei file .class e .sql -RegenerateMissingFiles=Genera file mancanti -SpecificationFile=File di documentazione -LanguageFile=File per lingua -ObjectProperties=Proprietà dell'oggetto -ConfirmDeleteProperty=Sei sicuro di voler eliminare la proprietà %s ? Questo cambierà il codice nella classe PHP ma rimuoverà anche la colonna dalla definizione della tabella dell'oggetto. -NotNull=Non nullo -NotNullDesc=1 = Imposta il database su NOT NULL. -1 = Consenti valori null e forza il valore su NULL se vuoto ('' o 0). -SearchAll=Usato per "cerca tutto" -DatabaseIndex=Indice del database -FileAlreadyExists=Il file %s esiste già -TriggersFile=File per il codice di trigger -HooksFile=File per codice hook -ArrayOfKeyValues=Matrice di key-val -ArrayOfKeyValuesDesc=Matrice di chiavi e valori se il campo è un elenco combinato con valori fissi -WidgetFile=File del widget +BuildPackageDesc=You can generate a zip package of your application so your are ready to distribute it on any Dolibarr. You can also distribute it or sell it on marketplace like DoliStore.com. +BuildDocumentation=Build documentation +ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: +ModuleIsLive=This module has been activated. Any change may break a current live feature. +DescriptionLong=Long description +EditorName=Name of editor +EditorUrl=URL of editor +DescriptorFile=Descriptor file of module +ClassFile=File for PHP DAO CRUD class +ApiClassFile=File for PHP API class +PageForList=PHP page for list of record +PageForCreateEditView=PHP page to create/edit/view a record +PageForAgendaTab=PHP page for event tab +PageForDocumentTab=PHP page for document tab +PageForNoteTab=PHP page for note tab +PathToModulePackage=Path to zip of module/application package +PathToModuleDocumentation=Path to file of module/application documentation (%s) +SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. +FileNotYetGenerated=File not yet generated +RegenerateClassAndSql=Force update of .class and .sql files +RegenerateMissingFiles=Generate missing files +SpecificationFile=File of documentation +LanguageFile=File for language +ObjectProperties=Object Properties +ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. +NotNull=Not NULL +NotNullDesc=1=Set database to NOT NULL. -1=Allow null values and force value to NULL if empty ('' or 0). +SearchAll=Used for 'search all' +DatabaseIndex=Database index +FileAlreadyExists=File %s already exists +TriggersFile=File for triggers code +HooksFile=File for hooks code +ArrayOfKeyValues=Array of key-val +ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values +WidgetFile=Widget file CSSFile=CSS file JSFile=Javascript file -ReadmeFile=File Leggimi -ChangeLog=File ChangeLog -TestClassFile=File per la classe Test unità PHP -SqlFile=File SQL -PageForLib=File for the common PHP library -PageForObjLib=File for the PHP library dedicated to object -SqlFileExtraFields=File SQL per attributi complementari -SqlFileKey=File SQL per le chiavi -SqlFileKeyExtraFields=File SQL per chiavi di attributi complementari -AnObjectAlreadyExistWithThisNameAndDiffCase=Un oggetto esiste già con questo nome e un caso diverso -UseAsciiDocFormat=È possibile utilizzare il formato Markdown, ma si consiglia di utilizzare il formato Asciidoc (omparison tra .md e .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) -IsAMeasure=È una misura -DirScanned=Directory scansionata -NoTrigger=Nessun innesco -NoWidget=Nessun widget -GoToApiExplorer=Vai a Explorer Explorer -ListOfMenusEntries=Elenco delle voci di menu +ReadmeFile=Readme file +ChangeLog=ChangeLog file +TestClassFile=File for PHP Unit Test class +SqlFile=Sql file +PageForLib=File for PHP library +PageForObjLib=File for PHP library dedicated to object +SqlFileExtraFields=Sql file for complementary attributes +SqlFileKey=Sql file for keys +SqlFileKeyExtraFields=Sql file for keys of complementary attributes +AnObjectAlreadyExistWithThisNameAndDiffCase=An object already exists with this name and a different case +UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asciidoc format (omparison between .md and .asciidoc: http://asciidoctor.org/docs/user-manual/#compared-to-markdown) +IsAMeasure=Is a measure +DirScanned=Directory scanned +NoTrigger=No trigger +NoWidget=No widget +GoToApiExplorer=Go to API explorer +ListOfMenusEntries=List of menu entries ListOfDictionariesEntries=List of dictionaries entries -ListOfPermissionsDefined=Elenco delle autorizzazioni definite -SeeExamples=Vedi esempi qui -EnabledDesc=Condizione per rendere attivo questo campo (Esempi: 1 o $ 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) -IsAMeasureDesc=Il valore del campo può essere cumulato per ottenere un totale nella lista? (Esempi: 1 o 0) -SearchAllDesc=Il campo è utilizzato per effettuare una ricerca dallo strumento di ricerca rapida? (Esempi: 1 o 0) -SpecDefDesc=Inserisci qui tutta la documentazione che desideri fornire con il tuo modulo che non sia già definita da altre schede. Puoi usare .md o meglio, la ricca sintassi .asciidoc. -LanguageDefDesc=Inserisci in questo file, tutta la chiave e la traduzione per ogni file di lingua. -MenusDefDesc=Definire qui i menu forniti dal modulo +ListOfPermissionsDefined=List of defined permissions +SeeExamples=See examples here +EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) +VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example: preg_match('/public/', $_SERVER['PHP_SELF'])?0:1 +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 DictionariesDefDesc=Define here the dictionaries provided by your module -PermissionsDefDesc=Definisci qui le nuove autorizzazioni fornite dal tuo modulo -MenusDefDescTooltip=I menu forniti dal modulo / dall'applicazione sono definiti nell'array $ this-> menu nel file descrittore del modulo. È possibile modificare manualmente questo file o utilizzare l'editor incorporato.

Nota: una volta definiti (e riattivato il modulo), i menu sono anche visibili nell'editor di menu disponibile per gli utenti amministratori su %s. +PermissionsDefDesc=Define here the new permissions provided by your module +MenusDefDescTooltip=The menus provided by your module/application are defined into the array $this->menus into the module descriptor file. You can edit manually this file or use the embedded editor.

Note: Once defined (and module re-activated), menus are also visible into the menu editor available to administrator users on %s. DictionariesDefDescTooltip=The dictionaries provided by your module/application are defined into the array $this->dictionaries into the module descriptor file. You can edit manually this file or use the embedded editor.

Note: Once defined (and module re-activated), dictionaries are also visible into the setup area to administrator users on %s. -PermissionsDefDescTooltip=Le autorizzazioni fornite dal modulo / dall'applicazione sono definite nell'array $ this-> rights nel file descrittore del modulo. È possibile modificare manualmente questo file o utilizzare l'editor incorporato.

Nota: una volta definiti (e il modulo riattivato), le autorizzazioni sono visibili nella configurazione delle autorizzazioni predefinita %s. -HooksDefDesc=Definire nella proprietà module_parts ['hooks'] , nel descrittore del modulo, il contesto degli hook che si desidera gestire (l'elenco dei contesti può essere trovato da una ricerca su ' initHooks ( ' nel codice core).
Modifica il file hook per aggiungere il codice delle tue funzioni hook (le funzioni hook possono essere trovate da una ricerca su ' executeHooks ' nel codice core). -TriggerDefDesc=Definire nel file trigger il codice che si desidera eseguire per ogni evento aziendale eseguito. -SeeIDsInUse=Vedi gli ID in uso nella tua installazione -SeeReservedIDsRangeHere=Vedi la gamma di ID riservati -ToolkitForDevelopers=Toolkit per sviluppatori Dolibarr -TryToUseTheModuleBuilder=Se hai conoscenza di SQL e PHP, puoi utilizzare la procedura guidata per la creazione del modulo nativo.
Abilitare il modulo %s e utilizzare la procedura guidata facendo clic su nel menu in alto a destra.
Attenzione: questa è una funzionalità di sviluppo avanzata, non sperimentare sul tuo sito di produzione! -SeeTopRightMenu=Vedere nel menu in alto a destra -AddLanguageFile=Aggiungi file di lingua -YouCanUseTranslationKey=Puoi usare qui una chiave che è la chiave di traduzione trovata nel file della lingua (vedi scheda "Lingue") -DropTableIfEmpty=(Elimina la tabella se vuota) -TableDoesNotExists=La tabella %s non esiste -TableDropped=Tabella %s eliminata -InitStructureFromExistingTable=Crea la stringa dell'array di struttura di una tabella esistente -UseAboutPage=Disabilita la pagina delle informazioni -UseDocFolder=Disabilita la cartella della documentazione -UseSpecificReadme=Utilizzare un file Leggimi specifico -ContentOfREADMECustomized=Nota: il contenuto del file README.md è stato sostituito con il valore specifico definito nell'installazione di ModuleBuilder. -RealPathOfModule=Percorso reale del modulo -ContentCantBeEmpty=Il contenuto del file non può essere vuoto -WidgetDesc=Puoi generare e modificare qui i widget che verranno incorporati con il tuo modulo. +PermissionsDefDescTooltip=The permissions provided by your module/application are defined into the array $this->rights into the module descriptor file. You can edit manually this file or use the embedded editor.

Note: Once defined (and module re-activated), permissions 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 of SQL and PHP, you may use the native module builder wizard.
Enable the module %s and use the wizard by clicking the on the top right menu.
Warning: This is an advanced developer feature, do not experiment on your production site! +SeeTopRightMenu=See on the top right menu +AddLanguageFile=Add language file +YouCanUseTranslationKey=You can use here a key that is the translation key found into language file (see tab "Languages") +DropTableIfEmpty=(Delete table if empty) +TableDoesNotExists=The table %s does not exists +TableDropped=Table %s deleted +InitStructureFromExistingTable=Build the structure array string of an existing table +UseAboutPage=Disable the about page +UseDocFolder=Disable the documentation folder +UseSpecificReadme=Use a specific ReadMe +ContentOfREADMECustomized=Nota: il contenuto del file README.md è stato sostituito con il valore specifico definito nell'installazione di ModuleBuilder. +RealPathOfModule=Real path of module +ContentCantBeEmpty=Content of file can't be empty +WidgetDesc=You can generate and edit here the widgets that will be embedded with your module. CSSDesc=You can generate and edit here a file with personalized CSS embedded with your module. JSDesc=You can generate and edit here a file with personalized Javascript embedded with your module. -CLIDesc=Puoi generare qui alcuni script da riga di comando che vuoi fornire con il tuo modulo. -CLIFile=File CLI -NoCLIFile=Nessun file CLI -UseSpecificEditorName = Usa un nome editor specifico -UseSpecificEditorURL = Utilizza un URL dell'editor specifico -UseSpecificFamily = Usa una famiglia specifica -UseSpecificAuthor = Usa un autore specifico -UseSpecificVersion = Utilizzare una versione iniziale specifica -ModuleMustBeEnabled=Il modulo / l'applicazione deve essere prima abilitato +CLIDesc=You can generate here some command line scripts you want to provide with your module. +CLIFile=CLI File +NoCLIFile=No CLI files +UseSpecificEditorName = Use a specific editor name +UseSpecificEditorURL = Use a specific editor URL +UseSpecificFamily = Use a specific family +UseSpecificAuthor = Use a specific author +UseSpecificVersion = Use a specific initial version +ModuleMustBeEnabled=The module/application must be enabled first IncludeRefGeneration=The reference of object must be generated automatically IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference IncludeDocGeneration=I want to generate some documents from the object @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/it_IT/mrp.lang b/htdocs/langs/it_IT/mrp.lang index 157497cea6b..93d5d763a47 100644 --- a/htdocs/langs/it_IT/mrp.lang +++ b/htdocs/langs/it_IT/mrp.lang @@ -1,33 +1,33 @@ Mrp=Ordini di produzione MO=Ordine di produzione MRPDescription=Modulo per la gestione degli ordini di produzione (MO). -MRPArea=Area MRP +MRPArea=MRP Area MrpSetupPage=Configurazione del modulo MRP -MenuBOM=Distinte di materiale -LatestBOMModified=Ultime %s Distinte materiali modificate +MenuBOM=Bills of material +LatestBOMModified=Latest %s Bills of materials modified LatestMOModified=Ultimi %sordini di produzione modificati Bom=Bills of Material -BillOfMaterials=Distinta materiali -BOMsSetup=Impostazione del modulo BOM -ListOfBOMs=Elenco delle distinte materiali - DBA +BillOfMaterials=Bill of Material +BOMsSetup=Setup of module BOM +ListOfBOMs=List of bills of material - BOM ListOfManufacturingOrders=Elenco degli ordini di produzione -NewBOM=Nuova distinta base -ProductBOMHelp=Product to create with this BOM.
Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. -BOMsNumberingModules=Modelli di numerazione DBA -BOMsModelModule=BOM document templates +NewBOM=New bill of material +ProductBOMHelp=Product to create with this BOM +BOMsNumberingModules=BOM numbering templates +BOMsModelModule=BOMS document templates MOsNumberingModules=MO numbering templates MOsModelModule=MO document templates -FreeLegalTextOnBOMs=Testo libero sul documento della distinta base -WatermarkOnDraftBOMs=Filigrana sul progetto della distinta base +FreeLegalTextOnBOMs=Free text on document of BOM +WatermarkOnDraftBOMs=Watermark on draft BOM FreeLegalTextOnMOs=Free text on document of MO WatermarkOnDraftMOs=Watermark on draft MO -ConfirmCloneBillOfMaterials=Are you sure you want to clone the bill of material %s ? +ConfirmCloneBillOfMaterials=Are you sure you want to clone this bill of material ? ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Efficienza produttiva -ValueOfMeansLoss=Il valore di 0,95 indica una media di 5%% di perdita durante la produzione -DeleteBillOfMaterials=Elimina distinta materiali +ManufacturingEfficiency=Manufacturing efficiency +ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the production +DeleteBillOfMaterials=Delete Bill Of Materials DeleteMo=Delete Manufacturing Order -ConfirmDeleteBillOfMaterials=Sei sicuro di voler eliminare questa distinta base? +ConfirmDeleteBillOfMaterials=Are you sure you want to delete this Bill Of Material? ConfirmDeleteMo=Are you sure you want to delete this Bill Of Material? MenuMRP=Ordini di produzione NewMO=Nuovo ordine di produzione @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/it_IT/opensurvey.lang b/htdocs/langs/it_IT/opensurvey.lang index dab8748178a..a8e48ebb63c 100644 --- a/htdocs/langs/it_IT/opensurvey.lang +++ b/htdocs/langs/it_IT/opensurvey.lang @@ -1,17 +1,17 @@ # Dolibarr language file - Source file is en_US - opensurvey Survey=Sondaggio -Surveys=sondaggi -OrganizeYourMeetingEasily=Organize your meetings and polls easily. First select the type of poll... +Surveys=Sondaggi +OrganizeYourMeetingEasily=Organizza facilmente i tuoi meeting e i sondaggi. Comincia selezionando il tipo di sondaggio NewSurvey=Nuovo sondaggio OpenSurveyArea=Area sondaggi -AddACommentForPoll=Puoi aggiungere un commento nel sondaggio ... +AddACommentForPoll=Puoi aggiungere un commento al sondaggio AddComment=Aggiungi commento CreatePoll=Crea sondaggio PollTitle=Titolo del sondaggio -ToReceiveEMailForEachVote=Ricevi un'email per ogni voto +ToReceiveEMailForEachVote=Ricevi una mail per ogni voto TypeDate=Tipo appuntamento TypeClassic=Tipo standard -OpenSurveyStep2=Seleziona le date tra i giorni liberi (grigio). I giorni selezionati sono verdi. Puoi deselezionare un giorno precedentemente selezionato facendo di nuovo clic su di esso +OpenSurveyStep2=Scegli le date fra i giorni liberi (in verde). I giorni selezionati sono in blu. Puoi deselezionare un giorno precedentemente selezionato cliccandoci di nuovo sopra. RemoveAllDays=Elimina tutti i giorni CopyHoursOfFirstDay=Copia gli orari del primo giorno RemoveAllHours=Elimina tutti gli orari @@ -23,9 +23,9 @@ OpenSurveyHowTo=Se decidi di partecipare a questa indagine, devi inserire il tuo CommentsOfVoters=Commenti dei votanti ConfirmRemovalOfPoll=Vuoi davvero eliminare questo sondaggio (e tutti i suoi voti) RemovePoll=Elimina sondaggio -UrlForSurvey=URL per comunicare per ottenere un accesso diretto al sondaggio +UrlForSurvey=URL da comunicare per avere accesso diretto al sondaggio PollOnChoice=Stai creando una domanda a scelta multipla. Inserisci tutte le opzioni possibili: -CreateSurveyDate=Crea un sondaggio di data +CreateSurveyDate=Crea una data del sondaggio CreateSurveyStandard=Crea un sondaggio standard CheckBox=Checkbox semplice YesNoList=Elenco (vuota/sì/no) @@ -35,7 +35,7 @@ TitleChoice=Etichetta ExportSpreadsheet=Esporta su foglio elettronico ExpireDate=Data limite NbOfSurveys=Numero di sondaggi -NbOfVoters=Numero di elettori +NbOfVoters=Num votanti SurveyResults=Risultati PollAdminDesc=Sei autorizzato a cambiare tutte le righe del sondaggio con il tasto "Modifica". Puoi anche eliminare una colonna o una riga con %s e aggiungere una colonna con il tasto %s. 5MoreChoices=Altre 5 scelte @@ -49,13 +49,13 @@ votes=voti NoCommentYet=In questa indagine non è stato ancora inserito alcun commento CanComment=I votanti posso aggiungere commenti CanSeeOthersVote=I votanti possono vedere i voti altrui -SelectDayDesc=Per ogni giorno selezionato, puoi scegliere o meno l'orario di riunione nel seguente formato:
- vuoto,
- "8h", "8H" o "8:00" per indicare l'ora di inizio di una riunione,
- "8-11", "8h-11h", "8H-11H" o "8: 00-11: 00" per indicare l'ora di inizio e di fine di una riunione,
- "8h15-11h15", "8H15-11H15" o "8: 15-11: 15" per la stessa cosa ma con minuti. +SelectDayDesc=Per ogni giorno selezionato, puoi scegliere gli orari di riunione nel formato seguente:
- vuoto,
-"8h", "8H" o "8:00" per definire un orario di inizio,
-"8-11", "8h-11h", "8H-11H" o "8:00-11:00" per definire un lasso di tempo,
- "8h15-11h15", "8H15-11H15" o "8:15-11:15" per la stessa cosa, ma con indicazione dei minuti. BackToCurrentMonth=Torna al mese in corso ErrorOpenSurveyFillFirstSection=Noi hai completato la prima sezione della creazione dell'indagine ErrorOpenSurveyOneChoice=Inserisci almeno una scelta ErrorInsertingComment=Si è verificato un errore nel salvataggio del tuo commento MoreChoices=Aggiungi altre opzioni -SurveyExpiredInfo=Il sondaggio è stato chiuso o il ritardo di votazione è scaduto. +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=Mostra sondaggio -UserMustBeSameThanUserUsedToVote=Devi aver votato e utilizzare lo stesso nome utente utilizzato per votare, per pubblicare un commento +ShowSurvey=Mostra indagine +UserMustBeSameThanUserUsedToVote=You must have voted and use the same user name that the one used to vote, to post a comment diff --git a/htdocs/langs/it_IT/orders.lang b/htdocs/langs/it_IT/orders.lang index 0f3b62f9ba4..bde984918ea 100644 --- a/htdocs/langs/it_IT/orders.lang +++ b/htdocs/langs/it_IT/orders.lang @@ -1,163 +1,163 @@ # Dolibarr language file - Source file is en_US - orders -OrdersArea=Area ordini clienti -SuppliersOrdersArea=Area ordini di acquisto -OrderCard=Carta d'ordine -OrderId=ID ordine +OrdersArea=Area ordini dei clienti +SuppliersOrdersArea=Purchase orders area +OrderCard=Scheda ordine +OrderId=Identificativo ordine Order=Ordine PdfOrderTitle=Ordine Orders=Ordini -OrderLine=Linea di ordine -OrderDate=Data dell'ordine -OrderDateShort=Data dell'ordine -OrderToProcess=Ordine da elaborare +OrderLine=Riga Ordine +OrderDate=Data ordine +OrderDateShort=Data ordine +OrderToProcess=Ordine da processare NewOrder=Nuovo ordine NewOrderSupplier=Nuovo ordine d'acquisto -ToOrder=Fare ordine +ToOrder=Ordinare MakeOrder=Fare ordine -SupplierOrder=Ordinazione d'acquisto -SuppliersOrders=Ordini di acquisto -SuppliersOrdersRunning=Ordini di acquisto correnti -CustomerOrder=Ordine di vendita -CustomersOrders=Ordini di vendita -CustomersOrdersRunning=Ordini di vendita correnti -CustomersOrdersAndOrdersLines=Ordini di vendita e dettagli dell'ordine -OrdersDeliveredToBill=Ordini di vendita consegnati in fattura -OrdersToBill=Ordini di vendita consegnati -OrdersInProcess=Ordini di vendita in corso -OrdersToProcess=Elaborazione degli ordini cliente -SuppliersOrdersToProcess=Ordini di acquisto da elaborare +SupplierOrder=Ordine d'acquisto +SuppliersOrders=Ordini d'acquisto +SuppliersOrdersRunning=Current purchase orders +CustomerOrder=Sales Order +CustomersOrders=Ordini Cliente +CustomersOrdersRunning=Ordini Cliente in corso +CustomersOrdersAndOrdersLines=Sales orders and order details +OrdersDeliveredToBill=Sales orders delivered to bill +OrdersToBill=Sales orders delivered +OrdersInProcess=Sales orders in process +OrdersToProcess=Ordini Cliente da trattare +SuppliersOrdersToProcess=Ordini Fornitore da trattare SuppliersOrdersAwaitingReception=Ordini di acquisto in attesa di ricezione AwaitingReception=In attesa di ricevimento StatusOrderCanceledShort=Annullato StatusOrderDraftShort=Bozza -StatusOrderValidatedShort=convalidato +StatusOrderValidatedShort=Convalidato StatusOrderSentShort=In corso StatusOrderSent=Spedizione in corso StatusOrderOnProcessShort=Ordinato -StatusOrderProcessedShort=Processed -StatusOrderDelivered=consegnato -StatusOrderDeliveredShort=consegnato -StatusOrderToBillShort=consegnato +StatusOrderProcessedShort=Lavorato +StatusOrderDelivered=Spedito +StatusOrderDeliveredShort=Consegnato +StatusOrderToBillShort=Spedito StatusOrderApprovedShort=Approvato -StatusOrderRefusedShort=rifiutato -StatusOrderToProcessShort=Processare -StatusOrderReceivedPartiallyShort=Parzialmente ricevuto -StatusOrderReceivedAllShort=Prodotti ricevuti +StatusOrderRefusedShort=Rifiutato +StatusOrderToProcessShort=Da lavorare +StatusOrderReceivedPartiallyShort=Ricevuto parz. +StatusOrderReceivedAllShort=Ricevuto compl. StatusOrderCanceled=Annullato StatusOrderDraft=Bozza (deve essere convalidata) -StatusOrderValidated=convalidato -StatusOrderOnProcess=Ordinato: ricezione in standby -StatusOrderOnProcessWithValidation=Ordinato: ricezione o convalida in standby -StatusOrderProcessed=Processed -StatusOrderToBill=consegnato +StatusOrderValidated=Convalidato +StatusOrderOnProcess=Ordinato - In attesa di ricezione +StatusOrderOnProcessWithValidation=Ordinato - in attesa di ricezione o validazione +StatusOrderProcessed=Lavorato +StatusOrderToBill=Spedito StatusOrderApproved=Approvato -StatusOrderRefused=rifiutato -StatusOrderReceivedPartially=Parzialmente ricevuto -StatusOrderReceivedAll=Tutti i prodotti ricevuti +StatusOrderRefused=Rifiutato +StatusOrderReceivedPartially=Ricevuto parzialmente +StatusOrderReceivedAll=Ricevuto completamente ShippingExist=Esiste una spedizione -QtyOrdered=Qtà ordinata -ProductQtyInDraft=Quantità del prodotto in ordini di cambiali -ProductQtyInDraftOrWaitingApproved=Quantità del prodotto in bozze o ordini approvati, non ancora ordinati -MenuOrdersToBill=Ordini consegnati +QtyOrdered=Quantità ordinata +ProductQtyInDraft=Quantità di prodotto in bozza di ordini +ProductQtyInDraftOrWaitingApproved=Quantità di prodotto in bozze o ordini approvati, non ancora ordinato +MenuOrdersToBill=Ordini spediti MenuOrdersToBill2=Ordini fatturabili -ShipProduct=Prodotto della nave -CreateOrder=Crea Ordine -RefuseOrder=Rifiuta l'ordine -ApproveOrder=Approvare l'ordine -Approve2Order=Approvare ordine (secondo livello) +ShipProduct=Spedisci prodotto +CreateOrder=Crea ordine +RefuseOrder=Rifiuta ordine +ApproveOrder=Approva l'ordine +Approve2Order=Approva ordine (secondo livello) ValidateOrder=Convalida ordine -UnvalidateOrder=Ordine non valido +UnvalidateOrder=Invalida ordine DeleteOrder=Elimina ordine -CancelOrder=Annulla Ordine -OrderReopened= Ordine %s Riaperto -AddOrder=Creare un ordine +CancelOrder=Annulla ordine +OrderReopened= Ordine %s riaperto +AddOrder=Crea ordine AddPurchaseOrder=Crea ordine d'acquisto -AddToDraftOrders=Aggiungi all'ordine di bozza -ShowOrder=Mostra ordine -OrdersOpened=Ordini da elaborare -NoDraftOrders=Nessun ordine di cambiale +AddToDraftOrders=Aggiungi ad una bozza d'ordine +ShowOrder=Visualizza ordine +OrdersOpened=Ordini da processare +NoDraftOrders=Nessuna bozza d'ordine NoOrder=Nessun ordine -NoSupplierOrder=Nessun ordine d'acquisto -LastOrders=Ultimi ordini di vendita %s -LastCustomerOrders=Ultimi ordini di vendita %s -LastSupplierOrders=Ultimi ordini di acquisto %s -LastModifiedOrders=Ultimi ordini modificati %s +NoSupplierOrder=No purchase order +LastOrders=Latest %s sales orders +LastCustomerOrders=Latest %s sales orders +LastSupplierOrders=Latest %s purchase orders +LastModifiedOrders=ultimi %s ordini modificati AllOrders=Tutti gli ordini NbOfOrders=Numero di ordini -OrdersStatistics=Statistiche dell'ordine -OrdersStatisticsSuppliers=Statistiche sugli ordini di acquisto +OrdersStatistics=Statistiche ordini +OrdersStatisticsSuppliers=Purchase order statistics NumberOfOrdersByMonth=Numero di ordini per mese -AmountOfOrdersByMonthHT=Importo degli ordini per mese (IVA esclusa) +AmountOfOrdersByMonthHT=Amount of orders by month (excl. tax) ListOfOrders=Elenco degli ordini CloseOrder=Chiudi ordine -ConfirmCloseOrder=Sei sicuro di voler impostare questo ordine su consegnato? Una volta che un ordine viene consegnato, può essere impostato come fatturato. -ConfirmDeleteOrder=Sei sicuro di voler eliminare questo ordine? -ConfirmValidateOrder=Sei sicuro di voler convalidare questo ordine con il nome %s ? -ConfirmUnvalidateOrder=Vuoi ripristinare l'ordine %s per redigere lo stato? -ConfirmCancelOrder=Sei sicuro di voler annullare questo ordine? -ConfirmMakeOrder=Sei sicuro di voler confermare di aver effettuato questo ordine su %s ? +ConfirmCloseOrder=Are you sure you want to set this order to delivered? Once an order is delivered, it can be set to billed. +ConfirmDeleteOrder=Vuoi davvero cancellare questo ordine? +ConfirmValidateOrder=Vuoi davvero convalidare questo ordine come %s? +ConfirmUnvalidateOrder=Vuoi davvero riportare l'ordine %s allo stato di bozza? +ConfirmCancelOrder=Vuoi davvero annullare questo ordine? +ConfirmMakeOrder=Vuoi davvero confermare di aver creato questo ordine su %s? GenerateBill=Genera fattura -ClassifyShipped=Classificare consegnato -DraftOrders=Bozza di ordini -DraftSuppliersOrders=Bozza di ordini di acquisto -OnProcessOrders=Negli ordini di processo -RefOrder=Ref. ordine -RefCustomerOrder=Ref. ordine per cliente -RefOrderSupplier=Ref. ordine per il fornitore -RefOrderSupplierShort=Ref. ordine fornitore -SendOrderByMail=Invia ordine per posta -ActionsOnOrder=Eventi su ordinazione -NoArticleOfTypeProduct=Nessun articolo di tipo "prodotto", quindi nessun articolo disponibile per questo ordine -OrderMode=Metodo di ordine -AuthorRequest=Richiedi l'autore -UserWithApproveOrderGrant=Utenti concessi con l'autorizzazione "approva ordini". -PaymentOrderRef=Pagamento dell'ordine %s -ConfirmCloneOrder=Sei sicuro di voler clonare questo ordine %s ? -DispatchSupplierOrder=Ricezione dell'ordine di acquisto %s +ClassifyShipped=Classifica come spedito +DraftOrders=Bozze di ordini +DraftSuppliersOrders=Ordini di acquisto in bozza +OnProcessOrders=Ordini in lavorazione +RefOrder=Rif. ordine +RefCustomerOrder=Rif. fornitore +RefOrderSupplier=Ref. order for vendor +RefOrderSupplierShort=Ref. order vendor +SendOrderByMail=Invia ordine via email +ActionsOnOrder=Azioni all'ordine +NoArticleOfTypeProduct=Non ci sono articoli definiti "prodotto" quindi non ci sono articoli da spedire +OrderMode=Metodo ordine +AuthorRequest=Autore della richiesta +UserWithApproveOrderGrant=Utente autorizzato ad approvare ordini +PaymentOrderRef=Riferimento pagamento ordine %s +ConfirmCloneOrder=Vuoi davvero clonare l'ordine %s? +DispatchSupplierOrder=Receiving purchase order %s FirstApprovalAlreadyDone=Prima approvazione già fatta SecondApprovalAlreadyDone=Seconda approvazione già fatta -SupplierOrderReceivedInDolibarr=L'ordine di acquisto %s ha ricevuto %s -SupplierOrderSubmitedInDolibarr=Ordine di acquisto %s inviato -SupplierOrderClassifiedBilled=Ordine di acquisto %s set fatturato +SupplierOrderReceivedInDolibarr=Purchase Order %s received %s +SupplierOrderSubmitedInDolibarr=Purchase Order %s submitted +SupplierOrderClassifiedBilled=Purchase Order %s set billed OtherOrders=Altri ordini ##### Types de contacts ##### -TypeContact_commande_internal_SALESREPFOLL=Ordine di vendita di follow-up rappresentativo -TypeContact_commande_internal_SHIPPING=Spedizione di follow-up rappresentativa -TypeContact_commande_external_BILLING=Contatto fattura cliente -TypeContact_commande_external_SHIPPING=Contatto per la spedizione del cliente -TypeContact_commande_external_CUSTOMER=Contatto successivo ordine cliente -TypeContact_order_supplier_internal_SALESREPFOLL=Ordine di acquisto di follow-up rappresentativo -TypeContact_order_supplier_internal_SHIPPING=Spedizione di follow-up rappresentativa -TypeContact_order_supplier_external_BILLING=Contatto fattura fornitore -TypeContact_order_supplier_external_SHIPPING=Contatto per la spedizione del fornitore -TypeContact_order_supplier_external_CUSTOMER=Contatta il fornitore per il follow-up dell'ordine +TypeContact_commande_internal_SALESREPFOLL=Representative following-up sales order +TypeContact_commande_internal_SHIPPING=Responsabile spedizioni cliente +TypeContact_commande_external_BILLING=Contatto fatturazione cliente +TypeContact_commande_external_SHIPPING=Contatto spedizioni cliente +TypeContact_commande_external_CUSTOMER=Contatto follow-up cliente +TypeContact_order_supplier_internal_SALESREPFOLL=Representative following-up purchase order +TypeContact_order_supplier_internal_SHIPPING=Responsabile spedizioni fornitore +TypeContact_order_supplier_external_BILLING=Vendor invoice contact +TypeContact_order_supplier_external_SHIPPING=Vendor shipping contact +TypeContact_order_supplier_external_CUSTOMER=Vendor contact following-up order Error_COMMANDE_SUPPLIER_ADDON_NotDefined=Costante COMMANDE_SUPPLIER_ADDON non definita Error_COMMANDE_ADDON_NotDefined=Costante COMMANDE_ADDON non definita Error_OrderNotChecked=Nessun ordine da fatturare selezionato # Order modes (how we receive order). Not the "why" are keys stored into dict.lang -OrderByMail=posta +OrderByMail=Posta OrderByFax=Fax -OrderByEMail=E-mail -OrderByWWW=in linea +OrderByEMail=Email +OrderByWWW=Sito OrderByPhone=Telefono # Documents models -PDFEinsteinDescription=Un modello di ordine completo (logo ...) -PDFEratostheneDescription=Un modello di ordine completo (logo ...) -PDFEdisonDescription=Un modello di ordine semplice -PDFProformaDescription=Una fattura proforma completa (logo ...) -CreateInvoiceForThisCustomer=Ordini di fatturazione +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model +PDFEdisonDescription=Un modello semplice per gli ordini +PDFProformaDescription=A complete Proforma invoice template +CreateInvoiceForThisCustomer=Ordini da fatturare NoOrdersToInvoice=Nessun ordine fatturabile -CloseProcessedOrdersAutomatically=Classificare "Elaborato" tutti gli ordini selezionati. -OrderCreation=Creazione dell'ordine +CloseProcessedOrdersAutomatically=Classifica come "Lavorati" tutti gli ordini selezionati +OrderCreation=Creazione di ordine Ordered=Ordinato OrderCreated=I tuoi ordini sono stati creati -OrderFail=Si è verificato un errore durante la creazione degli ordini +OrderFail=C'è stato un errore durante la creazione del tuo ordine CreateOrders=Crea ordini -ToBillSeveralOrderSelectCustomer=Per creare una fattura per più ordini, fai clic prima sul cliente, quindi scegli "%s". -OptionToSetOrderBilledNotEnabled=L'opzione dal modulo Flusso di lavoro, per impostare automaticamente su "Fatturato" quando la fattura è convalidata, non è abilitata, quindi dovrai impostare lo stato degli ordini su "Fatturato" manualmente dopo che la fattura è stata generata. -IfValidateInvoiceIsNoOrderStayUnbilled=Se la convalida della fattura è "No", l'ordine rimarrà nello stato "Non fatturato" fino alla convalida della fattura. -CloseReceivedSupplierOrdersAutomatically=Chiudi l'ordine allo stato "%s" automaticamente se vengono ricevuti tutti i prodotti. -SetShippingMode=Imposta la modalità di spedizione +ToBillSeveralOrderSelectCustomer=Per creare una fattura per ordini multipli, clicca prima sul cliente, poi scegli "%s". +OptionToSetOrderBilledNotEnabled=L'opzione (dal modulo flusso di lavoro) per impostare automaticamente l'ordine su "Fatturato" quando la fattura è convalidata è disattivata, quindi dovrai impostare manualmente lo stato dell'ordine su "Fatturato". +IfValidateInvoiceIsNoOrderStayUnbilled=Se la convalida della fattura è "No", l'ordine rimarrà nello stato "Non fatturato" fino a quando la fattura non sarà convalidata. +CloseReceivedSupplierOrdersAutomatically=Chiudi automaticamente l'ordine come "%s" se tutti i prodotti sono stati ricevuti. +SetShippingMode=Imposta il metodo di spedizione WithReceptionFinished=Con la ricezione terminata #### supplier orders status StatusSupplierOrderCanceledShort=Annullato diff --git a/htdocs/langs/it_IT/other.lang b/htdocs/langs/it_IT/other.lang index 1255065cd19..fae5dee044e 100644 --- a/htdocs/langs/it_IT/other.lang +++ b/htdocs/langs/it_IT/other.lang @@ -1,63 +1,63 @@ # Dolibarr language file - Source file is en_US - other SecurityCode=Codice di sicurezza -NumberingShort=N ° +NumberingShort=N° Tools=Strumenti -TMenuTools=Utensili -ToolsDesc=Tutti gli strumenti non inclusi in altre voci di menu sono raggruppati qui.
Tutti gli strumenti sono accessibili tramite il menu a sinistra. +TMenuTools=Strumenti +ToolsDesc=All tools not included in other menu entries are grouped here.
All the tools can be accessed via the left menu. Birthday=Compleanno -BirthdayDate=Data di nascita +BirthdayDate=Giorno di nascita DateToBirth=Data di nascita BirthdayAlertOn=Attiva avviso compleanni BirthdayAlertOff=Avviso compleanni inattivo TransKey=Traduzione della chiave TransKey -MonthOfInvoice=Mese (numero 1-12) della data della fattura -TextMonthOfInvoice=Mese (testo) della data della fattura -PreviousMonthOfInvoice=Mese precedente (numero 1-12) della data della fattura -TextPreviousMonthOfInvoice=Mese precedente (testo) della data della fattura -NextMonthOfInvoice=Mese successivo (numero 1-12) della data della fattura -TextNextMonthOfInvoice=Mese successivo (testo) della data della fattura -ZipFileGeneratedInto=File zip generato in %s . -DocFileGeneratedInto=File doc generato in %s . -JumpToLogin=Disconnected. Vai alla pagina di accesso ... -MessageForm=Messaggio sul modulo di pagamento online -MessageOK=Messaggio sulla pagina di ritorno per un pagamento convalidato -MessageKO=Messaggio sulla pagina di ritorno per un pagamento annullato -ContentOfDirectoryIsNotEmpty=Il contenuto di questa directory non è vuoto. -DeleteAlsoContentRecursively=Seleziona per eliminare tutto il contenuto in modo ricorsivo +MonthOfInvoice=Month (number 1-12) of invoice date +TextMonthOfInvoice=Month (text) of invoice date +PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date +TextPreviousMonthOfInvoice=Previous month (text) of invoice date +NextMonthOfInvoice=Following month (number 1-12) of invoice date +TextNextMonthOfInvoice=Following month (text) of invoice date +ZipFileGeneratedInto=Archivio zip generato in %s. +DocFileGeneratedInto=Doc file generated into %s. +JumpToLogin=Disconnected. Go to login page... +MessageForm=Message on online payment form +MessageOK=Message on the return page for a validated payment +MessageKO=Message on the return page for a canceled payment +ContentOfDirectoryIsNotEmpty=La directory non è vuota. +DeleteAlsoContentRecursively=Check to delete all content recursively +PoweredBy=Powered by +YearOfInvoice=Year of invoice date +PreviousYearOfInvoice=Previous year of invoice date +NextYearOfInvoice=Following year of invoice date +DateNextInvoiceBeforeGen=Date of next invoice (before generation) +DateNextInvoiceAfterGen=Date of next invoice (after generation) -YearOfInvoice=Anno della data della fattura -PreviousYearOfInvoice=Anno precedente della data della fattura -NextYearOfInvoice=Anno successivo alla data della fattura -DateNextInvoiceBeforeGen=Data della prossima fattura (prima della generazione) -DateNextInvoiceAfterGen=Data della prossima fattura (dopo la generazione) - -Notify_ORDER_VALIDATE=Ordini cliente convalidati -Notify_ORDER_SENTBYMAIL=Ordine cliente inviato per posta -Notify_ORDER_SUPPLIER_SENTBYMAIL=Ordine di acquisto inviato via e-mail -Notify_ORDER_SUPPLIER_VALIDATE=Ordine d'acquisto registrato -Notify_ORDER_SUPPLIER_APPROVE=Ordine di acquisto approvato -Notify_ORDER_SUPPLIER_REFUSE=Ordine d'acquisto rifiutato +Notify_ORDER_VALIDATE=Sales order validated +Notify_ORDER_SENTBYMAIL=Sales order sent by mail +Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email +Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded +Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved +Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused Notify_PROPAL_VALIDATE=proposta convalidata -Notify_PROPAL_CLOSE_SIGNED=Proposta del cliente chiusa firmata -Notify_PROPAL_CLOSE_REFUSED=Proposta del cliente chiusa rifiutata +Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed +Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused Notify_PROPAL_SENTBYMAIL=Proposta inviata per email -Notify_WITHDRAW_TRANSMIT=Ritiro della trasmissione -Notify_WITHDRAW_CREDIT=Prelievo di credito -Notify_WITHDRAW_EMIT=Eseguire il prelievo +Notify_WITHDRAW_TRANSMIT=Invia prelievo +Notify_WITHDRAW_CREDIT=Accredita prelievo +Notify_WITHDRAW_EMIT=Esegui prelievo Notify_COMPANY_CREATE=Creato soggetto terzo -Notify_COMPANY_SENTBYMAIL=Email inviate da una carta di terze parti +Notify_COMPANY_SENTBYMAIL=Email inviate dalla scheda soggetti terzi Notify_BILL_VALIDATE=Convalida fattura attiva Notify_BILL_UNVALIDATE=Ricevuta cliente non convalidata -Notify_BILL_PAYED=Fattura cliente pagata +Notify_BILL_PAYED=Customer invoice paid Notify_BILL_CANCEL=Fattura attiva annullata Notify_BILL_SENTBYMAIL=Fattura attiva inviata per email -Notify_BILL_SUPPLIER_VALIDATE=Fattura fornitore convalidata -Notify_BILL_SUPPLIER_PAYED=Fattura fornitore pagata -Notify_BILL_SUPPLIER_SENTBYMAIL=Fattura fornitore inviata per posta -Notify_BILL_SUPPLIER_CANCELED=Fattura fornitore annullata +Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated +Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid +Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail +Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled Notify_CONTRACT_VALIDATE=Contratto convalidato Notify_FICHINTER_VALIDATE=Intervento convalidato -Notify_FICHINTER_ADD_CONTACT=Aggiunto contatto a Intervento +Notify_FICHINTER_ADD_CONTACT=Contatto aggiunto all'intervento Notify_FICHINTER_SENTBYMAIL=Intervento inviato per posta Notify_SHIPPING_VALIDATE=Spedizione convalidata Notify_SHIPPING_SENTBYMAIL=Spedizione inviata per email @@ -70,60 +70,61 @@ Notify_PROJECT_CREATE=Creazione del progetto Notify_TASK_CREATE=Attività creata Notify_TASK_MODIFY=Attività modificata Notify_TASK_DELETE=Attività cancellata -Notify_EXPENSE_REPORT_VALIDATE=Rapporto spese convalidato (è richiesta l'approvazione) -Notify_EXPENSE_REPORT_APPROVE=Rapporto spese approvato -Notify_HOLIDAY_VALIDATE=Lascia una richiesta convalidata (è richiesta l'approvazione) -Notify_HOLIDAY_APPROVE=Lascia richiesta approvata -SeeModuleSetup=Vedere la configurazione del modulo %s +Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) +Notify_EXPENSE_REPORT_APPROVE=Expense report approved +Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) +Notify_HOLIDAY_APPROVE=Leave request approved +SeeModuleSetup=Vedi la configurazione del modulo %s NbOfAttachedFiles=Numero di file/documenti allegati TotalSizeOfAttachedFiles=Dimensione totale dei file/documenti allegati MaxSize=La dimensione massima è AttachANewFile=Allega un nuovo file/documento LinkedObject=Oggetto collegato -NbOfActiveNotifications=Numero di notifiche (numero di e-mail del destinatario) -PredefinedMailTest=__ (Ciao) __ Questa è una mail di prova inviata a __EMAIL__. Le due linee sono separate da un ritorno a capo. __USER_SIGNATURE__ -PredefinedMailTestHtml=__ (Ciao) __ Questa è una mail di prova (la parola test deve essere in grassetto).
Le due linee sono separate da un ritorno a capo.

__USER_SIGNATURE__ -PredefinedMailContentContract=__ (Ciao) __ __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__ (Ciao) __ Trova la fattura __REF__ allegata __ONLINE_PAYMENT_TEXT_AND_URL__ __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__ (Ciao) __ Ricordiamo che la fattura __REF__ sembra non essere stata pagata. Una copia della fattura è allegata come promemoria. __ONLINE_PAYMENT_TEXT_AND_URL__ __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendProposal=__ (Ciao) __ Si prega di trovare la proposta commerciale __REF__ allegata __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__ (Ciao) __ Si prega di trovare la richiesta di prezzo __REF__ allegata __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendOrder=__ (Ciao) __ Si prega di trovare l'ordine __REF__ allegato __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__ (Ciao) __ Trova il nostro ordine __REF__ allegato __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__ (Salve) __ Si prega di trovare la fattura __REF__ allegata __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendShipping=__ (Ciao) __ Trova la spedizione __REF__ allegata __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__ (Ciao) __ Si prega di trovare l'intervento __REF__ allegato __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentThirdparty=__ (Ciao) __ __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentContact=__ (Ciao) __ __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentUser=__ (Ciao) __ __ (Cordiali saluti) __ __USER_SIGNATURE__ -PredefinedMailContentLink=Puoi fare clic sul link in basso per effettuare il pagamento se non è già stato effettuato. %s -DemoDesc=Dolibarr è un ERP / CRM compatto che supporta numerosi moduli aziendali. Una demo che mostra tutti i moduli non ha senso in quanto questo scenario non si verifica mai (diverse centinaia disponibili). Quindi, sono disponibili diversi profili demo. -ChooseYourDemoProfil=Scegli il profilo demo più adatto alle tue esigenze ... -ChooseYourDemoProfilMore=... o crea il tuo profilo
(selezione manuale del modulo) +NbOfActiveNotifications=Number of notifications (no. of recipient emails) +PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +PredefinedMailContentContract=__(Buongiorno)__\n\n\n__(Cordialmente)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentThirdparty=__(Buongiorno)__\n\n\n__(Cordialmente)__\n\n__USER_SIGNATURE__ +PredefinedMailContentContact=__(Buongiorno)__\n\n\n__(Cordialmente)__\n\n__USER_SIGNATURE__ +PredefinedMailContentUser=__(Buongiorno)__\n\n\n__(Cordialmente)__\n\n__USER_SIGNATURE__ +PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n +DemoDesc=Dolibarr è un ERP/CRM compatto composto di diversi moduli funzionali. Un demo comprendente tutti i moduli non ha alcun senso, perché un caso simile non esiste nella realtà. Sono dunque disponibili diversi profili demo. +ChooseYourDemoProfil=Scegli il profilo demo che corrisponde alla tua attività ... +ChooseYourDemoProfilMore=...or build your own profile
(manual module selection) DemoFundation=Gestisci i membri di una Fondazione DemoFundation2=Gestisci i membri e un conto bancario di una Fondazione -DemoCompanyServiceOnly=Solo società o servizio di vendita indipendente +DemoCompanyServiceOnly=Gestire un'attività freelance di vendita di soli servizi DemoCompanyShopWithCashDesk=Gestire un negozio con una cassa -DemoCompanyProductAndStocks=Azienda che vende prodotti con un negozio -DemoCompanyAll=Azienda con più attività (tutti i moduli principali) +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products +DemoCompanyAll=Gestire una piccola o media azienda con più attività (tutti i moduli principali) CreatedBy=Creato da %s ModifiedBy=Modificato da %s ValidatedBy=Convalidato da %s ClosedBy=Chiuso da %s -CreatedById=ID utente che ha creato -ModifiedById=ID utente che ha apportato l'ultima modifica -ValidatedById=ID utente che ha convalidato -CanceledById=ID utente che ha annullato -ClosedById=ID utente che ha chiuso -CreatedByLogin=Accesso utente che ha creato -ModifiedByLogin=Accesso utente che ha apportato l'ultima modifica -ValidatedByLogin=Accesso utente che ha convalidato -CanceledByLogin=Accesso utente che ha annullato -ClosedByLogin=Accesso utente che ha chiuso +CreatedById=Id utente che ha creato +ModifiedById=Id utente ultima modifica +ValidatedById=Id utente che ha validato +CanceledById=Id utente che ha cancellato +ClosedById=Id utente che ha chiuso +CreatedByLogin=Id utente che ha creato +ModifiedByLogin=Id utente ultima modifica +ValidatedByLogin=Login utente che ha validato +CanceledByLogin=Login utente che ha cancellato +ClosedByLogin=Login utente che ha chiuso FileWasRemoved=Il file è stato eliminato DirWasRemoved=La directory è stata rimossa FeatureNotYetAvailable=Funzionalità non ancora disponibile nella versione corrente -FeaturesSupported=Funzionalità supportate +FeaturesSupported=Caratteristiche supportate Width=Larghezza Height=Altezza Depth=Profondità @@ -134,7 +135,7 @@ Right=Destra CalculatedWeight=Peso calcolato CalculatedVolume=volume calcolato Weight=Peso -WeightUnitton=tonnellata +WeightUnitton=t WeightUnitkg=kg WeightUnitg=g WeightUnitmg=mg @@ -170,45 +171,45 @@ SizeUnitinch=pollice SizeUnitfoot=piede SizeUnitpoint=punto BugTracker=Bug tracker -SendNewPasswordDesc=Questo modulo consente di richiedere una nuova password. Verrà inviato al tuo indirizzo email.
La modifica diventerà effettiva dopo aver fatto clic sul collegamento di conferma nell'e-mail.
Controlla la tua casella di posta. +SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address.
Change will become effective once you click on the confirmation link in the email.
Check your inbox. BackToLoginPage=Torna alla pagina di login -AuthenticationDoesNotAllowSendNewPassword=La modalità di autenticazione è %s .
In questa modalità, Dolibarr non può conoscere né modificare la password.
Contattare l'amministratore di sistema se si desidera modificare la password. -EnableGDLibraryDesc=Installa o abilita la libreria GD sull'installazione di PHP per utilizzare questa opzione. +AuthenticationDoesNotAllowSendNewPassword=La modalità di autenticazione è %s.
In questa modalità Dolibarr non può sapere né cambiare la tua password.
Contatta l'amministratore di sistema se desideri cambiare password. +EnableGDLibraryDesc=Per usare questa opzione bisogna installare o abilitare la libreria GD in PHP. ProfIdShortDesc=Prof ID %s è un dato dipendente dal paese terzo.
Ad esempio, per il paese %s, è il codice %s. DolibarrDemo=Dolibarr ERP/CRM demo -StatsByNumberOfUnits=Statistiche per somma della quantità di prodotti / servizi -StatsByNumberOfEntities=Statistiche in numero di entità referenti (n. Di fattura o ordine ...) -NumberOfProposals=Numero di proposte -NumberOfCustomerOrders=Numero di ordini cliente -NumberOfCustomerInvoices=Numero di fatture cliente -NumberOfSupplierProposals=Numero di proposte del fornitore -NumberOfSupplierOrders=Numero di ordini di acquisto -NumberOfSupplierInvoices=Numero di fatture fornitore -NumberOfContracts=Numero di contratti -NumberOfUnitsProposals=Numero di unità su proposta -NumberOfUnitsCustomerOrders=Numero di unità sugli ordini cliente -NumberOfUnitsCustomerInvoices=Numero di unità nelle fatture cliente -NumberOfUnitsSupplierProposals=Numero di unità su proposte del fornitore -NumberOfUnitsSupplierOrders=Numero di unità sugli ordini di acquisto -NumberOfUnitsSupplierInvoices=Numero di unità nelle fatture del fornitore -NumberOfUnitsContracts=Numero di unità sui contratti -EMailTextInterventionAddedContact=Un nuovo intervento %s ti è stato assegnato. +StatsByNumberOfUnits=Statistics for sum of qty of products/services +StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +NumberOfProposals=Numero di preventivi +NumberOfCustomerOrders=Number of sales orders +NumberOfCustomerInvoices=Numero di ordini fornitore +NumberOfSupplierProposals=Number of vendor proposals +NumberOfSupplierOrders=Number of purchase orders +NumberOfSupplierInvoices=Number of vendor invoices +NumberOfContracts=Number of contracts +NumberOfUnitsProposals=Number of units on proposals +NumberOfUnitsCustomerOrders=Number of units on sales orders +NumberOfUnitsCustomerInvoices=Number of units on customer invoices +NumberOfUnitsSupplierProposals=Number of units on vendor proposals +NumberOfUnitsSupplierOrders=Number of units on purchase orders +NumberOfUnitsSupplierInvoices=Number of units on vendor invoices +NumberOfUnitsContracts=Number of units on contracts +EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. EMailTextInterventionValidated=Intervento %s convalidato -EMailTextInvoiceValidated=La fattura %s è stata convalidata. -EMailTextInvoicePayed=La fattura %s è stata pagata. -EMailTextProposalValidated=La proposta %s è stata convalidata. -EMailTextProposalClosedSigned=La proposta %s è stata chiusa e firmata. -EMailTextOrderValidated=L'ordine %s è stato convalidato. -EMailTextOrderApproved=L'ordine %s è stato approvato. -EMailTextOrderValidatedBy=L'ordine %s è stato registrato da %s. -EMailTextOrderApprovedBy=L'ordine %s è stato approvato da %s. -EMailTextOrderRefused=L'ordine %s è stato rifiutato. -EMailTextOrderRefusedBy=L'ordine %s è stato rifiutato da %s. -EMailTextExpeditionValidated=La spedizione %s è stata convalidata. -EMailTextExpenseReportValidated=Il rapporto spese %s è stato convalidato. -EMailTextExpenseReportApproved=Il rapporto di spesa %s è stato approvato. -EMailTextHolidayValidated=Invia richiesta %s è stata convalidata. -EMailTextHolidayApproved=Invia richiesta %s è stata approvata. +EMailTextInvoiceValidated=Invoice %s has been validated. +EMailTextInvoicePayed=Invoice %s has been paid. +EMailTextProposalValidated=Proposal %s has been validated. +EMailTextProposalClosedSigned=Proposal %s has been closed signed. +EMailTextOrderValidated=Order %s has been validated. +EMailTextOrderApproved=Order %s has been approved. +EMailTextOrderValidatedBy=Order %s has been recorded by %s. +EMailTextOrderApprovedBy=Order %s has been approved by %s. +EMailTextOrderRefused=Order %s has been refused. +EMailTextOrderRefusedBy=Order %s has been refused by %s. +EMailTextExpeditionValidated=Shipping %s has been validated. +EMailTextExpenseReportValidated=Expense report %s has been validated. +EMailTextExpenseReportApproved=Expense report %s has been approved. +EMailTextHolidayValidated=Leave request %s has been validated. +EMailTextHolidayApproved=Leave request %s has been approved. ImportedWithSet=Set dati importazione DolibarrNotification=Notifica automatica ResizeDesc=Ridimesiona con larghezza o altezza nuove. Il ridimensionamento è proporzionale, il rapporto tra le due dimenzioni verrà mantenuto. @@ -216,7 +217,7 @@ NewLength=Nuovo larghezza NewHeight=Nuova altezza NewSizeAfterCropping=Nuovo formato dopo il ritaglio DefineNewAreaToPick=Definisci una nuova area della foto da scegliere (clicca sull'immagine e trascina fino a raggiungere l'angolo opposto) -CurrentInformationOnImage=Questo strumento è stato progettato per aiutarti a ridimensionare o ritagliare un'immagine. Queste sono le informazioni sull'immagine modificata corrente +CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image ImageEditor=Editor per le immagini YouReceiveMailBecauseOfNotification=Ricevi messaggio perché il tuo indirizzo email è compreso nella lista dei riceventi per informazioni su eventi particolari in un software di %s %s. YouReceiveMailBecauseOfNotification2=L'evento è il seguente: @@ -230,46 +231,46 @@ CancelUpload=Annulla caricamento FileIsTooBig=File troppo grande PleaseBePatient=Attendere, prego... NewPassword=Nuova password -ResetPassword=Resetta la password -RequestToResetPasswordReceived=È stata ricevuta una richiesta di modifica della password. -NewKeyIs=Queste sono le tue nuove chiavi per accedere -NewKeyWillBe=Sarà la tua nuova chiave per accedere al software +ResetPassword=Reset password +RequestToResetPasswordReceived=E' stata ricevuta una rischiesta di modifica della tua password +NewKeyIs=Queste sono le tue nuove credenziali di accesso +NewKeyWillBe=Le tue nuove credenziali per loggare al software sono ClickHereToGoTo=Clicca qui per andare a %s -YouMustClickToChange=Tuttavia, è necessario prima fare clic sul seguente collegamento per convalidare la modifica della password -ForgetIfNothing=Se non hai richiesto questa modifica, dimentica questa e-mail. Le tue credenziali sono al sicuro. -IfAmountHigherThan=Se importo superiore a %s -SourcesRepository=Deposito per fonti +YouMustClickToChange=Devi cliccare sul seguente link per validare il cambio della password +ForgetIfNothing=Se non hai richiesto questo cambio, lascia perdere questa mail. Le tue credenziali sono mantenute al sicuro. +IfAmountHigherThan=Se l'importo è superiore a %s +SourcesRepository=Repository for sources Chart=Grafico -PassEncoding=Codifica password -PermissionsAdd=Autorizzazioni aggiunte -PermissionsDelete=Autorizzazioni rimosse -YourPasswordMustHaveAtLeastXChars=La password deve contenere almeno %s caratteri -YourPasswordHasBeenReset=La tua password è stata ripristinata correttamente -ApplicantIpAddress=Indirizzo IP del richiedente -SMSSentTo=SMS inviato a %s -MissingIds=ID mancanti -ThirdPartyCreatedByEmailCollector=Terze parti create dal raccoglitore di e-mail dall'e-mail MSGID %s -ContactCreatedByEmailCollector=Contatto / indirizzo creato dal raccoglitore e-mail dall'e-mail MSGID %s -ProjectCreatedByEmailCollector=Progetto creato dal raccoglitore di e-mail dall'e-mail MSGID %s -TicketCreatedByEmailCollector=Biglietto creato dal raccoglitore di e-mail dall'e-mail MSGID %s +PassEncoding=Codifica Password +PermissionsAdd=Permessi aggiunti +PermissionsDelete=Permessi rimossi +YourPasswordMustHaveAtLeastXChars=La tua password deve contenere almeno %scaratteri +YourPasswordHasBeenReset=Your password has been reset successfully +ApplicantIpAddress=IP address of applicant +SMSSentTo=SMS sent to %s +MissingIds=Missing ids +ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s +ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s +ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s +TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s OpeningHoursFormatDesc=Utilizzare - per separare gli orari di apertura e chiusura.
Utilizzare uno spazio per inserire intervalli diversi.
Esempio: 8-12 14-18 ##### Export ##### ExportsArea=Area esportazioni AvailableFormats=Formati disponibili -LibraryUsed=Biblioteca utilizzata -LibraryVersion=Versione della biblioteca +LibraryUsed=Libreria usata +LibraryVersion=Versione libreria ExportableDatas=Dati Esportabili NoExportableData=Nessun dato esportabile (nessun modulo con dati esportabili attivo o autorizzazioni mancanti) ##### External sites ##### -WebsiteSetup=Installazione del sito Web del modulo -WEBSITE_PAGEURL=URL della pagina +WebsiteSetup=Impostazioni modulo Website +WEBSITE_PAGEURL=Indirizzo URL della pagina WEBSITE_TITLE=Titolo WEBSITE_DESCRIPTION=Descrizione -WEBSITE_IMAGE=Immagine -WEBSITE_IMAGEDesc=Percorso relativo del supporto immagine. Puoi tenerlo vuoto poiché raramente viene utilizzato (può essere utilizzato da contenuti dinamici per mostrare un'anteprima di un elenco di post di blog). -WEBSITE_KEYWORDS=parole -LinesToImport=Linee da importare +WEBSITE_IMAGE=Image +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. +WEBSITE_KEYWORDS=Parole chiave +LinesToImport=Righe da importare -MemoryUsage=Utilizzo della memoria -RequestDuration=Durata della richiesta +MemoryUsage=Memory usage +RequestDuration=Duration of request diff --git a/htdocs/langs/it_IT/paybox.lang b/htdocs/langs/it_IT/paybox.lang index 8754a718ebe..83b4b081dbc 100644 --- a/htdocs/langs/it_IT/paybox.lang +++ b/htdocs/langs/it_IT/paybox.lang @@ -3,19 +3,19 @@ PayBoxSetup=Impostazioni modulo Paybox PayBoxDesc=Questo modulo offre pagine per consentire il pagamento attraverso Paybox da parte dei clienti. Può essere usato per un pagamento qualsiasi o per il pagamento di specifici oggetti Dolibarr (fattura, ordine, ...) FollowingUrlAreAvailableToMakePayments=Puoi utilizzare i seguenti indirizzi per permettere ai clienti di effettuare pagamenti su Dolibarr PaymentForm=Forma di pagamento -WelcomeOnPaymentPage=Benvenuti nel nostro servizio di pagamento online +WelcomeOnPaymentPage=Welcome to our online payment service ThisScreenAllowsYouToPay=Questa schermata consente di effettuare un pagamento online su %s. ThisIsInformationOnPayment=Informazioni sul pagamento da effettuare ToComplete=Per completare YourEMail=Email per la conferma del pagamento Creditor=Creditore PaymentCode=Codice pagamento -PayBoxDoPayment=Paga con Paybox +PayBoxDoPayment=Pay with Paybox YouWillBeRedirectedOnPayBox=Verrai reindirizzato alla pagina sicura di Paybox per inserire le informazioni della carta di credito. Continue=Successivo -SetupPayBoxToHavePaymentCreatedAutomatically=Configura la tua Paybox con l'URL %s per fare in modo che il pagamento venga creato automaticamente quando convalidato da Paybox. +SetupPayBoxToHavePaymentCreatedAutomatically=Setup your Paybox with url %s to have payment created automatically when validated by Paybox. YourPaymentHasBeenRecorded=Il pagamento è stato registrato. Grazie. -YourPaymentHasNotBeenRecorded=Il tuo pagamento NON è stato registrato e la transazione è stata annullata. Grazie. +YourPaymentHasNotBeenRecorded=Your payment has NOT been recorded and the transaction has been canceled. Thank you. AccountParameter=Dati account UsageParameter=Parametri d'uso InformationToFindParameters=Aiuto per trovare informazioni sul tuo account %s @@ -23,9 +23,9 @@ PAYBOX_CGI_URL_V2=URL del modulo CGI di Paybox per il pagamento VendorName=Nome del venditore CSSUrlForPaymentForm=URL del foglio di stile CSS per il modulo di pagamento NewPayboxPaymentReceived=Nuovo pagamento Paybox ricevuto -NewPayboxPaymentFailed=Nuovo pagamento Paybox provato ma non riuscito -PAYBOX_PAYONLINE_SENDEMAIL=Notifica e-mail dopo il tentativo di pagamento (esito positivo o negativo) -PAYBOX_PBX_SITE=Valore per SITO PBX +NewPayboxPaymentFailed=Nuovo tentativo di pagamento Paybox ma fallito +PAYBOX_PAYONLINE_SENDEMAIL=Email notification after payment attempt (success or fail) +PAYBOX_PBX_SITE=Valore per PBX SITE PAYBOX_PBX_RANG=Valore per PBX Rang -PAYBOX_PBX_IDENTIFIANT=Valore per ID PBX -PAYBOX_HMAC_KEY=Chiave HMAC +PAYBOX_PBX_IDENTIFIANT=Valore per PBX ID +PAYBOX_HMAC_KEY=HMAC key diff --git a/htdocs/langs/it_IT/printing.lang b/htdocs/langs/it_IT/printing.lang index 2c06d45e16a..6cae5982166 100644 --- a/htdocs/langs/it_IT/printing.lang +++ b/htdocs/langs/it_IT/printing.lang @@ -27,7 +27,7 @@ GCP_OwnerName=Nome del proprietario GCP_State=Stato della stampante GCP_connectionStatus=Online State GCP_Type=Tipo di stampante -PrintIPPDesc=Questo modulo aggiunge un pulsante per la stampa diretta dei documenti. Funziona solo su Linux con sistema di stampa CUPS. +PrintIPPDesc=Questo modulo aggiunge un pulsante per la stampa diretta dei documenti. Funziona solo su Linux con sistema di stampa CUPS. PRINTIPP_HOST=Server di stampa PRINTIPP_PORT=Porta PRINTIPP_USER=Login @@ -49,4 +49,6 @@ DirectPrintingJobsDesc=Questa pagina elenca i processi di stampa attivi per le s GoogleAuthNotConfigured=Google OAuth setup not done. Enable module OAuth and set a Google ID/Secret. GoogleAuthConfigured=Google OAuth credentials were found into setup of module OAuth. PrintingDriverDescprintgcp=Credenziali per la stampa con Google Cloud Print. +PrintingDriverDescprintipp=Variabili di configurazione per la stampa di tazze driver. PrintTestDescprintgcp=Lista delle stampanti Google Cloud Print. +PrintTestDescprintipp=Elenco di stampanti per tazze. diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang index e99cb39f575..583802c6bfc 100644 --- a/htdocs/langs/it_IT/products.lang +++ b/htdocs/langs/it_IT/products.lang @@ -1,178 +1,178 @@ # Dolibarr language file - Source file is en_US - products -ProductRef=Rif. Prodotto -ProductLabel=Etichetta del prodotto -ProductLabelTranslated=Etichetta del prodotto tradotta -ProductDescription=Descrizione del prodotto -ProductDescriptionTranslated=Descrizione del prodotto tradotta -ProductNoteTranslated=Nota sul prodotto tradotta -ProductServiceCard=Scheda prodotti / servizi +ProductRef=Rif. prodotto +ProductLabel=Etichetta prodotto +ProductLabelTranslated=Etichetta del prodotto tradotto +ProductDescription=Product description +ProductDescriptionTranslated=Descrizione del prodotto tradotto +ProductNoteTranslated=Tradotto nota prodotto +ProductServiceCard=Scheda Prodotti/servizi TMenuProducts=Prodotti TMenuServices=Servizi Products=Prodotti Services=Servizi Product=Prodotto Service=Servizio -ProductId=ID prodotto / servizio -Create=Creare +ProductId=ID Prodotto/servizio +Create=Crea Reference=Riferimento NewProduct=Nuovo prodotto NewService=Nuovo servizio -ProductVatMassChange=Aggiornamento IVA globale -ProductVatMassChangeDesc=Questo strumento aggiorna l'aliquota IVA definita su TUTTI i prodotti e servizi! -MassBarcodeInit=Iniz. Codice a barre di massa -MassBarcodeInitDesc=Questa pagina può essere utilizzata per inizializzare un codice a barre su oggetti per i quali non è stato definito un codice a barre. Controllare prima che l'installazione del codice a barre del modulo sia completa. +ProductVatMassChange=Global VAT Update +ProductVatMassChangeDesc=This tool updates the VAT rate defined on ALL products and services! +MassBarcodeInit=Inizializzazione di massa dei codici a barre +MassBarcodeInitDesc=Questa pagina può essere usata per inizializzare un codice a barre di un oggetto che non ha ancora un codice a barre definito. Controlla prima che il setup del modulo Codici a barre sia completo. ProductAccountancyBuyCode=Codice contabile (acquisto) ProductAccountancySellCode=Codice contabile (vendita) ProductAccountancySellIntraCode=Codice contabile (vendita intracomunitaria) -ProductAccountancySellExportCode=Codice contabile (vendita esportazione) +ProductAccountancySellExportCode=Codice contabile (vendita per esportazione) ProductOrService=Prodotto o servizio -ProductsAndServices=Prodotti e servizi +ProductsAndServices=Prodotti e Servizi ProductsOrServices=Prodotti o servizi ProductsPipeServices=Prodotti | Servizi ProductsOnSale=Prodotti in vendita -ProductsOnPurchase=Prodotti per l'acquisto -ProductsOnSaleOnly=Prodotti in vendita solo -ProductsOnPurchaseOnly=Prodotti solo per l'acquisto -ProductsNotOnSell=Prodotti non in vendita e non per l'acquisto -ProductsOnSellAndOnBuy=Prodotti in vendita e per l'acquisto +ProductsOnPurchase=Prodotti per l'acquisto +ProductsOnSaleOnly=Prodotti solo vendibili +ProductsOnPurchaseOnly=Prodotti solo acquistabili +ProductsNotOnSell=Prodotti non vendibili nè acquistabili +ProductsOnSellAndOnBuy=Prodotti vendibili ed acquistabili ServicesOnSale=Servizi in vendita -ServicesOnPurchase=Servizi per l'acquisto -ServicesOnSaleOnly=Servizi solo in vendita -ServicesOnPurchaseOnly=Servizi solo per l'acquisto -ServicesNotOnSell=Servizi non in vendita e non per acquisto -ServicesOnSellAndOnBuy=Servizi in vendita e per acquisto -LastModifiedProductsAndServices=Ultimi %s prodotti / servizi modificati -LastRecordedProducts=Ultimi prodotti registrati %s -LastRecordedServices=Ultimi servizi registrati %s +ServicesOnPurchase=Servizi per l'acquisto +ServicesOnSaleOnly=Servizi solo vendibili +ServicesOnPurchaseOnly=Servizi solo acquistabili +ServicesNotOnSell=Servizi non vendibili nè acquistabili +ServicesOnSellAndOnBuy=Servizi vendibili ed acquistabili +LastModifiedProductsAndServices=Ultimi %s prodotti/servizi modificati +LastRecordedProducts=Ultimi %s prodotti registrati +LastRecordedServices=Ultimi %s servizi registrati CardProduct0=Prodotto CardProduct1=Servizio -Stock=Azione -MenuStocks=riserve -Stocks=Scorte e posizione (magazzino) dei prodotti -Movements=movimenti -Sell=Vendere -Buy=Acquista +Stock=Scorte +MenuStocks=Scorte +Stocks=Stocks and location (warehouse) of products +Movements=Movimenti +Sell=Vendi +Buy=Purchase OnSell=In vendita -OnBuy=Per l'acquisto +OnBuy=In acquisto NotOnSell=Non in vendita ProductStatusOnSell=In vendita ProductStatusNotOnSell=Non in vendita ProductStatusOnSellShort=In vendita ProductStatusNotOnSellShort=Non in vendita -ProductStatusOnBuy=Per l'acquisto -ProductStatusNotOnBuy=Non per l'acquisto -ProductStatusOnBuyShort=Per l'acquisto -ProductStatusNotOnBuyShort=Non per l'acquisto -UpdateVAT=Aggiorna IVA -UpdateDefaultPrice=Aggiorna il prezzo predefinito -UpdateLevelPrices=Aggiorna i prezzi per ogni livello -AppliedPricesFrom=Applicato da +ProductStatusOnBuy=Acquistabile +ProductStatusNotOnBuy=Da non acquistare +ProductStatusOnBuyShort=Acquistabile +ProductStatusNotOnBuyShort=Obsoleto +UpdateVAT=Aggiorna iva +UpdateDefaultPrice=Aggiornamento prezzo predefinito +UpdateLevelPrices=Aggiorna prezzi per ogni livello +AppliedPricesFrom=Applied from SellingPrice=Prezzo di vendita -SellingPriceHT=Prezzo di vendita (IVA esclusa) -SellingPriceTTC=Prezzo di vendita (tasse incluse) -SellingMinPriceTTC=Prezzo minimo di vendita (tasse incluse) -CostPriceDescription=Questo campo di prezzo (IVA esclusa) può essere utilizzato per archiviare l'importo medio che questo prodotto costa alla tua azienda. Può essere qualsiasi prezzo calcolato dall'utente, ad esempio dal prezzo medio di acquisto più il costo medio di produzione e distribuzione. +SellingPriceHT=Selling price (excl. tax) +SellingPriceTTC=Prezzo di vendita (inclusa IVA) +SellingMinPriceTTC=Minimum Selling price (inc. tax) +CostPriceDescription=This price field (excl. tax) can be used to store the average amount this product costs to your company. It may be any price you calculate yourself, for example from the average buying price plus average production and distribution cost. CostPriceUsage=Questo valore può essere utilizzato per il calcolo del margine. -SoldAmount=Importo venduto -PurchasedAmount=Importo acquistato +SoldAmount=Quantità venduta +PurchasedAmount=Quantità acquistata NewPrice=Nuovo prezzo -MinPrice=Min. prezzo di vendita -EditSellingPriceLabel=Modifica etichetta prezzo di vendita -CantBeLessThanMinPrice=Il prezzo di vendita non può essere inferiore al minimo consentito per questo prodotto (%s senza tasse). Questo messaggio può apparire anche se si digita uno sconto troppo importante. +MinPrice=Min. sell price +EditSellingPriceLabel=Modifica l'etichetta del prezzo di vendita +CantBeLessThanMinPrice=Il prezzo di vendita non può essere inferiore al minimo consentito per questo prodotto ( %s IVA esclusa) ContractStatusClosed=Chiuso ErrorProductAlreadyExists=Un prodotto con riferimento %s esiste già. -ErrorProductBadRefOrLabel=Valore errato per riferimento o etichetta. -ErrorProductClone=Si è verificato un problema durante il tentativo di clonare il prodotto o il servizio. +ErrorProductBadRefOrLabel=Il valore di riferimento o l'etichetta è sbagliato. +ErrorProductClone=Si è verificato un problema cercando di cuplicare il prodotto o servizio ErrorPriceCantBeLowerThanMinPrice=Errore, il prezzo non può essere inferiore al prezzo minimo. -Suppliers=I venditori -SupplierRef=Codice fornitore -ShowProduct=Mostra prodotto -ShowService=Mostra servizio +Suppliers=Fornitori +SupplierRef=Vendor SKU +ShowProduct=Visualizza prodotto +ShowService=Visualizza servizio ProductsAndServicesArea=Area prodotti e servizi ProductsArea=Area prodotti ServicesArea=Area servizi -ListOfStockMovements=Elenco dei movimenti delle scorte -BuyingPrice=Prezzo d'acquisto +ListOfStockMovements=Elenco movimenti di magazzino +BuyingPrice=Prezzo di acquisto PriceForEachProduct=Prodotti con prezzi specifici -SupplierCard=Carta del venditore +SupplierCard=Vendor card PriceRemoved=Prezzo rimosso BarCode=Codice a barre BarcodeType=Tipo di codice a barre -SetDefaultBarcodeType=Imposta il tipo di codice a barre -BarcodeValue=Valore del codice a barre +SetDefaultBarcodeType=Imposta tipo di codice a barre +BarcodeValue=Valore codice a barre NoteNotVisibleOnBill=Nota (non visibile su fatture, proposte ...) -ServiceLimitedDuration=Se il prodotto è un servizio con durata limitata: -MultiPricesAbility=Più segmenti di prezzo per prodotto / servizio (ogni cliente è in un segmento di prezzo) -MultiPricesNumPrices=Numero di prezzi -AssociatedProductsAbility=Attiva prodotti virtuali (kit) +ServiceLimitedDuration=Se il prodotto è un servizio di durata limitata: +MultiPricesAbility=Multiple price segments per product/service (each customer is in one price segment) +MultiPricesNumPrices=Numero di prezzi per il multi-prezzi +AssociatedProductsAbility=Attiva i prodotti virtuali (kits) AssociatedProducts=Prodotti virtuali -AssociatedProductsNumber=Numero di prodotti che compongono questo prodotto virtuale -ParentProductsNumber=Numero del prodotto di imballaggio principale +AssociatedProductsNumber=Numero di prodotti associati +ParentProductsNumber=Numero di prodotti associati che includono questo sottoprodotto ParentProducts=Prodotti genitore -IfZeroItIsNotAVirtualProduct=Se 0, questo prodotto non è un prodotto virtuale -IfZeroItIsNotUsedByVirtualProduct=Se 0, questo prodotto non è utilizzato da nessun prodotto virtuale -KeywordFilter=Filtro per parole chiave +IfZeroItIsNotAVirtualProduct=Se 0, questo non è un prodotto virtuale +IfZeroItIsNotUsedByVirtualProduct=Se 0, questo prodotto non è usata da alcun prodotto virtuale +KeywordFilter=Filtro per parola chiave CategoryFilter=Filtro categoria ProductToAddSearch=Cerca prodotto da aggiungere -NoMatchFound=Nessuna corrispondenza trovata -ListOfProductsServices=Elenco di prodotti / servizi -ProductAssociationList=Elenco di prodotti / servizi che sono componenti di questo prodotto / kit virtuale -ProductParentList=Elenco di prodotti / servizi virtuali con questo prodotto come componente -ErrorAssociationIsFatherOfThis=Uno dei prodotti selezionati è genitore con il prodotto corrente -DeleteProduct=Elimina un prodotto / servizio -ConfirmDeleteProduct=Sei sicuro di voler eliminare questo prodotto / servizio? -ProductDeleted=Prodotto / servizio "%s" eliminato dal database. -ExportDataset_produit_1=Prodotti +NoMatchFound=Nessun risultato trovato +ListOfProductsServices=Elenco prodotti/servizi +ProductAssociationList=List of products/services that are component(s) of this virtual product/kit +ProductParentList=Elenco dei prodotti/servizi comprendenti questo prodotto +ErrorAssociationIsFatherOfThis=Uno dei prodotti selezionati è padre dell'attuale prodotto +DeleteProduct=Elimina un prodotto/servizio +ConfirmDeleteProduct=Vuoi davvero eliminare questo prodotto/servizio? +ProductDeleted=Prodotto/servizio "%s" eliminato dal database. +ExportDataset_produit_1=Prodotti e servizi ExportDataset_service_1=Servizi ImportDataset_produit_1=Prodotti ImportDataset_service_1=Servizi -DeleteProductLine=Elimina la linea di prodotti -ConfirmDeleteProductLine=Sei sicuro di voler eliminare questa linea di prodotti? -ProductSpecial=Speciale -QtyMin=Min. quantità d'acquisto -PriceQtyMin=Prezzo quantità min. -PriceQtyMinCurrency=Prezzo (valuta) per questa quantità. (senza sconto) -VATRateForSupplierProduct=Aliquota IVA (per questo fornitore / prodotto) -DiscountQtyMin=Sconto per questa quantità. -NoPriceDefinedForThisSupplier=Nessun prezzo / qtà definito per questo fornitore / prodotto -NoSupplierPriceDefinedForThisProduct=Nessun prezzo / qtà fornitore definito per questo prodotto -PredefinedProductsToSell=Prodotto predefinito -PredefinedServicesToSell=Servizio predefinito -PredefinedProductsAndServicesToSell=Prodotti / servizi predefiniti da vendere -PredefinedProductsToPurchase=Prodotto predefinito da acquistare -PredefinedServicesToPurchase=Servizi predefiniti da acquistare -PredefinedProductsAndServicesToPurchase=Prodotti / servizi predefiniti da acquistare -NotPredefinedProducts=Prodotti / servizi non predefiniti -GenerateThumb=Genera pollice +DeleteProductLine=Elimina linea di prodotti +ConfirmDeleteProductLine=Vuoi davvero cancellare questa linea di prodotti? +ProductSpecial=Prodotto speciale +QtyMin=Min. purchase quantity +PriceQtyMin=Price quantity min. +PriceQtyMinCurrency=Price (currency) for this qty. (no discount) +VATRateForSupplierProduct=VAT Rate (for this vendor/product) +DiscountQtyMin=Discount for this qty. +NoPriceDefinedForThisSupplier=No price/qty defined for this vendor/product +NoSupplierPriceDefinedForThisProduct=No vendor price/qty defined for this product +PredefinedProductsToSell=Predefined Product +PredefinedServicesToSell=Predefined Service +PredefinedProductsAndServicesToSell=Prodotti/servizi predefiniti per la vendita +PredefinedProductsToPurchase=Prodotti predefiniti per l'acquisto +PredefinedServicesToPurchase=Servizi predefiniti per l'acquisto +PredefinedProductsAndServicesToPurchase=Prodotti/servizi predefiniti per l'acquisto +NotPredefinedProducts=Nessun prodotto/servizio predefinito +GenerateThumb=Genera miniatura ServiceNb=Servizio # %s -ListProductServiceByPopularity=Elenco di prodotti / servizi per popolarità +ListProductServiceByPopularity=Elenco dei prodotti/servizi per popolarità ListProductByPopularity=Elenco dei prodotti per popolarità ListServiceByPopularity=Elenco dei servizi per popolarità -Finished=Prodotto prodotto -RowMaterial=Materiale grezzo -ConfirmCloneProduct=Vuoi clonare il prodotto o il servizio %s ? -CloneContentProduct=Clonare tutte le informazioni principali sul prodotto / servizio -ClonePricesProduct=Prezzi di clonazione +Finished=Prodotto creato +RowMaterial=Materia prima +ConfirmCloneProduct=Vuoi davvero clonare il prodotto / servizio %s ? +CloneContentProduct=Clona tutte le principali informazioni del prodotto/servizio +ClonePricesProduct=Clona prezzi CloneCategoriesProduct=Clona tag / categorie collegate -CloneCompositionProduct=Clona prodotto / servizio virtuale -CloneCombinationsProduct=Clonare varianti di prodotto -ProductIsUsed=Questo prodotto è usato -NewRefForClone=Ref. di nuovo prodotto / servizio +CloneCompositionProduct=Clone virtual product/service +CloneCombinationsProduct=Clona varianti di prodotto +ProductIsUsed=Questo prodotto è in uso +NewRefForClone=Rif. del nuovo prodotto/servizio SellingPrices=Prezzi di vendita -BuyingPrices=Prezzi d'acquisto -CustomerPrices=Prezzi per i clienti -SuppliersPrices=Prezzi del venditore -SuppliersPricesOfProductsOrServices=Prezzi del fornitore (di prodotti o servizi) -CustomCode=Codice doganale / merceologico / SA +BuyingPrices=Prezzi di acquisto +CustomerPrices=Prezzi di vendita +SuppliersPrices=Prezzi fornitore +SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) +CustomCode=Customs / Commodity / HS code CountryOrigin=Paese di origine -Nature=Natura del prodotto (materiale / finito) -ShortLabel=Etichetta corta +Nature=Nature of produt (material/finished) +ShortLabel=Etichetta breve Unit=Unità p=u. -set=impostato -se=impostato +set=set +se=set second=secondo -s=S +s=s hour=ora h=h day=giorno @@ -189,23 +189,23 @@ m3=m³ liter=litro l=L unitP=Pezzo -unitSET=Impostato +unitSET=Impostare unitS=Secondo unitH=Ora unitD=Giorno unitG=Grammo -unitM=metro +unitM=Metro unitLM=Metro lineare unitM2=Metro quadro unitM3=Metro cubo unitL=Litro unitT=ton -unitKG=kg +unitKG=Kilogrammo unitG=Grammo unitMG=mg unitLB=pound unitOZ=oncia -unitM=metro +unitM=Metro unitDM=dm unitCM=cm unitMM=mm @@ -225,91 +225,91 @@ unitFT3=ft³ unitIN3=in³ unitOZ3=oncia unitgallon=gallone -ProductCodeModel=Modello di riferimento del prodotto -ServiceCodeModel=Modello di riferimento del servizio -CurrentProductPrice=Prezzo attuale -AlwaysUseNewPrice=Utilizzare sempre il prezzo corrente del prodotto / servizio -AlwaysUseFixedPrice=Usa il prezzo fisso -PriceByQuantity=Prezzi diversi per quantità -DisablePriceByQty=Disabilita i prezzi per quantità -PriceByQuantityRange=Intervallo di quantità +ProductCodeModel=Template di rif. prodotto +ServiceCodeModel=Template di rif. servizio +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=Disabilitare i prezzi per quantità +PriceByQuantityRange=Intervallo della quantità MultipriceRules=Regole del segmento di prezzo -UseMultipriceRules=Utilizzare le regole del segmento di prezzo (definite nella configurazione del modulo del prodotto) per calcolare automaticamente i prezzi di tutti gli altri segmenti in base al primo segmento -PercentVariationOver=%% variazione su %s -PercentDiscountOver=%% sconto su %s -KeepEmptyForAutoCalculation=Tenere vuoto per fare in modo che questo venga calcolato automaticamente dal peso o dal volume dei prodotti -VariantRefExample=Esempi: COL, MISURA -VariantLabelExample=Esempi: Colore, Dimensioni +UseMultipriceRules=Utilizza le regole del segmento di prezzo (definite nell'impostazione del modulo del prodotto) per autocalcolare i prezzi di tutti gli altri segmenti in base al primo segmento +PercentVariationOver=variazione %% su %s +PercentDiscountOver=sconto %% su %s +KeepEmptyForAutoCalculation=Lasciare libero se si vuole calcolare automaticamente da peso o volume del prodotto +VariantRefExample=Esempio: COL +VariantLabelExample=Esempio: Colore ### composition fabrication -Build=Produrre +Build=Produci ProductsMultiPrice=Prodotti e prezzi per ogni segmento di prezzo -ProductsOrServiceMultiPrice=Prezzi dei clienti (di prodotti o servizi, prezzi multipli) -ProductSellByQuarterHT=Fatturato dei prodotti trimestrale al lordo delle imposte -ServiceSellByQuarterHT=Fatturato dei servizi trimestrale al lordo delle imposte -Quarter1=1 °. Trimestre -Quarter2=2 °. Trimestre -Quarter3=3 °. Trimestre -Quarter4=4 °. Trimestre +ProductsOrServiceMultiPrice=I prezzi dei clienti (di prodotti o servizi, multi-prezzi) +ProductSellByQuarterHT=Prodotti fatturato trimestrale ante imposte +ServiceSellByQuarterHT=Servizi fatturato trimestrale ante imposte +Quarter1=Primo trimestre +Quarter2=Secondo trimestre +Quarter3=Terzo trimestre +Quarter4=Quarto trimestre BarCodePrintsheet=Stampa codice a barre -PageToGenerateBarCodeSheets=Con questo strumento, è possibile stampare fogli di adesivi con codici a barre. Scegli il formato della pagina dell'autoadesivo, il tipo di codice a barre e il valore del codice a barre, quindi fai clic sul pulsante %s . -NumberOfStickers=Numero di adesivi da stampare sulla pagina -PrintsheetForOneBarCode=Stampa diversi adesivi per un codice a barre +PageToGenerateBarCodeSheets=With this tool, you can print sheets of barcode stickers. Choose format of your sticker page, type of barcode and value of barcode, then click on button %s. +NumberOfStickers=Numero di etichette da stampare sulla pagina +PrintsheetForOneBarCode=Stampa più etichette per singolo codice a barre BuildPageToPrint=Genera pagina da stampare -FillBarCodeTypeAndValueManually=Inserisci manualmente il tipo e il valore del codice a barre. -FillBarCodeTypeAndValueFromProduct=Inserisci il tipo di codice a barre e il valore dal codice a barre di un prodotto. -FillBarCodeTypeAndValueFromThirdParty=Inserisci il tipo di codice a barre e il valore dal codice a barre di una terza parte. -DefinitionOfBarCodeForProductNotComplete=La definizione del tipo o del valore del codice a barre non è completa per il prodotto %s. -DefinitionOfBarCodeForThirdpartyNotComplete=Definizione del tipo o valore del codice a barre non completo per terze parti %s. -BarCodeDataForProduct=Informazioni sul codice a barre del prodotto %s: -BarCodeDataForThirdparty=Informazioni sul codice a barre di terze parti %s: -ResetBarcodeForAllRecords=Definire il valore del codice a barre per tutti i record (questo ripristinerà anche il valore del codice a barre già definito con nuovi valori) -PriceByCustomer=Prezzi diversi per ogni cliente -PriceCatalogue=Un unico prezzo di vendita per prodotto / servizio -PricingRule=Regole per i prezzi di vendita -AddCustomerPrice=Aggiungi prezzo per cliente -ForceUpdateChildPriceSoc=Impostare lo stesso prezzo sulle filiali dei clienti -PriceByCustomerLog=Registro dei prezzi dei clienti precedenti -MinimumPriceLimit=Il prezzo minimo non può essere inferiore a %s -MinimumRecommendedPrice=Il prezzo minimo raccomandato è: %s -PriceExpressionEditor=Editor di espressioni di prezzo -PriceExpressionSelected=Espressione del prezzo selezionato -PriceExpressionEditorHelp1="price = 2 + 2" o "2 + 2" per impostare il prezzo. Uso ; per separare le espressioni -PriceExpressionEditorHelp2=Puoi accedere a ExtraFields con variabili come # extrafield_myextrafieldkey # e variabili globali con # global_mycode # -PriceExpressionEditorHelp3=In entrambi i prezzi di prodotto / servizio e fornitore ci sono queste variabili disponibili:
# tva_tx # # localtax1_tx # # localtax2_tx # # peso # # lunghezza # # superficie # # price_min # -PriceExpressionEditorHelp4=Solo nel prezzo del prodotto / servizio: # supplier_min_price #
Solo nei prezzi dei fornitori: # supplier_quantity # e # supplier_tva_tx # +FillBarCodeTypeAndValueManually=Riempi il tipo di codice a barre e il valore manualmente +FillBarCodeTypeAndValueFromProduct=Riempi il tipo di codice a barre e valore dal codice a barre del prodotto +FillBarCodeTypeAndValueFromThirdParty=Riempi il tipo di codice a barre e il valore da un codice a barre di terze parti +DefinitionOfBarCodeForProductNotComplete=Definition of type or value of barcode not complete for product %s. +DefinitionOfBarCodeForThirdpartyNotComplete=Definition of type or value of barcode non complete for third party %s. +BarCodeDataForProduct=Barcode information of product %s: +BarCodeDataForThirdparty=Barcode information of third party %s: +ResetBarcodeForAllRecords=Definisci il valore del codice a barre per tutti quelli inseriti (questo resetta anche i valori già definiti dei codice a barre con nuovi valori) +PriceByCustomer=Prezzi diversi in base al cliente +PriceCatalogue=Prezzo singolo di vendita per prodotto/servizio +PricingRule=Reogle dei prezzi di vendita +AddCustomerPrice=Aggiungere prezzo dal cliente +ForceUpdateChildPriceSoc=Imposta lo stesso prezzo per i clienti sussidiari +PriceByCustomerLog=Log di precedenti prezzi clienti +MinimumPriceLimit=Prezzo minimo non può essere inferiore a % s +MinimumRecommendedPrice=Minimum recommended price is: %s +PriceExpressionEditor=Editor della formula del prezzo +PriceExpressionSelected=Formula del prezzo selezionata +PriceExpressionEditorHelp1=usare "prezzo = 2 + 2" o "2 + 2" per definire il prezzo. Usare ";" per separare le espressioni +PriceExpressionEditorHelp2=È possibile accedere agli ExtraFields tramite variabili come #extrafield_myextrafieldkey# e variabili globali come #global_mycode# +PriceExpressionEditorHelp3=In both product/service and vendor prices there are these variables available:
#tva_tx# #localtax1_tx# #localtax2_tx# #weight# #length# #surface# #price_min# +PriceExpressionEditorHelp4=In product/service price only: #supplier_min_price#
In vendor prices only: #supplier_quantity# and #supplier_tva_tx# PriceExpressionEditorHelp5=Valori globali disponibili: -PriceMode=Modalità prezzo +PriceMode=Modalità di prezzo PriceNumeric=Numero DefaultPrice=Prezzo predefinito -ComposedProductIncDecStock=Aumenta / Riduci lo stock al momento della modifica del genitore -ComposedProduct=Prodotti per bambini -MinSupplierPrice=Prezzo minimo d'acquisto +ComposedProductIncDecStock=Aumenta e Diminuisci le scorte alla modifica del prodotto padre +ComposedProduct=Child products +MinSupplierPrice=Prezzo d'acquisto minimo MinCustomerPrice=Prezzo minimo di vendita DynamicPriceConfiguration=Configurazione dinamica dei prezzi -DynamicPriceDesc=È possibile definire formule matematiche per calcolare i prezzi di clienti o fornitori. Tali formule possono usare tutti gli operatori matematici, alcune costanti e variabili. Puoi definire qui le variabili che desideri utilizzare. Se la variabile necessita di un aggiornamento automatico, è possibile definire l'URL esterno per consentire a Dolibarr di aggiornare automaticamente il valore. +DynamicPriceDesc=You may define mathematical formulae to calculate Customer or Vendor prices. Such formulas can use all mathematical operators, some constants and variables. You can define here the variables you wish to use. If the variable needs an automatic update, you may define the external URL to allow Dolibarr to update the value automatically. AddVariable=Aggiungi variabile -AddUpdater=Aggiungi programma di aggiornamento +AddUpdater=Aggiungi Aggiornamento GlobalVariables=Variabili globali VariableToUpdate=Variabile da aggiornare -GlobalVariableUpdaters=Aggiornatori esterni per variabili +GlobalVariableUpdaters=External updaters for variables GlobalVariableUpdaterType0=Dati JSON -GlobalVariableUpdaterHelp0=Analizza i dati JSON dall'URL specificato, VALUE specifica la posizione del valore pertinente, -GlobalVariableUpdaterHelpFormat0=Formato per richiesta {"URL": "http://example.com/urlofjson", "VALUE": "array1, array2, targetvalue"} -GlobalVariableUpdaterType1=Dati del servizio Web -GlobalVariableUpdaterHelp1=Analizza i dati del servizio Web dall'URL specificato, NS specifica lo spazio dei nomi, VALUE specifica la posizione del valore rilevante, DATA deve contenere i dati da inviare e METHOD è il metodo WS chiamante -GlobalVariableUpdaterHelpFormat1=Il formato per la richiesta è {"URL": "http://example.com/urlofws", "VALUE": "array, targetvalue", "NS": "http://example.com/urlofns", "METHOD" : "myWSMethod", "DATA": {"your": "data", "to": "send"}} -UpdateInterval=Intervallo di aggiornamento (minuti) +GlobalVariableUpdaterHelp0=Esegue il parsing dei dati JSON da uno specifico indirizzo URL, VALUE (valore) specifica la posizione di valori rilevanti +GlobalVariableUpdaterHelpFormat0=Formato per la richiesta {"URL": "http://example.com/urlofjson", "VALUE": "array1,array2,targetvalue"} +GlobalVariableUpdaterType1=Dati del WebService +GlobalVariableUpdaterHelp1=Effettua il parsing dei dati del WebService da uno specifico indirizzo URL.\nNS: il namespace\nVALUE: la posizione di dati rilevanti\nDATA: contiene i dati da inviare\nMETHOD: il metodo WS da richiamare +GlobalVariableUpdaterHelpFormat1=Il formato richiesto è {"URL": "http://example.com/urlofws", "VALORE": "array, targetvalue", "NS": "http://example.com/urlofns", "METODO" : "myWSMethod", "DATO": {"il_tuo": "dato", "da": "inviare"}} +UpdateInterval=Frequenza di aggiornamento (in minuti) LastUpdated=Ultimo aggiornamento CorrectlyUpdated=Aggiornato correttamente -PropalMergePdfProductActualFile=I file utilizzati per aggiungere in PDF Azur sono / sono -PropalMergePdfProductChooseFile=Seleziona i file PDF -IncludingProductWithTag=Incluso prodotto / servizio con etichetta -DefaultPriceRealPriceMayDependOnCustomer=Prezzo predefinito, il prezzo reale può dipendere dal cliente +PropalMergePdfProductActualFile=I file utilizzano per aggiungere in PDF Azzurra sono / è +PropalMergePdfProductChooseFile=Selezionare i file PDF +IncludingProductWithTag=Compreso prodotto/servizio con tag +DefaultPriceRealPriceMayDependOnCustomer=Prezzo predefinito, prezzo reale può dipendere cliente WarningSelectOneDocument=Seleziona almeno un documento DefaultUnitToShow=Unità -NbOfQtyInProposals=Qtà nelle proposte +NbOfQtyInProposals=Q.ta in proposte ClinkOnALinkOfColumn=Fare clic su un collegamento della colonna %s per ottenere una vista dettagliata ... -ProductsOrServicesTranslations=Traduzioni di prodotti / servizi +ProductsOrServicesTranslations=Products/Services translations TranslatedLabel=Etichetta tradotta TranslatedDescription=Descrizione tradotta TranslatedNote=Note tradotte @@ -322,57 +322,57 @@ LengthUnits=Length unit HeightUnits=Height unit SurfaceUnits=Unità di superficie SizeUnits=Unità di misura -DeleteProductBuyPrice=Elimina il prezzo di acquisto -ConfirmDeleteProductBuyPrice=Sei sicuro di voler eliminare questo prezzo di acquisto? +DeleteProductBuyPrice=Cancella prezzo di acquisto +ConfirmDeleteProductBuyPrice=Vuoi davvero eliminare questo prezzo di acquisto? SubProduct=Sottoprodotto ProductSheet=Scheda prodotto -ServiceSheet=Foglio di servizio +ServiceSheet=Scheda di servizio PossibleValues=Valori possibili -GoOnMenuToCreateVairants=Vai al menu %s - %s per preparare varianti di attributi (come colori, dimensioni, ...) -UseProductFournDesc=Aggiungi una funzione per definire le descrizioni dei prodotti definite dai fornitori oltre alle descrizioni per i clienti -ProductSupplierDescription=Descrizione del fornitore per il prodotto +GoOnMenuToCreateVairants=Vai sul menu %s - %s per preparare le varianti degli attributi (come colori, dimensioni, ...) +UseProductFournDesc=Add a feature to define the descriptions of products defined by the vendors in addition to descriptions for customers +ProductSupplierDescription=Vendor description for the product #Attributes -VariantAttributes=Attributi varianti -ProductAttributes=Attributi varianti per prodotti -ProductAttributeName=Attributo variante %s -ProductAttribute=Attributo variante -ProductAttributeDeleteDialog=Sei sicuro di voler eliminare questo attributo? Tutti i valori verranno eliminati -ProductAttributeValueDeleteDialog=Sei sicuro di voler eliminare il valore "%s" con riferimento "%s" di questo attributo? -ProductCombinationDeleteDialog=Vuoi davvero eliminare la variante del prodotto " %s "? -ProductCombinationAlreadyUsed=Si è verificato un errore durante l'eliminazione della variante. Verifica che non venga utilizzato in nessun oggetto -ProductCombinations=varianti -PropagateVariant=Propagare varianti -HideProductCombinations=Nascondi la variante di prodotti nel selettore prodotti +VariantAttributes=Variante attributi +ProductAttributes=Variante attributi per i prodotti +ProductAttributeName=Variante attributo %s +ProductAttribute=Variante attributo +ProductAttributeDeleteDialog=Sei sicuro di voler eliminare questo attributo? Tutti i valori saranno cancellati +ProductAttributeValueDeleteDialog=Sei sicuro di voler eliminare il valore "%s" con riferimento a "%s" di questo attributo? +ProductCombinationDeleteDialog=Sei sicuro di voler eliminare la variante del prodotto "%s"? +ProductCombinationAlreadyUsed=Si è verificato un errore durante l'eliminazione della variante. Si prega di verificare che non venga utilizzato in alcun oggetto +ProductCombinations=Varianti +PropagateVariant=Propagare le varianti +HideProductCombinations=Nascondi le varianti di prodotto ProductCombination=Variante NewProductCombination=Nuova variante -EditProductCombination=Variante di modifica +EditProductCombination=Edita variante NewProductCombinations=Nuove varianti -EditProductCombinations=Modifica delle varianti -SelectCombination=Seleziona una combinazione +EditProductCombinations=Edita varianti +SelectCombination=Selezione combinazione ProductCombinationGenerator=Generatore di varianti Features=Caratteristiche -PriceImpact=Impatto sul prezzo -WeightImpact=Impatto sul peso +PriceImpact=Impatto sui prezzi +WeightImpact=Impatto del peso NewProductAttribute=Nuovo attributo -NewProductAttributeValue=Nuovo valore dell'attributo -ErrorCreatingProductAttributeValue=Si è verificato un errore durante la creazione del valore dell'attributo. Potrebbe essere perché esiste già un valore esistente con quel riferimento -ProductCombinationGeneratorWarning=Se continui, prima di generare nuove varianti, verranno eliminate tutte le precedenti. Quelli già esistenti verranno aggiornati con i nuovi valori -TooMuchCombinationsWarning=La generazione di molte varianti può comportare un elevato utilizzo della CPU, della memoria e Dolibarr non è in grado di crearle. Abilitare l'opzione "%s" può aiutare a ridurre l'utilizzo della memoria. -DoNotRemovePreviousCombinations=Non rimuovere le varianti precedenti -UsePercentageVariations=Usa variazioni percentuali +NewProductAttributeValue=Nuovo valore dell'attributo +ErrorCreatingProductAttributeValue=Si è verificato un errore durante la creazione del valore dell'attributo. Potrebbe essere perché c'è già un valore esistente con quel riferimento +ProductCombinationGeneratorWarning=Se continui, prima di generare nuove varianti, tutte le precedenti saranno CANCELLATE. Quelli già esistenti verranno aggiornati con i nuovi valori +TooMuchCombinationsWarning=Generare molte varianti può comportare un elevato utilizzo della CPU e della memoria, e Dolibarr non è in grado di crearle. Abilitare l'opzione "%s" può aiutare a ridurre l'utilizzo della memoria. +DoNotRemovePreviousCombinations=Non rimuovere le precedenti varianti di prodotto +UsePercentageVariations=Usa le variazioni percentuali PercentageVariation=Variazione percentuale -ErrorDeletingGeneratedProducts=Si è verificato un errore durante il tentativo di eliminare le varianti di prodotto esistenti -NbOfDifferentValues=Numero di valori diversi -NbProducts=Numero di prodotti -ParentProduct=Prodotto principale -HideChildProducts=Nascondi i prodotti variante -ShowChildProducts=Mostra prodotti variante -NoEditVariants=Vai alla scheda prodotto principale e modifica l'impatto del prezzo delle varianti nella scheda Varianti -ConfirmCloneProductCombinations=Desideri copiare tutte le varianti del prodotto sull'altro prodotto principale con il riferimento indicato? +ErrorDeletingGeneratedProducts=Si è verificato un errore durante la cancellazione della variante di prodotto +NbOfDifferentValues=N. di valori differenti +NbProducts=N. di prodotti +ParentProduct=Prodotto genitore +HideChildProducts=Nascondi le varianti di prodotto +ShowChildProducts=Mostra le varianti del prodotto +NoEditVariants=Vai alla scheda del prodotto genitore e modifica l'impatto sul prezzo delle varianti nella scheda varianti +ConfirmCloneProductCombinations=Vuoi copiare tutte le varianti del prodotto sull'altro prodotto principale con il riferimento dato? CloneDestinationReference=Riferimento del prodotto di destinazione -ErrorCopyProductCombinations=Si è verificato un errore durante la copia delle varianti del prodotto +ErrorCopyProductCombinations=Si è verificato un errore durante la copia della variante di prodotto ErrorDestinationProductNotFound=Prodotto di destinazione non trovato -ErrorProductCombinationNotFound=Variante del prodotto non trovata -ActionAvailableOnVariantProductOnly=Azione disponibile solo sulla variante di prodotto -ProductsPricePerCustomer=Prezzi dei prodotti per cliente +ErrorProductCombinationNotFound=Variante di prodotto non trovata +ActionAvailableOnVariantProductOnly=Action only available on the variant of product +ProductsPricePerCustomer=Product prices per customers ProductSupplierExtraFields=Attributi aggiuntivi (prezzi dei fornitori) diff --git a/htdocs/langs/it_IT/projects.lang b/htdocs/langs/it_IT/projects.lang index 6d17449ef3d..6a21075fd46 100644 --- a/htdocs/langs/it_IT/projects.lang +++ b/htdocs/langs/it_IT/projects.lang @@ -1,257 +1,261 @@ # Dolibarr language file - Source file is en_US - projects -RefProject=Ref. progetto -ProjectRef=Rif. Progetto -ProjectId=ID progetto -ProjectLabel=Etichetta del progetto -ProjectsArea=Area progetti +RefProject=Rif. progetto +ProjectRef=Progetto rif. +ProjectId=Id progetto +ProjectLabel=Etichetta progetto +ProjectsArea=Sezione progetti ProjectStatus=Stato del progetto -SharedProject=Tutti +SharedProject=Progetto condiviso PrivateProject=Contatti del progetto -ProjectsImContactFor=I progetti per I sono esplicitamente un contatto -AllAllowedProjects=Tutto il progetto che posso leggere (mio + pubblico) +ProjectsImContactFor=Progetti di cui sono esplicitamente un contatto +AllAllowedProjects=Tutti i progetti che posso vedere (miei + pubblici) AllProjects=Tutti i progetti -MyProjectsDesc=Questa vista è limitata ai progetti per i quali sei un contatto +MyProjectsDesc=La vista è limitata ai progetti di cui tu sei un contatto. ProjectsPublicDesc=Questa visualizzazione mostra tutti i progetti che sei autorizzato a vedere. -TasksOnProjectsPublicDesc=Questa vista presenta tutte le attività sui progetti che sei autorizzato a leggere. -ProjectsPublicTaskDesc=Questa vista presenta tutti i progetti e le attività che sei autorizzato a leggere. +TasksOnProjectsPublicDesc=Questa vista presenta tutte le attività nei progetti su cui tu sei abilitato a leggere. +ProjectsPublicTaskDesc=Questa prospettiva presenta tutti i progetti e le attività a cui è permesso accedere. ProjectsDesc=Questa visualizzazione mostra tutti i progetti (hai i privilegi per vedere tutto). -TasksOnProjectsDesc=Questa vista presenta tutte le attività su tutti i progetti (le autorizzazioni dell'utente concedono l'autorizzazione per visualizzare tutto). -MyTasksDesc=Questa vista è limitata a progetti o attività per i quali sei un contatto -OnlyOpenedProject=Sono visibili solo i progetti aperti (i progetti in bozza o in stato chiuso non sono visibili). +TasksOnProjectsDesc=Questa visualizzazione mostra tutti i compiti di ogni progetto (hai i privilegi per vedere tutto). +MyTasksDesc=Questa visualizzazione è limitata ai progetti o alle attività di cui tu sei un contatto +OnlyOpenedProject=Sono visibili solamente i progetti aperti (i progetti con stato di bozza o chiusi non sono visibili). ClosedProjectsAreHidden=I progetti chiusi non sono visibili. TasksPublicDesc=Questa visualizzazione mostra tutti i progetti e i compiti che hai il permesso di vedere. TasksDesc=Questa visualizzazione mostra tutti i progetti e i compiti (hai i privilegi per vedere tutto). -AllTaskVisibleButEditIfYouAreAssigned=Tutte le attività per progetti qualificati sono visibili, ma è possibile inserire il tempo solo per l'attività assegnata all'utente selezionato. Assegnare attività se è necessario immettere l'ora su di essa. -OnlyYourTaskAreVisible=Sono visibili solo le attività assegnate all'utente. Assegna compito a te stesso se non è visibile e devi inserire del tempo su di esso. +AllTaskVisibleButEditIfYouAreAssigned=Tutte le attività dei progetti validati sono visibili, ma puoi inserire le ore solo nelle attività assegnate all'utente selezionato. Assegna delle attività se hai bisogno di inserirci all'interno delle ore. +OnlyYourTaskAreVisible=Solo i compiti assegnati a te sono visibili. Assegna a te stesso il compito se vuoi allocarvi tempo lavorato. ImportDatasetTasks=Compiti dei progetti -ProjectCategories=Tag / categorie del progetto +ProjectCategories=Tag/Categorie Progetti NewProject=Nuovo progetto AddProject=Crea progetto DeleteAProject=Elimina un progetto DeleteATask=Cancella un compito -ConfirmDeleteAProject=Sei sicuro di voler eliminare questo progetto? -ConfirmDeleteATask=Sei sicuro di voler eliminare questa attività? +ConfirmDeleteAProject=Vuoi davvero eliminare il progetto? +ConfirmDeleteATask=Vuoi davvero eliminare questo compito? OpenedProjects=Progetti aperti OpenedTasks=Attività aperte -OpportunitiesStatusForOpenedProjects=Conduce la quantità di progetti aperti per stato -OpportunitiesStatusForProjects=Conduce la quantità di progetti per stato +OpportunitiesStatusForOpenedProjects=Importo delle vendite potenziali per stato nei progetti +OpportunitiesStatusForProjects=Leads amount of projects by status ShowProject=Visualizza progetto -ShowTask=Mostra attività +ShowTask=Visualizza compito SetProject=Imposta progetto NoProject=Nessun progetto definito o assegnato -NbOfProjects=Numero di progetti -NbOfTasks=Numero di compiti +NbOfProjects=No. of projects +NbOfTasks=No. of tasks TimeSpent=Tempo lavorato -TimeSpentByYou=Il tempo trascorso da te -TimeSpentByUser=Tempo trascorso dall'utente +TimeSpentByYou=Tempo impiegato da te +TimeSpentByUser=Tempo impiegato dall'utente TimesSpent=Tempo lavorato -TaskId=ID attività -RefTask=Compito rif. -LabelTask=Etichetta dell'attività -TaskTimeSpent=Tempo dedicato a compiti +TaskId=Task ID +RefTask=Task ref. +LabelTask=Task label +TaskTimeSpent=Tempo speso sulle attività TaskTimeUser=Utente TaskTimeNote=Nota TaskTimeDate=Data -TasksOnOpenedProject=Compiti su progetti aperti +TasksOnOpenedProject=Compiti relativi a progetti aperti WorkloadNotDefined=Carico di lavoro non definito -NewTimeSpent=Tempo impiegato +NewTimeSpent=Tempo lavorato MyTimeSpent=Il mio tempo lavorato -BillTime=Bill il tempo trascorso +BillTime=Fattura il tempo lavorato BillTimeShort=Bill time -TimeToBill=Tempo non fatturato -TimeBilled=Tempo fatturato +TimeToBill=Time not billed +TimeBilled=Time billed Tasks=Compiti Task=Compito -TaskDateStart=Data di inizio dell'attività -TaskDateEnd=Data di fine dell'attività -TaskDescription=Descrizione del compito +TaskDateStart=Data inizio attività +TaskDateEnd=Data fine attività +TaskDescription=Descrizione attività NewTask=Nuovo compito AddTask=Crea attività -AddTimeSpent=Crea tempo trascorso -AddHereTimeSpentForDay=Aggiungi qui il tempo speso per questa giornata / attività +AddTimeSpent=Aggiungi tempo lavorato +AddHereTimeSpentForDay=Aggiungi qui il tempo impiegato in questo giorno/attività Activity=Operatività Activities=Compiti/operatività MyActivities=I miei compiti / operatività MyProjects=I miei progetti -MyProjectsArea=Area dei miei progetti +MyProjectsArea=Area progetti DurationEffective=Durata effettiva ProgressDeclared=Avanzamento dichiarato -TaskProgressSummary=Avanzamento dell'attività -CurentlyOpenedTasks=Attività aperte con cura -TheReportedProgressIsLessThanTheCalculatedProgressionByX=L'avanzamento dichiarato è inferiore %s rispetto alla progressione calcolata -TheReportedProgressIsMoreThanTheCalculatedProgressionByX=L'avanzamento dichiarato è più %s rispetto alla progressione calcolata +TaskProgressSummary=Task progress +CurentlyOpenedTasks=Curently opened tasks +TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression +TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Avanzamento calcolato -WhichIamLinkedTo=a cui sono legato -WhichIamLinkedToProject=che sono legato al progetto +WhichIamLinkedTo=which I'm linked to +WhichIamLinkedToProject=which I'm linked to project Time=Tempo -ListOfTasks=Elenco delle attività -GoToListOfTimeConsumed=Vai all'elenco del tempo impiegato -GoToListOfTasks=Mostra come elenco -GoToGanttView=mostra come Gantt -GanttView=Vista di Gantt -ListProposalsAssociatedProject=Elenco delle proposte commerciali associate al progetto -ListOrdersAssociatedProject=Elenco degli ordini cliente relativi al progetto -ListInvoicesAssociatedProject=Elenco delle fatture cliente relative al progetto -ListPredefinedInvoicesAssociatedProject=Elenco delle fatture del modello cliente relative al progetto -ListSupplierOrdersAssociatedProject=Elenco di ordini di acquisto relativi al progetto -ListSupplierInvoicesAssociatedProject=Elenco delle fatture del fornitore relative al progetto -ListContractAssociatedProject=Elenco dei contratti relativi al progetto -ListShippingAssociatedProject=Elenco di spedizioni relative al progetto -ListFichinterAssociatedProject=Elenco degli interventi relativi al progetto -ListExpenseReportsAssociatedProject=Elenco delle note spese relative al progetto -ListDonationsAssociatedProject=Elenco delle donazioni relative al progetto -ListVariousPaymentsAssociatedProject=Elenco di pagamenti vari relativi al progetto -ListSalariesAssociatedProject=Elenco dei pagamenti degli stipendi relativi al progetto -ListActionsAssociatedProject=Elenco degli eventi relativi al progetto -ListTaskTimeUserProject=Elenco del tempo impiegato per le attività del progetto -ListTaskTimeForTask=Elenco di tempo impiegato per l'attività -ActivityOnProjectToday=Attività sul progetto oggi -ActivityOnProjectYesterday=Attività su progetto ieri +ListOfTasks=Elenco dei compiti +GoToListOfTimeConsumed=Vai all'elenco del tempo impiegato +GoToListOfTasks=Vai all'elenco dei compiti +GoToGanttView=Go to Gantt view +GanttView=Vista Gantt +ListProposalsAssociatedProject=List of the commercial proposals related to the project +ListOrdersAssociatedProject=List of sales orders related to the project +ListInvoicesAssociatedProject=Elenco delle fatture cliente associate al progetto +ListPredefinedInvoicesAssociatedProject=Elenco dei modelli di fattura cliente associati al progetto +ListSupplierOrdersAssociatedProject=List of purchase orders related to the project +ListSupplierInvoicesAssociatedProject=List of vendor invoices related to the project +ListContractAssociatedProject=List of contracts related to the project +ListShippingAssociatedProject=List of shippings related to the project +ListFichinterAssociatedProject=List of interventions related to the project +ListExpenseReportsAssociatedProject=List of expense reports related to the project +ListDonationsAssociatedProject=List of donations related to the project +ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project +ListSalariesAssociatedProject=List of payments of salaries related to the project +ListActionsAssociatedProject=List of events related to the project +ListTaskTimeUserProject=Tempo impiegato in compiti del progetto +ListTaskTimeForTask=Tempo impiegato per l'attività +ActivityOnProjectToday=Operatività sul progetto oggi +ActivityOnProjectYesterday=Attività sul progetto ieri ActivityOnProjectThisWeek=Operatività sul progetto questa settimana ActivityOnProjectThisMonth=Operatività sul progetto questo mese ActivityOnProjectThisYear=Operatività sul progetto nell'anno in corso -ChildOfProjectTask=Figlio del progetto / compito -ChildOfTask=Figlio del compito -TaskHasChild=L'attività ha un figlio +ChildOfProjectTask=Figlio del progetto/compito +ChildOfTask=Figlio dell'attività +TaskHasChild=L'attività ha un figlio NotOwnerOfProject=Non sei proprietario di questo progetto privato AffectedTo=Assegnato a CantRemoveProject=Questo progetto non può essere rimosso: altri oggetti (fatture, ordini, ecc...) vi fanno riferimento. Guarda la scheda riferimenti. ValidateProject=Convalida progetto -ConfirmValidateProject=Sei sicuro di voler validare questo progetto? +ConfirmValidateProject=Vuoi davvero convalidare il progetto? CloseAProject=Chiudi il progetto -ConfirmCloseAProject=Sei sicuro di voler chiudere questo progetto? -AlsoCloseAProject=Chiudi anche il progetto (tienilo aperto se devi ancora seguire le attività di produzione su di esso) +ConfirmCloseAProject=Vuoi davvero chiudere il progetto? +AlsoCloseAProject=Chiudu anche il progetto (mantienilo aperto se hai ancora bisogno di seguire le attività in esso contenute) ReOpenAProject=Apri progetto -ConfirmReOpenAProject=Sei sicuro di voler riaprire questo progetto? +ConfirmReOpenAProject=Vuoi davvero riaprire il progetto? ProjectContact=Contatti del progetto TaskContact=Contatti di attività -ActionsOnProject=Eventi sul progetto +ActionsOnProject=Azioni sul progetto YouAreNotContactOfProject=Non sei tra i contatti di questo progetto privato -UserIsNotContactOfProject=L'utente non è un contatto di questo progetto privato +UserIsNotContactOfProject=L'utente non è un contatto di questo progetto privato DeleteATimeSpent=Cancella il tempo lavorato -ConfirmDeleteATimeSpent=Sei sicuro di voler eliminare questo tempo trascorso? -DoNotShowMyTasksOnly=Vedi anche le attività non assegnate a me -ShowMyTasksOnly=Visualizza solo le attività assegnate a me -TaskRessourceLinks=Contatti del compito +ConfirmDeleteATimeSpent=Vuoi davvero cancellare il tempo lavorato? +DoNotShowMyTasksOnly=Mostra anche le attività non assegnate a me +ShowMyTasksOnly=Mostra soltanto le attività assegnate a me +TaskRessourceLinks=Contacts of task ProjectsDedicatedToThisThirdParty=Progetti dedicati a questo soggetto terzo NoTasks=Nessun compito per questo progetto LinkedToAnotherCompany=Collegato ad un altro soggetto terzo -TaskIsNotAssignedToUser=Attività non assegnata all'utente. Utilizzare il pulsante ' %s ' per assegnare l'attività ora. +TaskIsNotAssignedToUser=Attività non assegnata all'utente. Usa il bottone '%s' per assegnare l'attività ora. ErrorTimeSpentIsEmpty=Il campo tempo lavorato è vuoto ThisWillAlsoRemoveTasks=Questa azione eliminerà anche tutti i compiti del progetto (al momento ci sono %s compiti) e tutto il tempo lavorato già inserito. -IfNeedToUseOtherObjectKeepEmpty=Se alcuni oggetti (fattura, ordine, ...), appartenenti a un'altra terza parte, devono essere collegati al progetto per la creazione, tenerlo vuoto per avere il progetto come multi terze parti. +IfNeedToUseOtherObjectKeepEmpty=Se qualche elemento (fattura, ordine, ...), appartenente ad un altro soggetto terzo deve essere collegato al progetto da creare, non compilare il campo per assegnare il progetto a più di un soggetto terzo. CloneTasks=Clona compiti CloneContacts=Clona contatti CloneNotes=Clona note -CloneProjectFiles=Clona i file uniti al progetto -CloneTaskFiles=Clonare i file uniti alle attività (se le attività sono state clonate) -CloneMoveDate=Aggiornare le date di progetto / attività da adesso? -ConfirmCloneProject=Sei sicuro di clonare questo progetto? -ProjectReportDate=Modifica le date delle attività in base alla nuova data di inizio del progetto +CloneProjectFiles=Clona progetto con file collegati +CloneTaskFiles=Clona i file collegati alle(a) attività (se le(a) attività sono clonate) +CloneMoveDate=Vuoi davvero aggiornare le date di progetti e compiti a partire da oggi? +ConfirmCloneProject=Vuoi davvero clonare il progetto? +ProjectReportDate=Cambia la data del compito a seconda della data di inizio progetto ErrorShiftTaskDate=Impossibile cambiare la data del compito a seconda della data di inizio del progetto ProjectsAndTasksLines=Progetti e compiti ProjectCreatedInDolibarr=Progetto %s creato ProjectValidatedInDolibarr=Progetto %s convalidato ProjectModifiedInDolibarr=Progetto %s modificato -TaskCreatedInDolibarr=Attività creata %s -TaskModifiedInDolibarr=Attività modificata %s -TaskDeletedInDolibarr=Attività %s eliminata -OpportunityStatus=Stato del lead -OpportunityStatusShort=Stato del lead -OpportunityProbability=Probabilità opportunità -OpportunityProbabilityShort=Probabilità opportunità -OpportunityAmount=Importo opportunità -OpportunityAmountShort=Importo opportunità +TaskCreatedInDolibarr=Attività %s creata +TaskModifiedInDolibarr=Attività %s modificata +TaskDeletedInDolibarr=Attività %s cancellata +OpportunityStatus=Stato opportunità +OpportunityStatusShort=Stato opportunità +OpportunityProbability=Probabilità oppotunità +OpportunityProbabilityShort=Probab. opportunità +OpportunityAmount=Importo totale opportunità +OpportunityAmountShort=Importo totale opportunità OpportunityAmountAverageShort=Importo medio opportunità -OpportunityAmountWeigthedShort=Importo medio ponderato opportunità -WonLostExcluded=Vinto / Perso escluso +OpportunityAmountWeigthedShort=Importo pesato opportunità +WonLostExcluded=Escluse acquisite/perse ##### Types de contacts ##### TypeContact_project_internal_PROJECTLEADER=Capo progetto TypeContact_project_external_PROJECTLEADER=Capo progetto -TypeContact_project_internal_PROJECTCONTRIBUTOR=Collaboratore -TypeContact_project_external_PROJECTCONTRIBUTOR=Collaboratore +TypeContact_project_internal_PROJECTCONTRIBUTOR=Contributore +TypeContact_project_external_PROJECTCONTRIBUTOR=Contributore TypeContact_project_task_internal_TASKEXECUTIVE=Responsabile del compito TypeContact_project_task_external_TASKEXECUTIVE=Responsabile del compito -TypeContact_project_task_internal_TASKCONTRIBUTOR=Collaboratore -TypeContact_project_task_external_TASKCONTRIBUTOR=Collaboratore +TypeContact_project_task_internal_TASKCONTRIBUTOR=Contributore +TypeContact_project_task_external_TASKCONTRIBUTOR=Contributore SelectElement=Seleziona elemento -AddElement=Link all'elemento +AddElement=Link all'elemento # Documents models -DocumentModelBeluga=Modello di documento di progetto per una panoramica degli oggetti collegati -DocumentModelBaleine=Modello di documento di progetto per attività -DocumentModelTimeSpent=Modello di report del progetto per il tempo trascorso +DocumentModelBeluga=Project document template for linked objects overview +DocumentModelBaleine=Project document template for tasks +DocumentModelTimeSpent=Project report template for time spent PlannedWorkload=Carico di lavoro previsto PlannedWorkloadShort=Carico di lavoro -ProjectReferers=Articoli correlati -ProjectMustBeValidatedFirst=Il progetto deve essere validato per primo -FirstAddRessourceToAllocateTime=Assegnare una risorsa utente all'attività per allocare il tempo -InputPerDay=Ingresso al giorno -InputPerWeek=Ingresso per settimana +ProjectReferers=Elementi correlati +ProjectMustBeValidatedFirst=I progetti devono prima essere validati +FirstAddRessourceToAllocateTime=Assegna una risorsa per allocare tempo +InputPerDay=Input per giorno +InputPerWeek=Input per settimana InputDetail=Dettagli di input -TimeAlreadyRecorded=Questo è il tempo trascorso già registrato per questa attività / giorno e l'utente %s +TimeAlreadyRecorded=Questo lasso di tempo è già stato registrato per questa attività/giorno e l'utente%s ProjectsWithThisUserAsContact=Progetti con questo utente come contatto -TasksWithThisUserAsContact=Attività assegnate a questo utente +TasksWithThisUserAsContact=Compiti assegnati a questo utente ResourceNotAssignedToProject=Non assegnato al progetto -ResourceNotAssignedToTheTask=Non assegnato all'attività -NoUserAssignedToTheProject=Nessun utente assegnato a questo progetto -TimeSpentBy=Tempo trascorso da -TasksAssignedTo=Compiti assegnati a -AssignTaskToMe=Assegna compito a me -AssignTaskToUser=Assegna attività a %s -SelectTaskToAssign=Seleziona l'attività da assegnare ... +ResourceNotAssignedToTheTask=Risorsa non assegnata all'attività +NoUserAssignedToTheProject=No users assigned to this project +TimeSpentBy=Tempo impiegato da +TasksAssignedTo=Attività assegnata a +AssignTaskToMe=Assegnare un compito a me +AssignTaskToUser=Assegnata attività a %s +SelectTaskToAssign=Seleziona attività da a assegnare... AssignTask=Assegnare ProjectOverview=Panoramica -ManageTasks=Utilizzare i progetti per seguire le attività e / o riportare il tempo trascorso (schede attività) -ManageOpportunitiesStatus=Usa i progetti per seguire i lead / opportunità -ProjectNbProjectByMonth=Numero di progetti creati per mese -ProjectNbTaskByMonth=Numero di attività create per mese -ProjectOppAmountOfProjectsByMonth=Quantità di lead per mese -ProjectWeightedOppAmountOfProjectsByMonth=Quantità ponderata di lead per mese -ProjectOpenedProjectByOppStatus=Apri progetto / lead per stato del lead -ProjectsStatistics=Statistiche su progetti / lead -TasksStatistics=Statistiche sulle attività di progetto / lead -TaskAssignedToEnterTime=Compito assegnato. L'immissione dell'ora per questa attività dovrebbe essere possibile. -IdTaskTime=Tempo dell'attività id -YouCanCompleteRef=Se si desidera completare il ref con qualche suffisso, si consiglia di aggiungere un carattere per separarlo, quindi la numerazione automatica continuerà a funzionare correttamente per i progetti successivi. Ad esempio %s-MYSUFFIX -OpenedProjectsByThirdparties=Progetti aperti di terze parti -OnlyOpportunitiesShort=Conduce solo -OpenedOpportunitiesShort=Cavi aperti -NotOpenedOpportunitiesShort=Non è un vantaggio aperto -NotAnOpportunityShort=Non è un vantaggio -OpportunityTotalAmount=Quantità totale di lead -OpportunityPonderatedAmount=Quantità ponderata di cavi -OpportunityPonderatedAmountDesc=Importo dei lead ponderato con probabilità -OppStatusPROSP=prospection +ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) +ManageOpportunitiesStatus=Utilizzare i progetti per seguire clienti interessati/opportunità +ProjectNbProjectByMonth=No. of created projects by month +ProjectNbTaskByMonth=No. of created tasks by month +ProjectOppAmountOfProjectsByMonth=Amount of leads by month +ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month +ProjectOpenedProjectByOppStatus=Open project/lead by lead status +ProjectsStatistics=Le statistiche relative a progetti/clienti interessati +TasksStatistics=Statistiche su attività di progetto/clienti interessati +TaskAssignedToEnterTime=Compito assegnato. Inserire i tempi per questo compito dovrebbe esserre possibile. +IdTaskTime=Tempo compito id +YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX +OpenedProjectsByThirdparties=Progetti aperti di soggetti terzi +OnlyOpportunitiesShort=Only leads +OpenedOpportunitiesShort=Open leads +NotOpenedOpportunitiesShort=Not an open lead +NotAnOpportunityShort=Not a lead +OpportunityTotalAmount=Total amount of leads +OpportunityPonderatedAmount=Weighted amount of leads +OpportunityPonderatedAmountDesc=Leads amount weighted with probability +OppStatusPROSP=Potenziale OppStatusQUAL=Qualificazione OppStatusPROPO=Proposta -OppStatusNEGO=trattativa -OppStatusPENDING=in attesa di -OppStatusWON=Ha vinto +OppStatusNEGO=Negoziazione +OppStatusPENDING=In attesa +OppStatusWON=Vinto OppStatusLOST=Perso -Budget=bilancio -AllowToLinkFromOtherCompany=Consentire di collegare il progetto da un'altra azienda

Valori supportati:
- Mantieni vuoto: può collegare qualsiasi progetto dell'azienda (impostazione predefinita)
- "all": può collegare qualsiasi progetto, anche progetti di altre società
- Un elenco di ID di terze parti separati da virgole: può collegare tutti i progetti di queste terze parti (Esempio: 123.4795,53)
-LatestProjects=Ultimi progetti %s -LatestModifiedProjects=Ultimi progetti modificati %s +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 projects of other companies
- A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
+LatestProjects=Ultimi %s progetti +LatestModifiedProjects=Ultimi %s progetti modificati OtherFilteredTasks=Altre attività filtrate -NoAssignedTasks=Nessuna attività assegnata trovata (assegnare il progetto / le attività all'utente corrente dalla casella di selezione in alto per inserire l'ora) -ThirdPartyRequiredToGenerateInvoice=Una terza parte deve essere definita sul progetto per poterlo fatturare. +NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) +ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. # Comments trans -AllowCommentOnTask=Consenti commenti degli utenti sulle attività -AllowCommentOnProject=Consenti commenti degli utenti ai progetti -DontHavePermissionForCloseProject=Non disponi delle autorizzazioni per chiudere il progetto %s +AllowCommentOnTask=Permetti agli utenti di commentare queste attività +AllowCommentOnProject=Permetti agli utenti di commentare questi progetti +DontHavePermissionForCloseProject=Non hai i permessi per chiudere il progetto %s DontHaveTheValidateStatus=Il progetto %s deve essere aperto per essere chiuso -RecordsClosed=%s progetto / i chiuso / i -SendProjectRef=Progetto informativo %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Il modulo "Stipendi" deve essere abilitato per definire la tariffa oraria dei dipendenti affinché il tempo trascorso sia valorizzato -NewTaskRefSuggested=Rif attività già utilizzato, è necessario un nuovo riferimento attività -TimeSpentInvoiced=Tempo trascorso fatturato -TimeSpentForInvoice=Tempo impiegato -OneLinePerUser=Una riga per utente -ServiceToUseOnLines=Servizio da utilizzare on line -InvoiceGeneratedFromTimeSpent=La fattura %s è stata generata dal tempo impiegato nel progetto -ProjectBillTimeDescription=Verifica se inserisci la scheda attività nelle attività del progetto E prevedi di generare fattura (e) dalla scheda attività per fatturare al cliente del progetto (non verificare se si prevede di creare una fattura che non si basa sulle schede attività inserite). +RecordsClosed=%s progetti chiusi +SendProjectRef=Information project %s +ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized +NewTaskRefSuggested=Task ref already used, a new task ref is required +TimeSpentInvoiced=Time spent billed +TimeSpentForInvoice=Tempo lavorato +OneLinePerUser=One line per user +ServiceToUseOnLines=Service to use on lines +InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Utilizzo: opportunità UsageTasks=Uso: Compiti UsageBillTimeShort=Utilizzo: tempo di fatturazione +InvoiceToUse=Draft invoice to use +NewInvoice=Nuova fattura +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/it_IT/propal.lang b/htdocs/langs/it_IT/propal.lang index 2849a2d8d58..df731902e6d 100644 --- a/htdocs/langs/it_IT/propal.lang +++ b/htdocs/langs/it_IT/propal.lang @@ -76,8 +76,8 @@ TypeContact_propal_external_BILLING=Contatto per la fatturazione TypeContact_propal_external_CUSTOMER=Responsabile per il cliente TypeContact_propal_external_SHIPPING=Contatto cliente per la consegna # Document models -DocModelAzurDescription=Modello di preventivo completo (logo...) -DocModelCyanDescription=Modello di preventivo completo (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Creazione del modello predefinito DefaultModelPropalToBill=Modello predefinito quando si chiude un preventivo (da fatturare) DefaultModelPropalClosed=Modello predefinito quando si chiude un preventivo (da non fatturare) diff --git a/htdocs/langs/it_IT/receiptprinter.lang b/htdocs/langs/it_IT/receiptprinter.lang index b73735ffb7c..2e27ff93bf8 100644 --- a/htdocs/langs/it_IT/receiptprinter.lang +++ b/htdocs/langs/it_IT/receiptprinter.lang @@ -1,47 +1,47 @@ # Dolibarr language file - Source file is en_US - receiptprinter -ReceiptPrinterSetup=Impostazione del modulo ReceiptPrinter +ReceiptPrinterSetup=Impostazioni del modulo ReceiptPritner PrinterAdded=Stampante %s aggiunta PrinterUpdated=Stampante %s aggiornata PrinterDeleted=Stampante %s eliminata -TestSentToPrinter=Test inviato alla stampante %s -ReceiptPrinter=Stampanti per ricevute -ReceiptPrinterDesc=Installazione di stampanti per ricevute -ReceiptPrinterTemplateDesc=Installazione di modelli -ReceiptPrinterTypeDesc=Descrizione del tipo di stampante per ricevute -ReceiptPrinterProfileDesc=Descrizione del profilo della stampante di ricevute -ListPrinters=Elenco di stampanti -SetupReceiptTemplate=Impostazione modello +TestSentToPrinter=Stampa di prova inviata a %s +ReceiptPrinter=Receipt printers +ReceiptPrinterDesc=Setup of receipt printers +ReceiptPrinterTemplateDesc=Setup of Templates +ReceiptPrinterTypeDesc=Description of Receipt Printer's type +ReceiptPrinterProfileDesc=Description of Receipt Printer's Profile +ListPrinters=Lista delle stampanti +SetupReceiptTemplate=Template Setup CONNECTOR_DUMMY=Stampante dummy CONNECTOR_NETWORK_PRINT=Stampante di rete CONNECTOR_FILE_PRINT=Stampante locale CONNECTOR_WINDOWS_PRINT=Stampante Windows locale -CONNECTOR_DUMMY_HELP=Stampante falsa per test, non fa nulla +CONNECTOR_DUMMY_HELP=Stampante di test (non stampa davvero) CONNECTOR_NETWORK_PRINT_HELP=10.x.x.x:9100 CONNECTOR_FILE_PRINT_HELP=/dev/usb/lp0, /dev/usb/lp1 CONNECTOR_WINDOWS_PRINT_HELP=LPT1, COM1, smb://FooUser:secret@computername/workgroup/Receipt Printer -PROFILE_DEFAULT=Profilo base +PROFILE_DEFAULT=Profilo predefinito PROFILE_SIMPLE=Profilo semplice -PROFILE_EPOSTEP=Profilo Epos Tep -PROFILE_P822D=Profilo P822D -PROFILE_STAR=Profilo a stella -PROFILE_DEFAULT_HELP=Profilo predefinito adatto per stampanti Epson -PROFILE_SIMPLE_HELP=Profilo semplice senza grafica -PROFILE_EPOSTEP_HELP=Profilo Epos Tep -PROFILE_P822D_HELP=Profilo P822D senza grafica -PROFILE_STAR_HELP=Profilo a stella +PROFILE_EPOSTEP=Epos Tep Profile +PROFILE_P822D=P822D Profile +PROFILE_STAR=Star Profile +PROFILE_DEFAULT_HELP=Default Profile suitable for Epson printers +PROFILE_SIMPLE_HELP=Simple Profile No Graphics +PROFILE_EPOSTEP_HELP=Epos Tep Profile Help +PROFILE_P822D_HELP=P822D Profile No Graphics +PROFILE_STAR_HELP=Star Profile DOL_LINE_FEED=Salta la linea DOL_ALIGN_LEFT=Testo allineato a sinistra DOL_ALIGN_CENTER=Testo centrato DOL_ALIGN_RIGHT=Testo allineato a destra -DOL_USE_FONT_A=Usa il carattere A della stampante -DOL_USE_FONT_B=Usa il carattere B della stampante -DOL_USE_FONT_C=Usa il carattere C della stampante +DOL_USE_FONT_A=Usa font A per la stampante +DOL_USE_FONT_B=Usa font B per la stampante +DOL_USE_FONT_C=Usa font C per la stampante DOL_PRINT_BARCODE=Stampa codice a barre -DOL_PRINT_BARCODE_CUSTOMER_ID=Stampa ID cliente codice a barre -DOL_CUT_PAPER_FULL=Taglia il biglietto completamente -DOL_CUT_PAPER_PARTIAL=Taglia il biglietto parzialmente -DOL_OPEN_DRAWER=Aprire il cassetto della cassa -DOL_ACTIVATE_BUZZER=Attiva il buzzer -DOL_PRINT_QRCODE=Stampa il codice QR +DOL_PRINT_BARCODE_CUSTOMER_ID=Stampa il codice a barre del cliente +DOL_CUT_PAPER_FULL=Cut ticket completely +DOL_CUT_PAPER_PARTIAL=Cut ticket partially +DOL_OPEN_DRAWER=Apri cassetto portavaluta +DOL_ACTIVATE_BUZZER=Activate buzzer +DOL_PRINT_QRCODE=Stampa codice QR DOL_PRINT_LOGO=Stampa il logo della mia azienda DOL_PRINT_LOGO_OLD=Stampa il logo della mia azienda (vecchie stampe) diff --git a/htdocs/langs/it_IT/resource.lang b/htdocs/langs/it_IT/resource.lang index 0b171bb1e96..8499f9a4d29 100644 --- a/htdocs/langs/it_IT/resource.lang +++ b/htdocs/langs/it_IT/resource.lang @@ -1,39 +1,39 @@ # Dolibarr language file - Source file is en_US - resource -MenuResourceIndex=risorse +MenuResourceIndex=Risorse MenuResourceAdd=Nuova risorsa DeleteResource=Elimina risorsa -ConfirmDeleteResourceElement=Conferma elimina la risorsa per questo elemento -NoResourceInDatabase=Nessuna risorsa nel database. +ConfirmDeleteResourceElement=Conferma l'eliminazione della risorsa da questo elemento +NoResourceInDatabase=Nessuna risorsa nel database NoResourceLinked=Nessuna risorsa collegata ActionsOnResource=Eventi su questa risorsa ResourcePageIndex=Elenco delle risorse ResourceSingular=Risorsa -ResourceCard=Carta delle risorse +ResourceCard=Scheda risorsa AddResource=Crea una risorsa ResourceFormLabel_ref=Nome della risorsa ResourceType=Tipo di risorsa ResourceFormLabel_description=Descrizione della risorsa -ResourcesLinkedToElement=Risorse legate all'elemento +ResourcesLinkedToElement=Risorse collegate all'elemento ShowResource=Mostra risorsa -ResourceElementPage=Risorse dell'elemento +ResourceElementPage=Risorse dell'elemento ResourceCreatedWithSuccess=Risorsa creata con successo -RessourceLineSuccessfullyDeleted=Riga di risorse eliminata correttamente -RessourceLineSuccessfullyUpdated=Riga delle risorse aggiornata correttamente +RessourceLineSuccessfullyDeleted=Riga di risorsa eliminata correttamente +RessourceLineSuccessfullyUpdated=Riga di risorsa aggiornata correttamente ResourceLinkedWithSuccess=Risorsa collegata con successo -ConfirmDeleteResource=Conferma per eliminare questa risorsa -RessourceSuccessfullyDeleted=Risorsa eliminata correttamente +ConfirmDeleteResource=Conferma l'eliminazione di questa risorsa +RessourceSuccessfullyDeleted=Risorsa eliminata con successo DictionaryResourceType=Tipo di risorse SelectResource=Seleziona risorsa -IdResource=Risorsa ID -AssetNumber=Numero di serie -ResourceTypeCode=Codice del tipo di risorsa -ImportDataset_resource_1=risorse +IdResource=ID risorsa +AssetNumber=Numero seriale +ResourceTypeCode=Codice tipo risorsa +ImportDataset_resource_1=Risorse ErrorResourcesAlreadyInUse=Alcune risorse sono in uso ErrorResourceUseInEvent=%s utilizzato nell'evento %s diff --git a/htdocs/langs/it_IT/sendings.lang b/htdocs/langs/it_IT/sendings.lang index 473c0520fa9..ebe3e0af319 100644 --- a/htdocs/langs/it_IT/sendings.lang +++ b/htdocs/langs/it_IT/sendings.lang @@ -1,74 +1,74 @@ # Dolibarr language file - Source file is en_US - sendings -RefSending=Ref. spedizione +RefSending=Rif. spedizione Sending=Spedizione Sendings=Spedizioni AllSendings=Tutte le spedizioni Shipment=Spedizione Shipments=Spedizioni -ShowSending=Mostra spedizioni -Receivings=Ricevute di consegna -SendingsArea=Area spedizioni +ShowSending=Mostra le spedizioni +Receivings=Ricevuta di consegna +SendingsArea=Sezione spedizioni ListOfSendings=Elenco delle spedizioni -SendingMethod=Metodo di spedizione -LastSendings=Ultime spedizioni %s -StatisticsOfSendings=Statistiche per le spedizioni +SendingMethod=Metodo di invio +LastSendings=Ultime %s spedizioni +StatisticsOfSendings=Statistiche spedizioni NbOfSendings=Numero di spedizioni NumberOfShipmentsByMonth=Numero di spedizioni per mese -SendingCard=Carta di spedizione +SendingCard=Scheda spedizione NewSending=Nuova spedizione -CreateShipment=Crea spedizione -QtyShipped=Qtà spedita -QtyShippedShort=Qtà nave. -QtyPreparedOrShipped=Qtà preparata o spedita -QtyToShip=Qtà da spedire +CreateShipment=Crea una spedizione +QtyShipped=Quantità spedita +QtyShippedShort=Qtà spedizione. +QtyPreparedOrShipped=Q.ta preparata o spedita +QtyToShip=Quantità da spedire QtyToReceive=Qtà da ricevere -QtyReceived=Qtà ricevuta -QtyInOtherShipments=Qtà in altre spedizioni -KeepToShip=Resta da spedire -KeepToShipShort=rimanere -OtherSendingsForSameOrder=Altre spedizioni per questo ordine -SendingsAndReceivingForSameOrder=Spedizioni e ricevute per questo ordine -SendingsToValidate=Spedizioni da validare +QtyReceived=Quantità ricevuta +QtyInOtherShipments=Q.ta in altre spedizioni +KeepToShip=Ancora da spedire +KeepToShipShort=Rimanente +OtherSendingsForSameOrder=Altre Spedizioni per questo ordine +SendingsAndReceivingForSameOrder=Spedizioni e ricezioni per questo ordini +SendingsToValidate=Spedizione da convalidare StatusSendingCanceled=Annullato StatusSendingDraft=Bozza -StatusSendingValidated=Convalidato (prodotti da spedire o già spediti) -StatusSendingProcessed=Processed +StatusSendingValidated=Convalidata (prodotti per la spedizione o già spediti) +StatusSendingProcessed=Processato StatusSendingDraftShort=Bozza -StatusSendingValidatedShort=convalidato -StatusSendingProcessedShort=Processed -SendingSheet=Foglio di spedizione +StatusSendingValidatedShort=Convalidata +StatusSendingProcessedShort=Processato +SendingSheet=Documento di spedizione ConfirmDeleteSending=Sei sicuro di voler eliminare questa spedizione? -ConfirmValidateSending=Sei sicuro di voler convalidare questa spedizione con riferimento %s ? -ConfirmCancelSending=Sei sicuro di voler annullare questa spedizione? -DocumentModelMerou=Modello Merou A5 -WarningNoQtyLeftToSend=Attenzione, nessun prodotto in attesa di essere spedito. -StatsOnShipmentsOnlyValidated=Le statistiche condotte sulle spedizioni sono state solo validate. La data utilizzata è la data di convalida della spedizione (la data di consegna pianificata non è sempre nota). -DateDeliveryPlanned=Data di consegna prevista -RefDeliveryReceipt=Ricevuta di consegna ref -StatusReceipt=Ricevuta di consegna dello stato -DateReceived=Data di consegna ricevuta +ConfirmValidateSending=Sei sicuro di voler convalidare questa spedizioni con il riferimento %s? +ConfirmCancelSending=Sei sicuro di voler eliminar questa spedizione? +DocumentModelMerou=Merou modello A5 +WarningNoQtyLeftToSend=Attenzione, non sono rimasti prodotti per la spedizione. +StatsOnShipmentsOnlyValidated=Statistiche calcolate solo sulle spedizioni convalidate. La data è quella di conferma spedizione (la data di consegna prevista non è sempre conosciuta). +DateDeliveryPlanned=Data prevista di consegna +RefDeliveryReceipt=Rif. ricevuta di consegna +StatusReceipt=Stato ricevuta di consegna +DateReceived=Data di consegna ricevuto ClassifyReception=Classificare la ricezione -SendShippingByEMail=Invia la spedizione via email -SendShippingRef=Presentazione della spedizione %s -ActionsOnShipping=Eventi sulla spedizione -LinkToTrackYourPackage=Link per tracciare il tuo pacco -ShipmentCreationIsDoneFromOrder=Per il momento, la creazione di una nuova spedizione viene effettuata dalla scheda dell'ordine. -ShipmentLine=Linea di spedizione -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders -ProductQtyInSuppliersOrdersRunning=Product quantity from open purchase orders -ProductQtyInShipmentAlreadySent=Quantità del prodotto dall'ordine cliente aperto già inviato -ProductQtyInSuppliersShipmentAlreadyRecevied=Product quantity from open purchase orders already received -NoProductToShipFoundIntoStock=Nessun prodotto da spedire trovato in magazzino %s . Azione corretta o tornare indietro per scegliere un altro magazzino. -WeightVolShort=Peso / Vol. -ValidateOrderFirstBeforeShipment=È necessario prima convalidare l'ordine prima di poter effettuare spedizioni. +SendShippingByEMail=Invia spedizione via EMail +SendShippingRef=Invio della spedizione %s +ActionsOnShipping=Acions sulla spedizione +LinkToTrackYourPackage=Link a monitorare il tuo pacchetto +ShipmentCreationIsDoneFromOrder=Per il momento, la creazione di una nuova spedizione viene effettuata dalla scheda dell'ordine. +ShipmentLine=Filiera di spedizione +ProductQtyInCustomersOrdersRunning=Product quantity into open customer orders +ProductQtyInSuppliersOrdersRunning=Product quantity into open purchase orders +ProductQtyInShipmentAlreadySent=Quantità prodotto dall'ordine cliente aperto già inviato +ProductQtyInSuppliersShipmentAlreadyRecevied=Quantità prodotto dall'ordine fornitore aperto già ricevuto +NoProductToShipFoundIntoStock=Nessun prodotto da spedire presente all'interno del magazzino %s +WeightVolShort=Peso/Vol. +ValidateOrderFirstBeforeShipment=È necessario convalidare l'ordine prima di poterlo spedire # Sending methods # ModelDocument -DocumentModelTyphon=Modello di documento più completo per le ricevute di consegna (logo ...) -Error_EXPEDITION_ADDON_NUMBER_NotDefined=Costante EXPEDITION_ADDON_NUMBER non definita -SumOfProductVolumes=Somma dei volumi di prodotti -SumOfProductWeights=Somma dei pesi del prodotto +DocumentModelTyphon=Modello più completo di documento per le ricevute di consegna (logo. ..) +Error_EXPEDITION_ADDON_NUMBER_NotDefined=EXPEDITION_ADDON_NUMBER costante non definita +SumOfProductVolumes=Totale volume prodotti +SumOfProductWeights=Totale peso prodotti # warehouse details -DetailWarehouseNumber= Dettagli del magazzino -DetailWarehouseFormat= W: %s (Qtà: %d) +DetailWarehouseNumber= Dettagli magazzino +DetailWarehouseFormat= Peso:%s (Qtà : %d) diff --git a/htdocs/langs/it_IT/stocks.lang b/htdocs/langs/it_IT/stocks.lang index 8b8b12999f3..464cd1c8923 100644 --- a/htdocs/langs/it_IT/stocks.lang +++ b/htdocs/langs/it_IT/stocks.lang @@ -1,217 +1,219 @@ # Dolibarr language file - Source file is en_US - stocks -WarehouseCard=Carta di magazzino +WarehouseCard=Scheda Magazzino Warehouse=Magazzino -Warehouses=magazzini +Warehouses=Magazzini ParentWarehouse=Magazzino principale -NewWarehouse=Nuovo magazzino / Ubicazione magazzino +NewWarehouse=Nuovo magazzino / deposito WarehouseEdit=Modifica magazzino -MenuNewWarehouse=Nuovo magazzino +MenuNewWarehouse=Nuovo Magazzino WarehouseSource=Magazzino di origine -WarehouseSourceNotDefined=Nessun magazzino definito, +WarehouseSourceNotDefined=Non è stato definito alcun magazzino. AddWarehouse=Crea magazzino AddOne=Aggiungi uno DefaultWarehouse=Magazzino predefinito WarehouseTarget=Magazzino di destinazione -ValidateSending=Elimina invio -CancelSending=Annulla l'invio -DeleteSending=Elimina invio -Stock=Azione -Stocks=riserve +ValidateSending=Elimina spedizione +CancelSending=Annulla spedizione +DeleteSending=Elimina spedizione +Stock=Scorta +Stocks=Scorte StocksByLotSerial=Scorte per lotto / seriale -LotSerial=Lotti / Serials -LotSerialList=Elenco di lotti / seriali -Movements=movimenti -ErrorWarehouseRefRequired=È richiesto il nome di riferimento del magazzino -ListOfWarehouses=Elenco dei magazzini -ListOfStockMovements=Elenco dei movimenti delle scorte -ListOfInventories=Elenco degli inventari +LotSerial=Lotti / Seriali +LotSerialList=Elenco lotti / seriali +Movements=Movimenti +ErrorWarehouseRefRequired=Il nome della referenza di magazzino è obbligatorio +ListOfWarehouses=Elenco magazzini +ListOfStockMovements=Elenco movimenti delle scorte +ListOfInventories=Elenco inventari MovementId=ID movimento StockMovementForId=ID movimento %d ListMouvementStockProject=Elenco dei movimenti delle scorte associati al progetto -StocksArea=Area magazzini +StocksArea=Area magazzino e scorte AllWarehouses=Tutti i magazzini -IncludeAlsoDraftOrders=Includi anche gli ordini di bozza -Location=Posizione -LocationSummary=Posizione del nome breve -NumberOfDifferentProducts=Numero di prodotti diversi -NumberOfProducts=Numero totale di prodotti +IncludeAlsoDraftOrders=Includi anche bozze di ordini +Location=Ubicazione +LocationSummary=Ubicazione abbreviata +NumberOfDifferentProducts=Numero di differenti prodotti +NumberOfProducts=Numero totale prodotti LastMovement=Ultimo movimento LastMovements=Ultimi movimenti -Units=unità +Units=Unità Unit=Unità -StockCorrection=Correzione dello stock -CorrectStock=Stock corretto -StockTransfer=Trasferimento stock -TransferStock=Trasferimento stock -MassStockTransferShort=Trasferimento di massa -StockMovement=Movimento di scorta -StockMovements=Movimenti di magazzino +StockCorrection=Variazioni scorte +CorrectStock=Variazione scorte +StockTransfer=Movimento scorte +TransferStock=Trasferimento scorte +MassStockTransferShort=Trasferimento di massa magazzino +StockMovement=Movimento scorte +StockMovements=Movimenti scorte NumberOfUnit=Numero di unità -UnitPurchaseValue=Prezzo di acquisto unitario -StockTooLow=Stock troppo basso -StockLowerThanLimit=Stock inferiore al limite di avviso (%s) +UnitPurchaseValue=Prezzo unitario +StockTooLow=Scorte insufficienti +StockLowerThanLimit=Scorta inferiore al limite di avviso (%s) EnhancedValue=Valore -PMPValue=Prezzo medio ponderato -PMPValueShort=WAP -EnhancedValueOfWarehouses=Valore dei magazzini -UserWarehouseAutoCreate=Crea automaticamente un magazzino utenti durante la creazione di un utente -AllowAddLimitStockByWarehouse=Gestisci anche il valore dello stock minimo e desiderato per abbinamento (prodotto-magazzino) oltre al valore dello stock minimo e desiderato per prodotto -IndependantSubProductStock=Lo stock di prodotto e lo stock di sottoprodotto sono indipendenti -QtyDispatched=Quantità spedita -QtyDispatchedShort=Qtà spedita -QtyToDispatchShort=Qtà da spedire -OrderDispatch=Ricevute dell'articolo -RuleForStockManagementDecrease=Scegli la regola per la riduzione automatica dello stock (la riduzione manuale è sempre possibile, anche se è attivata una regola di riduzione automatica) -RuleForStockManagementIncrease=Scegli la regola per l'aumento di magazzino automatico (l'aumento manuale è sempre possibile, anche se è attivata una regola di aumento automatico) -DeStockOnBill=Ridurre le scorte reali al momento della convalida della fattura cliente / nota di accredito -DeStockOnValidateOrder=Diminuire le scorte reali alla validazione degli ordini cliente -DeStockOnShipment=Riduci le scorte reali al momento della convalida della spedizione -DeStockOnShipmentOnClosing=Riduci le scorte reali quando la spedizione è impostata su Chiusa -ReStockOnBill=Aumentare le scorte reali sulla convalida della fattura fornitore / nota di accredito -ReStockOnValidateOrder=Aumentare le scorte reali sull'approvazione dell'ordine d'acquisto -ReStockOnDispatchOrder=Aumentare le scorte reali di invio manuale in magazzino, dopo aver ricevuto l'ordine di acquisto della merce -StockOnReception=Aumentare le scorte reali sulla convalida della ricezione -StockOnReceptionOnClosing=Aumenta le scorte reali quando la ricezione è impostata su chiusa -OrderStatusNotReadyToDispatch=L'ordine non ha ancora o non ha più uno status che consente la spedizione di prodotti nei magazzini di magazzino. -StockDiffPhysicTeoric=Spiegazione della differenza tra stock fisico e virtuale -NoPredefinedProductToDispatch=Nessun prodotto predefinito per questo oggetto. Pertanto non è necessario alcun dispaccio in magazzino. -DispatchVerb=Spedizione -StockLimitShort=Limite per avviso -StockLimit=Limite di scorta per avviso -StockLimitDesc=(vuoto) significa nessun avvertimento.
0 può essere utilizzato per un avviso non appena lo stock è vuoto. -PhysicalStock=Stock fisico -RealStock=Stock reale -RealStockDesc=Lo stock fisico / reale è lo stock attualmente nei magazzini. -RealStockWillAutomaticallyWhen=Lo stock reale verrà modificato in base a questa regola (come definito nel modulo Stock): -VirtualStock=Stock virtuale -VirtualStockDesc=Lo stock virtuale è lo stock calcolato disponibile una volta chiuse tutte le azioni aperte / in sospeso (che influiscono sugli stock) (ordini di acquisto ricevuti, ordini di vendita spediti ecc.) -IdWarehouse=ID magazzino +PMPValue=Media ponderata prezzo +PMPValueShort=MPP +EnhancedValueOfWarehouses=Valore magazzini +UserWarehouseAutoCreate=Crea anche un magazzino alla creazione di un utente +AllowAddLimitStockByWarehouse=Gestisci anche i valori minimo e desiderato della scorta per abbinamento (prodotto - magazzino) oltre ai valori per prodotto +IndependantSubProductStock=Le scorte di prodotto e di sottoprodotti sono indipendenti +QtyDispatched=Quantità ricevuta +QtyDispatchedShort=Q.ta ricevuta +QtyToDispatchShort=Q.ta da ricevere +OrderDispatch=Item receipts +RuleForStockManagementDecrease=Choose Rule for automatic stock decrease (manual decrease is always possible, even if an automatic decrease rule is activated) +RuleForStockManagementIncrease=Choose Rule for automatic stock increase (manual increase is always possible, even if an automatic increase rule is activated) +DeStockOnBill=Decrease real stocks on validation of customer invoice/credit note +DeStockOnValidateOrder=Decrease real stocks on validation of sales order +DeStockOnShipment=Diminuire stock reali sulla validazione di spedizione +DeStockOnShipmentOnClosing=Decrease real stocks when shipping is set to closed +ReStockOnBill=Increase real stocks on validation of vendor invoice/credit note +ReStockOnValidateOrder=Increase real stocks on purchase order approval +ReStockOnDispatchOrder=Increase real stocks on manual dispatching into warehouse, after purchase order receipt of goods +StockOnReception=Increase real stocks on validation of reception +StockOnReceptionOnClosing=Increase real stocks when reception is set to closed +OrderStatusNotReadyToDispatch=Lo stato dell'ordine non ne consente la spedizione dei prodotti a magazzino. +StockDiffPhysicTeoric=Explanation for difference between physical and virtual stock +NoPredefinedProductToDispatch=Per l'oggetto non ci sono prodotti predefiniti. Quindi non è necessario alterare le scorte. +DispatchVerb=Ricezione +StockLimitShort=Limite per segnalazioni +StockLimit=Limite minimo scorte (per gli avvisi) +StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +PhysicalStock=Physical Stock +RealStock=Scorte reali +RealStockDesc=Physical/real stock is the stock currently in the warehouses. +RealStockWillAutomaticallyWhen=The real stock will be modified according to this rule (as defined in the Stock module): +VirtualStock=Scorte virtuali +VirtualStockDesc=Virtual stock is the calculated stock available once all open/pending actions (that affect stocks) are closed (purchase orders received, sales orders shipped etc.) +IdWarehouse=Id magazzino DescWareHouse=Descrizione magazzino -LieuWareHouse=Magazzino di localizzazione +LieuWareHouse=Ubicazione magazzino WarehousesAndProducts=Magazzini e prodotti -WarehousesAndProductsBatchDetail=Magazzini e prodotti (con dettaglio per lotto / seriale) -AverageUnitPricePMPShort=Prezzo medio ponderato di input -AverageUnitPricePMP=Prezzo medio ponderato di input -SellPriceMin=Prezzo unitario di vendita -EstimatedStockValueSellShort=Valore per la vendita -EstimatedStockValueSell=Valore per la vendita -EstimatedStockValueShort=Immettere il valore dello stock -EstimatedStockValue=Immettere il valore dello stock +WarehousesAndProductsBatchDetail=Magazzini e prodotti (con indicazione dei lotti/numeri di serie) +AverageUnitPricePMPShort=Media prezzi scorte +AverageUnitPricePMP=Media dei prezzi delle scorte +SellPriceMin=Prezzo di vendita unitario +EstimatedStockValueSellShort=Valori di vendita +EstimatedStockValueSell=Valori di vendita +EstimatedStockValueShort=Valore stimato scorte +EstimatedStockValue=Valore stimato delle scorte DeleteAWarehouse=Elimina un magazzino -ConfirmDeleteWarehouse=Sei sicuro di voler eliminare il magazzino %s ? -PersonalStock=Stock personale %s -ThisWarehouseIsPersonalStock=Questo magazzino rappresenta lo stock personale di %s %s -SelectWarehouseForStockDecrease=Scegli il magazzino da utilizzare per la riduzione dello stock -SelectWarehouseForStockIncrease=Scegli il magazzino da utilizzare per l'aumento delle scorte -NoStockAction=Nessuna azione di scorta -DesiredStock=Stock desiderato -DesiredStockDesc=Questo importo dello stock sarà il valore utilizzato per riempire lo stock mediante la funzione di rifornimento. -StockToBuy=Per ordinare -Replenishment=rifornimento +ConfirmDeleteWarehouse=Vuoi davvero eliminare il magazzino %s? +PersonalStock=Scorte personali %s +ThisWarehouseIsPersonalStock=Questo magazzino rappresenta la riserva personale di %s %s +SelectWarehouseForStockDecrease=Scegli magazzino da utilizzare per la riduzione delle scorte +SelectWarehouseForStockIncrease=Scegli magazzino da utilizzare per l'aumento delle scorte +NoStockAction=Nessuna azione su queste scorte +DesiredStock=Desired Stock +DesiredStockDesc=Questa quantità sarà il valore utilizzato per rifornire il magazzino mediante la funzione di rifornimento. +StockToBuy=Da ordinare +Replenishment=Rifornimento ReplenishmentOrders=Ordini di rifornimento -VirtualDiffersFromPhysical=In base all'aumento / alla riduzione delle stock options, lo stock fisico e lo stock virtuale (ordini fisici + correnti) possono differire -UseVirtualStockByDefault=Utilizza lo stock virtuale per impostazione predefinita, anziché lo stock fisico, per la funzione di rifornimento -UseVirtualStock=Usa stock virtuale -UsePhysicalStock=Usa stock fisico +VirtualDiffersFromPhysical=In relazione alle opzioni di incremento/riduzione, le scorte fisiche e quelle virtuali (fisiche - ordini clienti + ordini fornitori) potrebbero differire +UseVirtualStockByDefault=Utilizza scorte virtuali come default, invece delle scorte fisiche, per la funzione di rifornimento +UseVirtualStock=Usa scorte virtuale +UsePhysicalStock=Usa giacenza fisica CurentSelectionMode=Modalità di selezione corrente -CurentlyUsingVirtualStock=Stock virtuale -CurentlyUsingPhysicalStock=Stock fisico +CurentlyUsingVirtualStock=Giacenza virtuale +CurentlyUsingPhysicalStock=Giacenza fisica RuleForStockReplenishment=Regola per il rifornimento delle scorte -SelectProductWithNotNullQty=Seleziona almeno un prodotto con una quantità non nulla e un fornitore +SelectProductWithNotNullQty=Select at least one product with a qty not null and a vendor AlertOnly= Solo avvisi -WarehouseForStockDecrease=Il magazzino %s verrà utilizzato per la riduzione delle scorte -WarehouseForStockIncrease=Il magazzino %s verrà utilizzato per l'aumento delle scorte +WarehouseForStockDecrease=Il magazzino %s sarà usato per la diminuzione delle scorte +WarehouseForStockIncrease=Il magazzino %s sarà usato per l'aumento delle scorte ForThisWarehouse=Per questo magazzino -ReplenishmentStatusDesc=Questo è un elenco di tutti i prodotti con uno stock inferiore allo stock desiderato (o inferiore al valore di avviso se la casella di controllo "solo avviso" è selezionata). Utilizzando la casella di controllo, è possibile creare ordini di acquisto per colmare la differenza. -ReplenishmentOrdersDesc=Questo è un elenco di tutti gli ordini di acquisto aperti, compresi i prodotti predefiniti. Qui sono visibili solo ordini aperti con prodotti predefiniti, quindi ordini che possono influire sulle scorte. -Replenishments=ricostituzioni -NbOfProductBeforePeriod=Quantità di prodotto %s in magazzino prima del periodo selezionato (<%s) -NbOfProductAfterPeriod=Quantità di prodotto %s in magazzino dopo il periodo selezionato (> %s) -MassMovement=Movimento di massa -SelectProductInAndOutWareHouse=Seleziona un prodotto, una quantità, un magazzino di origine e un magazzino di destinazione, quindi fai clic su "%s". Una volta fatto questo per tutti i movimenti richiesti, clicca su "%s". -RecordMovement=Registrare il trasferimento -ReceivingForSameOrder=Ricevute per questo ordine -StockMovementRecorded=Movimenti di magazzino registrati -RuleForStockAvailability=Regole sui requisiti delle scorte -StockMustBeEnoughForInvoice=Il livello delle scorte deve essere sufficiente per aggiungere il prodotto / servizio alla fattura (il controllo viene effettuato sullo stock reale corrente quando si aggiunge una riga alla fattura qualunque sia la regola per il cambio automatico dello stock) -StockMustBeEnoughForOrder=Il livello delle scorte deve essere sufficiente per aggiungere il prodotto / servizio all'ordine (il controllo viene effettuato sulle scorte reali correnti quando si aggiunge una riga all'ordine, qualunque sia la regola per il cambio automatico delle scorte) -StockMustBeEnoughForShipment= Il livello delle scorte deve essere sufficiente per aggiungere il prodotto / servizio alla spedizione (il controllo viene effettuato sullo stock reale corrente quando si aggiunge una riga alla spedizione qualunque sia la regola per il cambio automatico delle scorte) -MovementLabel=Etichetta di movimento -TypeMovement=Tipo di movimento -DateMovement=Data del movimento -InventoryCode=Codice di movimento o di inventario +ReplenishmentStatusDesc=This is a list of all products with a stock lower than desired stock (or lower than alert value if checkbox "alert only" is checked). Using the checkbox, you can create purchase orders to fill the difference. +ReplenishmentOrdersDesc=This is a list of all open purchase orders including predefined products. Only open orders with predefined products, so orders that may affect stocks, are visible here. +Replenishments=Rifornimento +NbOfProductBeforePeriod=Quantità del prodotto %s in magazzino prima del periodo selezionato (< %s) +NbOfProductAfterPeriod=Quantità del prodotto %s in magazzino dopo il periodo selezionato (< %s) +MassMovement=Movimentazione di massa +SelectProductInAndOutWareHouse=Seleziona un prodotto, una quantità, un magazzino di origine ed uno di destinazione, poi clicca "%s". Una volta terminato, per tutte le movimentazioni da effettuare, clicca su "%s". +RecordMovement=Record transfer +ReceivingForSameOrder=Ricevuta per questo ordine +StockMovementRecorded=Movimentazione di scorte registrata +RuleForStockAvailability=Regole sulla fornitura delle scorte +StockMustBeEnoughForInvoice=Stock level must be enough to add product/service to invoice (check is done on current real stock when adding a line into invoice whatever the rule for automatic stock change) +StockMustBeEnoughForOrder=Stock level must be enough to add product/service to order (check is done on current real stock when adding a line into order whatever the rule for automatic stock change) +StockMustBeEnoughForShipment= Stock level must be enough to add product/service to shipment (check is done on current real stock when adding a line into shipment whatever the rule for automatic stock change) +MovementLabel=Etichetta per lo spostamento di magazzino +TypeMovement=Type of movement +DateMovement=Date of movement +InventoryCode=Codice di inventario o di spostamento IsInPackage=Contenuto nel pacchetto -WarehouseAllowNegativeTransfer=Lo stock può essere negativo -qtyToTranferIsNotEnough=Non hai abbastanza scorte dal tuo magazzino di origine e la tua configurazione non consente scorte negative. +WarehouseAllowNegativeTransfer=Scorte possono essere negative +qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Mostra magazzino -MovementCorrectStock=Correzione stock per prodotto %s -MovementTransferStock=Trasferimento stock del prodotto %s in un altro magazzino -InventoryCodeShort=Inv./Mov. codice -NoPendingReceptionOnSupplierOrder=Nessuna ricezione in sospeso a causa di un ordine di acquisto aperto -ThisSerialAlreadyExistWithDifferentDate=Questo numero di lotto / seriale ( %s ) esiste già ma con una data di chiusura o di vendita diversa (trovato %s ma si immette %s ). -OpenAll=Aperto a tutte le azioni -OpenInternal=Aperto solo per azioni interne -UseDispatchStatus=Utilizzare uno stato di spedizione (approvazione / rifiuto) per le linee di prodotti alla ricezione dell'ordine di acquisto -OptionMULTIPRICESIsOn=L'opzione "diversi prezzi per segmento" è attiva. Significa che un prodotto ha diversi prezzi di vendita, quindi il valore per la vendita non può essere calcolato -ProductStockWarehouseCreated=Limite di stock per avviso e stock ottimale desiderato creato correttamente -ProductStockWarehouseUpdated=Limite di stock per avviso e stock ottimale desiderato aggiornato correttamente -ProductStockWarehouseDeleted=Limite di stock per avviso e stock ottimale desiderato eliminato correttamente -AddNewProductStockWarehouse=Impostare un nuovo limite per l'avviso e lo stock ottimale desiderato -AddStockLocationLine=Riduci la quantità, quindi fai clic per aggiungere un altro magazzino per questo prodotto -InventoryDate=Data di inventario -NewInventory=Nuovo inventario -inventorySetup = Impostazione dell'inventario -inventoryCreatePermission=Crea nuovo inventario -inventoryReadPermission=Visualizza inventari -inventoryWritePermission=Aggiorna inventari -inventoryValidatePermission=Convalida inventario +MovementCorrectStock=Correzione scorte per il prodotto %s +MovementTransferStock=Trasferisci scorte del prodotto %s in un altro magazzino +InventoryCodeShort=Codice di inventario o di spostamento +NoPendingReceptionOnSupplierOrder=No pending reception due to open purchase order +ThisSerialAlreadyExistWithDifferentDate=Questo lotto/numero seriale (%s) esiste già con una differente data di scadenza o di validità (trovata %s, inserita %s ) +OpenAll=Aperto per tutte le azioni +OpenInternal=Aperto per le azioni interne +UseDispatchStatus=Use a dispatch status (approve/refuse) for product lines on purchase order reception +OptionMULTIPRICESIsOn=Option "several prices per segment" is on. It means a product has several selling price so value for sell can't be calculated +ProductStockWarehouseCreated=Stock limit for alert and desired optimal stock correctly created +ProductStockWarehouseUpdated=Stock limit for alert and desired optimal stock correctly updated +ProductStockWarehouseDeleted=Stock limit for alert and desired optimal stock correctly deleted +AddNewProductStockWarehouse=Set new limit for alert and desired optimal stock +AddStockLocationLine=Decrease quantity then click to add another warehouse for this product +InventoryDate=Inventory date +NewInventory=New inventory +inventorySetup = Inventory Setup +inventoryCreatePermission=Create new inventory +inventoryReadPermission=View inventories +inventoryWritePermission=Update inventories +inventoryValidatePermission=Validate inventory inventoryTitle=Inventario -inventoryListTitle=rimanenze -inventoryListEmpty=Nessun inventario in corso -inventoryCreateDelete=Crea / Elimina inventario -inventoryCreate=Creare nuovo -inventoryEdit=modificare -inventoryValidate=convalidato -inventoryDraft=In esecuzione -inventorySelectWarehouse=Scelta del magazzino -inventoryConfirmCreate=Creare -inventoryOfWarehouse=Inventario per magazzino: %s -inventoryErrorQtyAdd=Errore: una quantità è inferiore a zero -inventoryMvtStock=Per inventario -inventoryWarningProductAlreadyExists=Questo prodotto è già in elenco +inventoryListTitle=Inventories +inventoryListEmpty=No inventory in progress +inventoryCreateDelete=Create/Delete inventory +inventoryCreate=Create new +inventoryEdit=Modifica +inventoryValidate=Convalidato +inventoryDraft=In corso +inventorySelectWarehouse=Warehouse choice +inventoryConfirmCreate=Crea +inventoryOfWarehouse=Inventory for warehouse: %s +inventoryErrorQtyAdd=Error: one quantity is less than zero +inventoryMvtStock=By inventory +inventoryWarningProductAlreadyExists=This product is already into list SelectCategory=Filtro categoria -SelectFournisseur=Filtro fornitore +SelectFournisseur=Vendor filter inventoryOnDate=Inventario -INVENTORY_DISABLE_VIRTUAL=Prodotto virtuale (kit): non ridurre lo stock di un prodotto figlio -INVENTORY_USE_MIN_PA_IF_NO_LAST_PA=Utilizzare il prezzo d'acquisto se non è stato trovato l'ultimo prezzo d'acquisto -INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=I movimenti delle scorte avranno la data di inventario (anziché la data di convalida dell'inventario) -inventoryChangePMPPermission=Consentire di modificare il valore PMP per un prodotto -ColumnNewPMP=Nuova unità PMP -OnlyProdsInStock=Non aggiungere prodotto senza magazzino -TheoricalQty=Teoria qtà -TheoricalValue=Teoria qtà -LastPA=Ultima BP -CurrentPA=BP attuale -RealQty=Qtà reale -RealValue=Valore reale -RegulatedQty=Qtà regolamentata -AddInventoryProduct=Aggiungi prodotto all'inventario -AddProduct=Inserisci -ApplyPMP=Applica PMP -FlushInventory=Inventario a filo -ConfirmFlushInventory=Confermi questa azione? -InventoryFlushed=Inventario svuotato -ExitEditMode=Esci dall'edizione +INVENTORY_DISABLE_VIRTUAL=Virtual product (kit): do not decrement stock of a child product +INVENTORY_USE_MIN_PA_IF_NO_LAST_PA=Use the buy price if no last buy price can be found +INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=I movimenti delle scorte avranno la data di inventario (anziché la data di convalida dell'inventario) +inventoryChangePMPPermission=Allow to change PMP value for a product +ColumnNewPMP=New unit PMP +OnlyProdsInStock=Do not add product without stock +TheoricalQty=Theorique qty +TheoricalValue=Theorique qty +LastPA=Last BP +CurrentPA=Curent BP +RecordedQty=Recorded Qty +RealQty=Real Qty +RealValue=Real Value +RegulatedQty=Regulated Qty +AddInventoryProduct=Add product to inventory +AddProduct=Aggiungi +ApplyPMP=Apply PMP +FlushInventory=Flush inventory +ConfirmFlushInventory=Do you confirm this action? +InventoryFlushed=Inventory flushed +ExitEditMode=Exit edition inventoryDeleteLine=Elimina riga -RegulateStock=Regolare lo stock +RegulateStock=Regulate Stock ListInventory=Elenco -StockSupportServices=La gestione delle scorte supporta i servizi -StockSupportServicesDesc=Per impostazione predefinita, è possibile conservare solo prodotti di tipo "prodotto". È inoltre possibile immagazzinare un prodotto di tipo "servizio" se sono abilitati sia il modulo Servizi che questa opzione. -ReceiveProducts=Ricevi articoli -StockIncreaseAfterCorrectTransfer=Aumento mediante correzione / trasferimento -StockDecreaseAfterCorrectTransfer=Riduzione mediante correzione / trasferimento -StockIncrease=Aumento delle scorte -StockDecrease=Diminuzione delle scorte +StockSupportServices=Stock management supports Services +StockSupportServicesDesc=By default, you can stock only products of type "product". You may also stock a product of type "service" if both module Services and this option are enabled. +ReceiveProducts=Receive items +StockIncreaseAfterCorrectTransfer=Increase by correction/transfer +StockDecreaseAfterCorrectTransfer=Decrease by correction/transfer +StockIncrease=Stock increase +StockDecrease=Stock decrease InventoryForASpecificWarehouse=Inventario per un magazzino specifico InventoryForASpecificProduct=Inventario per un prodotto specifico StockIsRequiredToChooseWhichLotToUse=Stock is required to choose which lot to use diff --git a/htdocs/langs/it_IT/stripe.lang b/htdocs/langs/it_IT/stripe.lang index a0b053a10a5..cb69b485a6a 100644 --- a/htdocs/langs/it_IT/stripe.lang +++ b/htdocs/langs/it_IT/stripe.lang @@ -1,70 +1,70 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Configurazione del modulo stripe -StripeDesc=Offri ai clienti una pagina di pagamento online Stripe per pagamenti con carte di credito / debito tramite Stripe . Questo può essere usato per consentire ai tuoi clienti di effettuare pagamenti ad-hoc o per pagamenti relativi a un particolare oggetto Dolibarr (fattura, ordine, ...) -StripeOrCBDoPayment=Paga con carta di credito o Stripe -FollowingUrlAreAvailableToMakePayments=Sono disponibili i seguenti URL per offrire una pagina a un cliente per effettuare un pagamento su oggetti Dolibarr +StripeSetup=Stripe module setup +StripeDesc=Offer customers a Stripe online payment page for payments with credit/cebit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) +StripeOrCBDoPayment=Pay with credit card or Stripe +FollowingUrlAreAvailableToMakePayments=Puoi utilizzare i seguenti indirizzi per permettere ai clienti di effettuare pagamenti su Dolibarr PaymentForm=Forma di pagamento -WelcomeOnPaymentPage=Benvenuti nel nostro servizio di pagamento online -ThisScreenAllowsYouToPay=Questa schermata consente di effettuare un pagamento online a %s. -ThisIsInformationOnPayment=Queste sono informazioni sul pagamento da fare -ToComplete=Completare -YourEMail=Email per ricevere conferma del pagamento -STRIPE_PAYONLINE_SENDEMAIL=Notifica e-mail dopo un tentativo di pagamento (esito positivo o negativo) +WelcomeOnPaymentPage=Welcome to our online payment service +ThisScreenAllowsYouToPay=Questa schermata consente di effettuare un pagamento online su %s. +ThisIsInformationOnPayment=Informazioni sul pagamento da effettuare +ToComplete=Per completare +YourEMail=Email per la conferma del pagamento +STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) Creditor=Creditore -PaymentCode=Codice di pagamento -StripeDoPayment=Paga con la banda -YouWillBeRedirectedOnStripe=Verrai reindirizzato sulla pagina Stripe protetta per inserire i dati della tua carta di credito -Continue=Il prossimo -ToOfferALinkForOnlinePayment=URL per pagamento %s -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription +PaymentCode=Codice pagamento +StripeDoPayment=Pay with Stripe +YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information +Continue=Successivo +ToOfferALinkForOnlinePayment=URL per il pagamento %s +ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment user interface for a sales order +ToOfferALinkForOnlinePaymentOnInvoice=URL per il pagamento %s di una fattura +ToOfferALinkForOnlinePaymentOnContractLine=URL per il pagamento %s di una riga di contratto +ToOfferALinkForOnlinePaymentOnFreeAmount=URL per il pagamento %s di un importo +ToOfferALinkForOnlinePaymentOnMemberSubscription=URL per il pagamento %s dell'adesione di un membro ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Configura la tua Stripe con l'URL %s per fare in modo che il pagamento venga creato automaticamente quando convalidato da Stripe. -AccountParameter=Parametri dell'account -UsageParameter=Parametri di utilizzo -InformationToFindParameters=Aiuta a trovare le informazioni del tuo account %s -STRIPE_CGI_URL_V2=Url del modulo Stripe CGI per il pagamento +YouCanAddTagOnUrl=Puoi anche aggiungere a qualunque di questi url il parametro &tag=value (richiesto solo per il pagamento gratuito) per aggiungere una tag con un tuo commento. +SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. +AccountParameter=Dati account +UsageParameter=Parametri d'uso +InformationToFindParameters=Aiuto per trovare informazioni sul tuo account %s +STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment VendorName=Nome del venditore CSSUrlForPaymentForm=URL del foglio di stile CSS per il modulo di pagamento -NewStripePaymentReceived=Nuovo pagamento Stripe ricevuto -NewStripePaymentFailed=Nuovo pagamento Stripe provato ma non riuscito -STRIPE_TEST_SECRET_KEY=Chiave di prova segreta -STRIPE_TEST_PUBLISHABLE_KEY=Chiave di prova pubblicabile -STRIPE_TEST_WEBHOOK_KEY=Chiave di test Webhook -STRIPE_LIVE_SECRET_KEY=Chiave live segreta -STRIPE_LIVE_PUBLISHABLE_KEY=Chiave live pubblicabile -STRIPE_LIVE_WEBHOOK_KEY=Chiave live di Webhook -ONLINE_PAYMENT_WAREHOUSE=Lo stock da utilizzare per lo stock diminuisce quando viene effettuato il pagamento online
(TODO Quando viene effettuata l'opzione per ridurre lo stock su un'azione sulla fattura e il pagamento online genera automaticamente la fattura?) -StripeLiveEnabled=Stripe live abilitato (altrimenti modalità test / sandbox) -StripeImportPayment=Importa pagamenti Stripe -ExampleOfTestCreditCard=Esempio di carta di credito per il test: %s => valido, %s => errore CVC, %s => scaduto, %s => addebito non riuscito -StripeGateways=Gateway a strisce -OAUTH_STRIPE_TEST_ID=ID client Stripe Connect (ca _...) -OAUTH_STRIPE_LIVE_ID=ID client Stripe Connect (ca _...) -BankAccountForBankTransfer=Conto bancario per pagamenti di fondi -StripeAccount=Conto a strisce -StripeChargeList=Elenco di addebiti Stripe -StripeTransactionList=Elenco delle transazioni Stripe -StripeCustomerId=ID cliente Stripe -StripePaymentModes=Stripe modalità di pagamento -LocalID=ID locale -StripeID=ID striscia -NameOnCard=nome sulla carta -CardNumber=Numero di carta -ExpiryDate=Data di scadenza +NewStripePaymentReceived=New Stripe payment received +NewStripePaymentFailed=New Stripe payment tried but failed +STRIPE_TEST_SECRET_KEY=Secret test key +STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key +STRIPE_TEST_WEBHOOK_KEY=Webhook test key +STRIPE_LIVE_SECRET_KEY=Secret live key +STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key +STRIPE_LIVE_WEBHOOK_KEY=Webhook live key +ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
(TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) +StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) +StripeImportPayment=Import Stripe payments +ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails +StripeGateways=Stripe gateways +OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) +OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) +BankAccountForBankTransfer=Bank account for fund payouts +StripeAccount=Stripe account +StripeChargeList=List of Stripe charges +StripeTransactionList=List of Stripe transactions +StripeCustomerId=Stripe customer id +StripePaymentModes=Stripe payment modes +LocalID=Local ID +StripeID=Stripe ID +NameOnCard=Name on card +CardNumber=Card Number +ExpiryDate=Expiry Date CVN=CVN -DeleteACard=Elimina carta -ConfirmDeleteCard=Sei sicuro di voler eliminare questa carta di credito o di debito? -CreateCustomerOnStripe=Crea cliente su Stripe -CreateCardOnStripe=Crea una carta su Stripe -ShowInStripe=Spettacolo a strisce -StripeUserAccountForActions=Account utente da utilizzare per la notifica via e-mail di alcuni eventi Stripe (pagamenti Stripe) -StripePayoutList=Elenco dei pagamenti Stripe -ToOfferALinkForTestWebhook=Collegamento alla configurazione di Stripe WebHook per chiamare l'IPN (modalità test) -ToOfferALinkForLiveWebhook=Collegamento alla configurazione di Stripe WebHook per chiamare l'IPN (modalità live) -PaymentWillBeRecordedForNextPeriod=Il pagamento verrà registrato per il periodo successivo. -ClickHereToTryAgain=Fai clic qui per riprovare ... +DeleteACard=Delete Card +ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? +CreateCustomerOnStripe=Create customer on Stripe +CreateCardOnStripe=Create card on Stripe +ShowInStripe=Show in Stripe +StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) +StripePayoutList=List of Stripe payouts +ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) +ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) +PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. +ClickHereToTryAgain=Click here to try again... diff --git a/htdocs/langs/it_IT/supplier_proposal.lang b/htdocs/langs/it_IT/supplier_proposal.lang index cfc11dfcd70..31568557d34 100644 --- a/htdocs/langs/it_IT/supplier_proposal.lang +++ b/htdocs/langs/it_IT/supplier_proposal.lang @@ -16,7 +16,7 @@ SupplierProposalsShort=Proposta venditore NewAskPrice=Nuova richiesta quotazione ShowSupplierProposal=Mostra le richieste di quotazione AddSupplierProposal=Inserisci richiesta di quotazione -SupplierProposalRefFourn=Riferimento fornitore +SupplierProposalRefFourn=Riferimento fornitore SupplierProposalDate=Data di spedizione SupplierProposalRefFournNotice=Prima di chiudere come "Accettata", inserisci un riferimento al fornitore ConfirmValidateAsk=Vuoi davvero convalidare la richiesta di quotazione con il nome %s? diff --git a/htdocs/langs/it_IT/ticket.lang b/htdocs/langs/it_IT/ticket.lang index e01ac1a0987..f76b4b697ca 100644 --- a/htdocs/langs/it_IT/ticket.lang +++ b/htdocs/langs/it_IT/ticket.lang @@ -18,21 +18,21 @@ # Generic # -Module56000Name=Biglietti -Module56000Desc=Sistema di ticket per l'emissione o la gestione delle richieste +Module56000Name=Ticket +Module56000Desc=Sistema di ticket per la gestione di problemi o richieste -Permission56001=Vedi i biglietti -Permission56002=Modifica i biglietti -Permission56003=Elimina i biglietti -Permission56004=Gestisci i biglietti -Permission56005=Vedi i biglietti di tutte le terze parti (non valido per gli utenti esterni, sii sempre limitato alle terze parti da cui dipendono) +Permission56001=See tickets +Permission56002=Modify tickets +Permission56003=Delete tickets +Permission56004=Manage tickets +Permission56005=See tickets of all third parties (not effective for external users, always be limited to the third party they depend on) -TicketDictType=Ticket - Tipi -TicketDictCategory=Ticket - Gruppi -TicketDictSeverity=Ticket: gravità +TicketDictType=Ticket - Types +TicketDictCategory=Ticket - Groupes +TicketDictSeverity=Ticket - Severities TicketTypeShortBUGSOFT=Dysfonctionnement logiciel TicketTypeShortBUGHARD=Dysfonctionnement matériel -TicketTypeShortCOM=Domanda commerciale +TicketTypeShortCOM=Commercial question TicketTypeShortHELP=Request for functionnal help TicketTypeShortISSUE=Issue, bug or problem @@ -42,104 +42,104 @@ TicketTypeShortOTHER=Altro TicketSeverityShortLOW=Basso TicketSeverityShortNORMAL=Normale -TicketSeverityShortHIGH=alto -TicketSeverityShortBLOCKING=Critical / Blocco +TicketSeverityShortHIGH=Alto +TicketSeverityShortBLOCKING=Critical/Blocking -ErrorBadEmailAddress=Campo '%s' errato -MenuTicketMyAssign=I miei biglietti -MenuTicketMyAssignNonClosed=I miei biglietti aperti -MenuListNonClosed=Biglietti aperti +ErrorBadEmailAddress=Campo '%s' non corretto +MenuTicketMyAssign=My tickets +MenuTicketMyAssignNonClosed=My open tickets +MenuListNonClosed=Open tickets -TypeContact_ticket_internal_CONTRIBUTOR=Collaboratore -TypeContact_ticket_internal_SUPPORTTEC=Utente assegnato -TypeContact_ticket_external_SUPPORTCLI=Contatto del cliente / monitoraggio degli incidenti -TypeContact_ticket_external_CONTRIBUTOR=Collaboratore esterno +TypeContact_ticket_internal_CONTRIBUTOR=Contributore +TypeContact_ticket_internal_SUPPORTTEC=Assigned user +TypeContact_ticket_external_SUPPORTCLI=Customer contact / incident tracking +TypeContact_ticket_external_CONTRIBUTOR=External contributor -OriginEmail=Fonte email -Notify_TICKET_SENTBYMAIL=Invia messaggio biglietto via e-mail +OriginEmail=Email source +Notify_TICKET_SENTBYMAIL=Send ticket message by email # Status -NotRead=Non leggere -Read=Leggere +NotRead=Non letto +Read=Da leggere Assigned=Assegnato -InProgress=In corso -NeedMoreInformation=In attesa di informazioni -Answered=risposto +InProgress=Avviato +NeedMoreInformation=Waiting for information +Answered=Answered Waiting=In attesa Closed=Chiuso -Deleted=eliminata +Deleted=Deleted # Dict -Type=genere -Category=Codice analitico +Type=Tipo +Category=Analytic code Severity=Gravità # Email templates -MailToSendTicketMessage=Per inviare e-mail dal messaggio del biglietto +MailToSendTicketMessage=Per inviare e-mail dal messaggio ticket # # Admin page # -TicketSetup=Impostazione del modulo ticket -TicketSettings=impostazioni +TicketSetup=Ticket module setup +TicketSettings=Impostazioni TicketSetupPage= -TicketPublicAccess=Un'interfaccia pubblica che non richiede identificazione è disponibile al seguente indirizzo -TicketSetupDictionaries=Il tipo di ticket, la gravità e i codici analitici sono configurabili dai dizionari -TicketParamModule=Impostazione variabile del modulo -TicketParamMail=Configurazione e-mail -TicketEmailNotificationFrom=Email di notifica da -TicketEmailNotificationFromHelp=Utilizzato nella risposta del messaggio del ticket con l'esempio -TicketEmailNotificationTo=Notifiche via email a -TicketEmailNotificationToHelp=Invia notifiche e-mail a questo indirizzo. -TicketNewEmailBodyLabel=SMS inviato dopo aver creato un ticket -TicketNewEmailBodyHelp=Il testo qui specificato verrà inserito nell'e-mail di conferma della creazione di un nuovo ticket dall'interfaccia pubblica. Le informazioni sulla consultazione del biglietto vengono aggiunte automaticamente. -TicketParamPublicInterface=Configurazione dell'interfaccia pubblica -TicketsEmailMustExist=Richiedi un indirizzo email esistente per creare un ticket -TicketsEmailMustExistHelp=Nell'interfaccia pubblica, l'indirizzo e-mail dovrebbe già essere inserito nel database per creare un nuovo ticket. +TicketPublicAccess=A public interface requiring no identification is available at the following url +TicketSetupDictionaries=The type of ticket, severity and analytic codes are configurable from dictionaries +TicketParamModule=Module variable setup +TicketParamMail=Email setup +TicketEmailNotificationFrom=Notification email from +TicketEmailNotificationFromHelp=Used into ticket message answer by example +TicketEmailNotificationTo=Notifications email to +TicketEmailNotificationToHelp=Invia email di notifica a questo indirizzo +TicketNewEmailBodyLabel=Text message sent after creating a ticket +TicketNewEmailBodyHelp=The text specified here will be inserted into the email confirming the creation of a new ticket from the public interface. Information on the consultation of the ticket are automatically added. +TicketParamPublicInterface=Public interface setup +TicketsEmailMustExist=Require an existing email address to create a ticket +TicketsEmailMustExistHelp=Nell'interfaccia pubblica, l'indirizzo email dovrebbe già essere inserito nel database per creare un nuovo ticket PublicInterface=Interfaccia pubblica -TicketUrlPublicInterfaceLabelAdmin=URL alternativo per l'interfaccia pubblica -TicketUrlPublicInterfaceHelpAdmin=È possibile definire un alias per il server Web e quindi rendere disponibile l'interfaccia pubblica con un altro URL (il server deve fungere da proxy su questo nuovo URL) -TicketPublicInterfaceTextHomeLabelAdmin=Testo di benvenuto dell'interfaccia pubblica -TicketPublicInterfaceTextHome=Puoi creare un ticket di supporto o visualizzare gli esistenti dal relativo ticket di tracciamento identificativo. -TicketPublicInterfaceTextHomeHelpAdmin=Il testo qui definito verrà visualizzato nella home page dell'interfaccia pubblica. -TicketPublicInterfaceTopicLabelAdmin=Titolo dell'interfaccia -TicketPublicInterfaceTopicHelp=Questo testo verrà visualizzato come titolo dell'interfaccia pubblica. -TicketPublicInterfaceTextHelpMessageLabelAdmin=Aiuto testo alla voce del messaggio -TicketPublicInterfaceTextHelpMessageHelpAdmin=Questo testo verrà visualizzato sopra l'area di immissione dei messaggi dell'utente. -ExtraFieldsTicket=Attributi extra -TicketCkEditorEmailNotActivated=L'editor HTML non è attivato. Metti il contenuto FCKEDITOR_ENABLE_MAIL su 1 per ottenerlo. -TicketsDisableEmail=Non inviare e-mail per la creazione di biglietti o la registrazione di messaggi -TicketsDisableEmailHelp=Per impostazione predefinita, le e-mail vengono inviate quando vengono creati nuovi biglietti o messaggi. Abilita questa opzione per disabilitare * tutte * le notifiche e-mail -TicketsLogEnableEmail=Abilita registro via e-mail -TicketsLogEnableEmailHelp=Ad ogni modifica, verrà inviata un'e-mail ** a ciascun contatto ** associato al biglietto. -TicketParams=Parametri -TicketsShowModuleLogo=Visualizza il logo del modulo nell'interfaccia pubblica -TicketsShowModuleLogoHelp=Abilita questa opzione per nascondere il modulo logo nelle pagine dell'interfaccia pubblica -TicketsShowCompanyLogo=Visualizza il logo dell'azienda nell'interfaccia pubblica -TicketsShowCompanyLogoHelp=Abilita questa opzione per nascondere il logo dell'azienda principale nelle pagine dell'interfaccia pubblica -TicketsEmailAlsoSendToMainAddress=Invia anche una notifica all'indirizzo e-mail principale -TicketsEmailAlsoSendToMainAddressHelp=Abilita questa opzione per inviare un'e-mail all'indirizzo "Notifica e-mail da" (vedi impostazione sotto) -TicketsLimitViewAssignedOnly=Limitare la visualizzazione ai ticket assegnati all'utente corrente (non valido per gli utenti esterni, limitarsi sempre alla terza parte da cui dipendono) -TicketsLimitViewAssignedOnlyHelp=Saranno visibili solo i ticket assegnati all'utente corrente. Non si applica a un utente con diritti di gestione dei ticket. -TicketsActivatePublicInterface=Attiva l'interfaccia pubblica -TicketsActivatePublicInterfaceHelp=L'interfaccia pubblica consente a tutti i visitatori di creare biglietti. -TicketsAutoAssignTicket=Assegna automaticamente l'utente che ha creato il ticket -TicketsAutoAssignTicketHelp=Durante la creazione di un ticket, l'utente può essere assegnato automaticamente al ticket. -TicketNumberingModules=Modulo di numerazione dei biglietti -TicketNotifyTiersAtCreation=Notifica a terzi al momento della creazione +TicketUrlPublicInterfaceLabelAdmin=Alternative URL for public interface +TicketUrlPublicInterfaceHelpAdmin=It is possible to define an alias to the web server and thus make available the public interface with another URL (the server must act as a proxy on this new URL) +TicketPublicInterfaceTextHomeLabelAdmin=Welcome text of the public interface +TicketPublicInterfaceTextHome=You can create a support ticket or view existing from its identifier tracking ticket. +TicketPublicInterfaceTextHomeHelpAdmin=The text defined here will appear on the home page of the public interface. +TicketPublicInterfaceTopicLabelAdmin=Interface title +TicketPublicInterfaceTopicHelp=This text will appear as the title of the public interface. +TicketPublicInterfaceTextHelpMessageLabelAdmin=Help text to the message entry +TicketPublicInterfaceTextHelpMessageHelpAdmin=Questo testo apparirà sopra l'area di inserimento dell'utente +ExtraFieldsTicket=Extra attributes +TicketCkEditorEmailNotActivated=HTML editor is not activated. Please put FCKEDITOR_ENABLE_MAIL content to 1 to get it. +TicketsDisableEmail=Do not send emails for ticket creation or message recording +TicketsDisableEmailHelp=By default, emails are sent when new tickets or messages created. Enable this option to disable *all* email notifications +TicketsLogEnableEmail=Enable log by email +TicketsLogEnableEmailHelp=At each change, an email will be sent **to each contact** associated with the ticket. +TicketParams=Params +TicketsShowModuleLogo=Display the logo of the module in the public interface +TicketsShowModuleLogoHelp=Enable this option to hide the logo module in the pages of the public interface +TicketsShowCompanyLogo=Display the logo of the company in the public interface +TicketsShowCompanyLogoHelp=Enable this option to hide the logo of the main company in the pages of the public interface +TicketsEmailAlsoSendToMainAddress=Also send notification to main email address +TicketsEmailAlsoSendToMainAddressHelp=Enable this option to send an email to "Notification email from" address (see setup below) +TicketsLimitViewAssignedOnly=Restrict the display to tickets assigned to the current user (not effective for external users, always be limited to the third party they depend on) +TicketsLimitViewAssignedOnlyHelp=Only tickets assigned to the current user will be visible. Does not apply to a user with tickets management rights. +TicketsActivatePublicInterface=Attivare l'interfaccia pubblica +TicketsActivatePublicInterfaceHelp=Public interface allow any visitors to create tickets. +TicketsAutoAssignTicket=Automatically assign the user who created the ticket +TicketsAutoAssignTicketHelp=When creating a ticket, the user can be automatically assigned to the ticket. +TicketNumberingModules=Tickets numbering module +TicketNotifyTiersAtCreation=Notify third party at creation TicketGroup=Gruppo -TicketsDisableCustomerEmail=Disattiva sempre le e-mail quando viene creato un ticket dall'interfaccia pubblica +TicketsDisableCustomerEmail=Always disable emails when a ticket is created from public interface # # Index & list page # -TicketsIndex=Biglietto - casa -TicketList=Elenco dei biglietti -TicketAssignedToMeInfos=Questa pagina mostra l'elenco dei biglietti creato o assegnato all'utente corrente -NoTicketsFound=Nessun biglietto trovato -NoUnreadTicketsFound=Nessun biglietto non letto trovato -TicketViewAllTickets=Vedi tutti i biglietti -TicketViewNonClosedOnly=Visualizza solo i biglietti aperti -TicketStatByStatus=Biglietti per stato +TicketsIndex=Ticket (Home) +TicketList=List of tickets +TicketAssignedToMeInfos=This page display ticket list created by or assigned to current user +NoTicketsFound=No ticket found +NoUnreadTicketsFound=No unread ticket found +TicketViewAllTickets=View all tickets +TicketViewNonClosedOnly=View only open tickets +TicketStatByStatus=Tickets by status OrderByDateAsc=Ordina per data crescente OrderByDateDesc=Ordina per data decrescente ShowAsConversation=Mostra come elenco di conversazioni @@ -148,157 +148,157 @@ MessageListViewType=Mostra come elenco di tabelle # # Ticket card # -Ticket=Biglietto -TicketCard=Carta del biglietto -CreateTicket=Crea un biglietto -EditTicket=Modifica biglietto -TicketsManagement=Gestione dei biglietti +Ticket=Ticket +TicketCard=Ticket card +CreateTicket=Create ticket +EditTicket=Edita ticket +TicketsManagement=Gestione dei ticket CreatedBy=Creato da -NewTicket=Nuovo biglietto -SubjectAnswerToTicket=Risposta del biglietto -TicketTypeRequest=Tipo di richiesta -TicketCategory=Codice analitico -SeeTicket=Vedi biglietto -TicketMarkedAsRead=Il biglietto è stato contrassegnato come letto -TicketReadOn=Continuare a leggere +NewTicket=New Ticket +SubjectAnswerToTicket=Ticket answer +TicketTypeRequest=Request type +TicketCategory=Analytic code +SeeTicket=See ticket +TicketMarkedAsRead=Ticket has been marked as read +TicketReadOn=Read on TicketCloseOn=Data di chiusura -MarkAsRead=Segna il biglietto come già letto -TicketHistory=Cronologia del biglietto -AssignUser=Assegna all'utente -TicketAssigned=Il biglietto è ora assegnato -TicketChangeType=Cambia tipo -TicketChangeCategory=Cambia codice analitico +MarkAsRead=Mark ticket as read +TicketHistory=Ticket history +AssignUser=Assign to user +TicketAssigned=Ticket is now assigned +TicketChangeType=Change type +TicketChangeCategory=Change analytic code TicketChangeSeverity=Cambia gravità TicketAddMessage=Aggiungi un messaggio AddMessage=Aggiungi un messaggio -MessageSuccessfullyAdded=Biglietto aggiunto -TicketMessageSuccessfullyAdded=Messaggio aggiunto correttamente -TicketMessagesList=Elenco dei messaggi -NoMsgForThisTicket=Nessun messaggio per questo biglietto -Properties=Classificazione -LatestNewTickets=Ultimi biglietti %s più recenti (non letti) +MessageSuccessfullyAdded=Ticket added +TicketMessageSuccessfullyAdded=Messaggio aggiunto con successo +TicketMessagesList=Message list +NoMsgForThisTicket=No message for this ticket +Properties=Classification +LatestNewTickets=Latest %s newest tickets (not read) TicketSeverity=Gravità -ShowTicket=Vedi biglietto -RelatedTickets=Biglietti correlati +ShowTicket=See ticket +RelatedTickets=Ticket correlati TicketAddIntervention=Crea intervento -CloseTicket=Chiudi biglietto -CloseATicket=Chiudi un biglietto -ConfirmCloseAticket=Conferma la chiusura del biglietto -ConfirmDeleteTicket=Conferma l'eliminazione del biglietto -TicketDeletedSuccess=Biglietto cancellato con successo -TicketMarkedAsClosed=Biglietto contrassegnato come chiuso -TicketDurationAuto=Durata calcolata -TicketDurationAutoInfos=Durata calcolata automaticamente in base all'intervento -TicketUpdated=Biglietto aggiornato -SendMessageByEmail=Invia un messaggio via e-mail -TicketNewMessage=Nuovo messaggio +CloseTicket=Close ticket +CloseATicket=Close a ticket +ConfirmCloseAticket=Confirm ticket closing +ConfirmDeleteTicket=Please confirm ticket deleting +TicketDeletedSuccess=Ticket deleted with success +TicketMarkedAsClosed=Ticket marked as closed +TicketDurationAuto=Calculated duration +TicketDurationAutoInfos=Duration calculated automatically from intervention related +TicketUpdated=Ticket updated +SendMessageByEmail=Send message by email +TicketNewMessage=New message ErrorMailRecipientIsEmptyForSendTicketMessage=Il destinatario è vuoto. Nessuna email inviata -TicketGoIntoContactTab=Vai nella scheda "Contatti" per selezionarli -TicketMessageMailIntro=introduzione -TicketMessageMailIntroHelp=Questo testo viene aggiunto solo all'inizio dell'e-mail e non verrà salvato. -TicketMessageMailIntroLabelAdmin=Introduzione al messaggio durante l'invio di e-mail -TicketMessageMailIntroText=Ciao,
Una nuova risposta è stata inviata su un ticket contattato. Ecco il messaggio:
-TicketMessageMailIntroHelpAdmin=Questo testo verrà inserito prima del testo della risposta a un ticket. +TicketGoIntoContactTab=Please go into "Contacts" tab to select them +TicketMessageMailIntro=Introduction +TicketMessageMailIntroHelp=Questo testo viene aggiunto solo all'inizio dell'email e non verrà salvato +TicketMessageMailIntroLabelAdmin=Introduction to the message when sending email +TicketMessageMailIntroText=Hello,
A new response was sent on a ticket that you contact. Here is the message:
+TicketMessageMailIntroHelpAdmin=This text will be inserted before the text of the response to a ticket. TicketMessageMailSignature=Firma -TicketMessageMailSignatureHelp=Questo testo viene aggiunto solo alla fine dell'e-mail e non verrà salvato. -TicketMessageMailSignatureText=

Cordiali saluti,

-

-TicketMessageMailSignatureLabelAdmin=Firma dell'email di risposta -TicketMessageMailSignatureHelpAdmin=Questo testo verrà inserito dopo il messaggio di risposta. -TicketMessageHelp=Solo questo testo verrà salvato nell'elenco dei messaggi sulla scheda del biglietto. -TicketMessageSubstitutionReplacedByGenericValues=Le variabili di sostituzione sono sostituite da valori generici. -TimeElapsedSince=Tempo trascorso da allora -TicketTimeToRead=Tempo trascorso prima della lettura -TicketContacts=Biglietto per i contatti -TicketDocumentsLinked=Documenti collegati al biglietto -ConfirmReOpenTicket=Conferma di riaprire questo biglietto? -TicketMessageMailIntroAutoNewPublicMessage=Un nuovo messaggio è stato pubblicato sul ticket con l'oggetto %s: -TicketAssignedToYou=Biglietto assegnato -TicketAssignedEmailBody=Ti è stato assegnato il ticket # %s da %s -MarkMessageAsPrivate=Segna il messaggio come privato -TicketMessagePrivateHelp=Questo messaggio non verrà visualizzato agli utenti esterni -TicketEmailOriginIssuer=Emittente all'origine dei biglietti -InitialMessage=Messaggio iniziale -LinkToAContract=Collegamento a un contratto -TicketPleaseSelectAContract=Seleziona un contratto -UnableToCreateInterIfNoSocid=Impossibile creare un intervento quando non è definita una terza parte -TicketMailExchanges=Scambi di posta -TicketInitialMessageModified=Messaggio iniziale modificato -TicketMessageSuccesfullyUpdated=Messaggio aggiornato correttamente -TicketChangeStatus=Cambiare stato -TicketConfirmChangeStatus=Confermare la modifica dello stato: %s? -TicketLogStatusChanged=Stato modificato: %s in %s -TicketNotNotifyTiersAtCreate=Non avvisare la società al momento della creazione -Unread=Non letto -TicketNotCreatedFromPublicInterface=Non disponibile. Il ticket non è stato creato dall'interfaccia pubblica. -PublicInterfaceNotEnabled=L'interfaccia pubblica non è stata abilitata +TicketMessageMailSignatureHelp=This text is added only at the end of the email and will not be saved. +TicketMessageMailSignatureText=

Sincerely,

--

+TicketMessageMailSignatureLabelAdmin=Signature of response email +TicketMessageMailSignatureHelpAdmin=Questo testo verrà inserito dopo il messaggio di risposta +TicketMessageHelp=Only this text will be saved in the message list on ticket card. +TicketMessageSubstitutionReplacedByGenericValues=Substitutions variables are replaced by generic values. +TimeElapsedSince=Time elapsed since +TicketTimeToRead=Time elapsed before read +TicketContacts=Contacts ticket +TicketDocumentsLinked=Documenti collegati al ticket +ConfirmReOpenTicket=Confermi la riapertura di questo ticket? +TicketMessageMailIntroAutoNewPublicMessage=A new message was posted on the ticket with the subject %s: +TicketAssignedToYou=Ticket assegnato +TicketAssignedEmailBody=You have been assigned the ticket #%s by %s +MarkMessageAsPrivate=Mark message as private +TicketMessagePrivateHelp=This message will not display to external users +TicketEmailOriginIssuer=Issuer at origin of the tickets +InitialMessage=Initial Message +LinkToAContract=Link to a contract +TicketPleaseSelectAContract=Select a contract +UnableToCreateInterIfNoSocid=Can not create an intervention when no third party is defined +TicketMailExchanges=Mail exchanges +TicketInitialMessageModified=Initial message modified +TicketMessageSuccesfullyUpdated=Message successfully updated +TicketChangeStatus=Modifica stato +TicketConfirmChangeStatus=Confirm the status change: %s ? +TicketLogStatusChanged=Status changed: %s to %s +TicketNotNotifyTiersAtCreate=Not notify company at create +Unread=Unread +TicketNotCreatedFromPublicInterface=Non disponibile. Il ticket non è stato creato dall'interfaccia pubblica. +PublicInterfaceNotEnabled=L'interfaccia pubblica non è stata abilitata ErrorTicketRefRequired=È richiesto il nome di riferimento del biglietto # # Logs # -TicketLogMesgReadBy=Ticket %s letto da %s -NoLogForThisTicket=Nessun registro per questo biglietto ancora -TicketLogAssignedTo=Ticket %s assegnato a %s -TicketLogPropertyChanged=Ticket %s modificato: classificazione da %s a %s -TicketLogClosedBy=Ticket %s chiuso da %s -TicketLogReopen=Ticket %s riaperto +TicketLogMesgReadBy=Ticket %s read by %s +NoLogForThisTicket=No log for this ticket yet +TicketLogAssignedTo=Ticket %s assigned to %s +TicketLogPropertyChanged=Ticket %s modified: classification from %s to %s +TicketLogClosedBy=Ticket %s closed by %s +TicketLogReopen=Ticket %s re-opened # # Public pages # -TicketSystem=Sistema di biglietteria -ShowListTicketWithTrackId=Visualizza l'elenco dei biglietti dall'ID traccia -ShowTicketWithTrackId=Visualizza biglietto dall'ID traccia -TicketPublicDesc=È possibile creare un ticket di supporto o controllare da un ID esistente. -YourTicketSuccessfullySaved=Il biglietto è stato salvato con successo! -MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s and Ref %s. -PleaseRememberThisId=Conservare il numero di tracciamento che potremmo chiederti in seguito. -TicketNewEmailSubject=Ticket creation confirmation - Ref %s -TicketNewEmailSubjectCustomer=Nuovo ticket di supporto -TicketNewEmailBody=Questa è un'e-mail automatica per confermare che hai registrato un nuovo biglietto. -TicketNewEmailBodyCustomer=Questa è un'e-mail automatica per confermare che è stato appena creato un nuovo biglietto nel tuo account. -TicketNewEmailBodyInfosTicket=Informazioni per il monitoraggio del biglietto -TicketNewEmailBodyInfosTrackId=Numero di tracciamento del biglietto: %s -TicketNewEmailBodyInfosTrackUrl=È possibile visualizzare l'avanzamento del ticket facendo clic sul collegamento sopra. -TicketNewEmailBodyInfosTrackUrlCustomer=È possibile visualizzare l'avanzamento del ticket nell'interfaccia specifica facendo clic sul seguente collegamento -TicketEmailPleaseDoNotReplyToThisEmail=Per favore non rispondere direttamente a questa email! Usa il link per rispondere all'interfaccia. -TicketPublicInfoCreateTicket=Questo modulo consente di registrare un ticket di supporto nel nostro sistema di gestione. -TicketPublicPleaseBeAccuratelyDescribe=Descrivi accuratamente il problema. Fornisci il maggior numero possibile di informazioni per consentirci di identificare correttamente la tua richiesta. -TicketPublicMsgViewLogIn=Inserisci l'ID di tracciamento del biglietto -TicketTrackId=ID di monitoraggio pubblico -OneOfTicketTrackId=Uno dei tuoi ID di monitoraggio -ErrorTicketNotFound=Biglietto con ID di monitoraggio %s non trovato! -Subject=Soggetto -ViewTicket=Visualizza biglietto -ViewMyTicketList=Visualizza la mia lista dei biglietti -ErrorEmailMustExistToCreateTicket=Errore: indirizzo email non trovato nel nostro database -TicketNewEmailSubjectAdmin=New ticket created - Ref %s -TicketNewEmailBodyAdmin=

Il ticket è stato appena creato con ID # %s, vedere le informazioni:

-SeeThisTicketIntomanagementInterface=Vedi ticket nell'interfaccia di gestione -TicketPublicInterfaceForbidden=L'interfaccia pubblica per i ticket non è stata abilitata -ErrorEmailOrTrackingInvalid=Valore errato per ID di tracciamento o e-mail -OldUser=Vecchio utente +TicketSystem=Ticket system +ShowListTicketWithTrackId=Visualizza l'elenco dei ticket dall'ID traccia +ShowTicketWithTrackId=Display ticket from track ID +TicketPublicDesc=You can create a support ticket or check from an existing ID. +YourTicketSuccessfullySaved=Ticket has been successfully saved! +MesgInfosPublicTicketCreatedWithTrackId=A new ticket has been created with ID %s. +PleaseRememberThisId=Please keep the tracking number that we might ask you later. +TicketNewEmailSubject=Ticket creation confirmation +TicketNewEmailSubjectCustomer=New support ticket +TicketNewEmailBody=Questa email automatica conferma che è stato registrato un nuovo ticket +TicketNewEmailBodyCustomer=This is an automatic email to confirm a new ticket has just been created into your account. +TicketNewEmailBodyInfosTicket=Information for monitoring the ticket +TicketNewEmailBodyInfosTrackId=Ticket tracking number: %s +TicketNewEmailBodyInfosTrackUrl=Puoi seguire l'avanzamento del ticket cliccando il link qui sopra +TicketNewEmailBodyInfosTrackUrlCustomer=You can view the progress of the ticket in the specific interface by clicking the following link +TicketEmailPleaseDoNotReplyToThisEmail=Please do not reply directly to this email! Use the link to reply into the interface. +TicketPublicInfoCreateTicket=This form allows you to record a support ticket in our management system. +TicketPublicPleaseBeAccuratelyDescribe=Descrivi il problema dettagliatamente. Fornisci più informazioni possibili per consentirci di identificare la tua richiesta. +TicketPublicMsgViewLogIn=Please enter ticket tracking ID +TicketTrackId=Public Tracking ID +OneOfTicketTrackId=One of your tracking ID +ErrorTicketNotFound=Ticket with tracking ID %s not found! +Subject=Oggetto +ViewTicket=Vedi ticket +ViewMyTicketList=Vedi l'elenco dei miei ticket +ErrorEmailMustExistToCreateTicket=Error: email address not found in our database +TicketNewEmailSubjectAdmin=Nuovo ticket creato +TicketNewEmailBodyAdmin=

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

+SeeThisTicketIntomanagementInterface=See ticket in management interface +TicketPublicInterfaceForbidden=The public interface for the tickets was not enabled +ErrorEmailOrTrackingInvalid=Bad value for tracking ID or email +OldUser=Old user NewUser=Nuovo utente -NumberOfTicketsByMonth=Numero di biglietti al mese -NbOfTickets=Numero di biglietti +NumberOfTicketsByMonth=Number of tickets per month +NbOfTickets=Number of tickets # notifications -TicketNotificationEmailSubject=Biglietto %s aggiornato -TicketNotificationEmailBody=Questo è un messaggio automatico per avvisarti che il biglietto %s è appena stato aggiornato -TicketNotificationRecipient=Destinatario della notifica -TicketNotificationLogMessage=Registra messaggio -TicketNotificationEmailBodyInfosTrackUrlinternal=Visualizza il biglietto nell'interfaccia -TicketNotificationNumberEmailSent=Email di notifica inviata: %s +TicketNotificationEmailSubject=Ticket %s updated +TicketNotificationEmailBody=Questo è un messaggio automatico per confermare che il ticket %s è stato aggiornato +TicketNotificationRecipient=Notification recipient +TicketNotificationLogMessage=Log message +TicketNotificationEmailBodyInfosTrackUrlinternal=View ticket into interface +TicketNotificationNumberEmailSent=Notification email sent: %s -ActionsOnTicket=Eventi sul biglietto +ActionsOnTicket=Events on ticket # # Boxes # -BoxLastTicket=Ultimi biglietti creati -BoxLastTicketDescription=Ultimi biglietti creati %s +BoxLastTicket=Latest created tickets +BoxLastTicketDescription=Latest %s created tickets BoxLastTicketContent= -BoxLastTicketNoRecordedTickets=Nessun biglietto non letto recente -BoxLastModifiedTicket=Ultimi biglietti modificati -BoxLastModifiedTicketDescription=Ultimi biglietti modificati %s +BoxLastTicketNoRecordedTickets=No recent unread tickets +BoxLastModifiedTicket=Latest modified tickets +BoxLastModifiedTicketDescription=Latest %s modified tickets BoxLastModifiedTicketContent= -BoxLastModifiedTicketNoRecordedTickets=Nessun biglietto modificato di recente +BoxLastModifiedTicketNoRecordedTickets=No recent modified tickets diff --git a/htdocs/langs/it_IT/users.lang b/htdocs/langs/it_IT/users.lang index 191fead905f..0b7020a6248 100644 --- a/htdocs/langs/it_IT/users.lang +++ b/htdocs/langs/it_IT/users.lang @@ -110,3 +110,6 @@ UserLogged=Utente connesso DateEmployment=Employment Start Date DateEmploymentEnd=Employment End Date CantDisableYourself=You can't disable your own user record +ForceUserExpenseValidator=Forza validatore rapporto spese +ForceUserHolidayValidator=Convalida richiesta di congedo forzato +ValidatorIsSupervisorByDefault=Per impostazione predefinita, il validatore è il supervisore dell'utente. Mantieni vuoto per mantenere questo comportamento. diff --git a/htdocs/langs/it_IT/website.lang b/htdocs/langs/it_IT/website.lang index 5becb2a0ffd..d73ab62e330 100644 --- a/htdocs/langs/it_IT/website.lang +++ b/htdocs/langs/it_IT/website.lang @@ -1,119 +1,119 @@ # Dolibarr language file - Source file is en_US - website Shortname=Codice -WebsiteSetupDesc=Crea qui i siti Web che desideri utilizzare. Quindi vai al menu Siti Web per modificarli. -DeleteWebsite=Elimina sito Web -ConfirmDeleteWebsite=Sei sicuro di voler eliminare questo sito Web? Verranno rimosse anche tutte le sue pagine e i suoi contenuti. I file caricati (come nella directory dei media, il modulo ECM, ...) rimarranno. -WEBSITE_TYPE_CONTAINER=Tipo di pagina / contenitore -WEBSITE_PAGE_EXAMPLE=Pagina Web da utilizzare come esempio -WEBSITE_PAGENAME=Nome / alias della pagina -WEBSITE_ALIASALT=Nomi / alias di pagine alternativi -WEBSITE_ALIASALTDesc=Utilizzare qui l'elenco di altri nomi / alias in modo che sia possibile accedere alla pagina utilizzando questi altri nomi / alias (ad esempio il vecchio nome dopo aver rinominato l'alias per mantenere il backlink sul vecchio collegamento / nome funzionante). La sintassi è:
alternativename1, alternativename2, ... +WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. +DeleteWebsite=Cancella sito web +ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. +WEBSITE_TYPE_CONTAINER=Type of page/container +WEBSITE_PAGE_EXAMPLE=Web page to use as example +WEBSITE_PAGENAME=Titolo/alias della pagina +WEBSITE_ALIASALT=Alternative page names/aliases +WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
alternativename1, alternativename2, ... WEBSITE_CSS_URL=Indirizzo URL del file CSS esterno -WEBSITE_CSS_INLINE=Contenuto del file CSS (comune a tutte le pagine) -WEBSITE_JS_INLINE=Contenuto del file Javascript (comune a tutte le pagine) -WEBSITE_HTML_HEADER=Aggiunta nella parte inferiore dell'intestazione HTML (comune a tutte le pagine) -WEBSITE_ROBOT=File robot (robots.txt) -WEBSITE_HTACCESS=File .htaccess del sito Web -WEBSITE_MANIFEST_JSON=File manifest.json del sito Web -WEBSITE_README=File README.md -EnterHereLicenseInformation=Immettere qui i metadati o le informazioni sulla licenza per archiviare un file README.md. se distribuisci il tuo sito Web come modello, il file verrà incluso nel pacchetto tentato. -HtmlHeaderPage=Intestazione HTML (specifica solo per questa pagina) -PageNameAliasHelp=Nome o alias della pagina.
Questo alias viene anche utilizzato per creare un URL SEO quando il sito Web viene eseguito da un host virtuale di un server Web (come Apacke, Nginx, ...). Utilizzare il pulsante " %s " per modificare questo alias. -EditTheWebSiteForACommonHeader=Nota: se si desidera definire un'intestazione personalizzata per tutte le pagine, modificare l'intestazione a livello di sito anziché nella pagina / contenitore. -MediaFiles=Libreria multimediale -EditCss=Modifica le proprietà del sito Web -EditMenu=Menu Modifica -EditMedias=Modifica media -EditPageMeta=Modifica le proprietà della pagina / contenitore -EditInLine=Modifica in linea -AddWebsite=Aggiungi sito Web -Webpage=Pagina Web / contenitore -AddPage=Aggiungi pagina / contenitore -HomePage=Pagina iniziale -PageContainer=Pagina / contenitore -PreviewOfSiteNotYetAvailable=Anteprima del tuo sito web %s non ancora disponibile. Devi prima " Importare un modello di sito Web completo " o semplicemente " Aggiungi una pagina / contenitore ". -RequestedPageHasNoContentYet=La pagina richiesta con ID %s non ha ancora contenuto oppure il file cache .tpl.php è stato rimosso. Modifica il contenuto della pagina per risolvere questo problema. -SiteDeleted=Sito Web "%s" eliminato -PageContent=Pagina / Contenair -PageDeleted=Pagina / Contenair '%s' del sito Web %s eliminato -PageAdded=Pagina / Contenair '%s' aggiunto -ViewSiteInNewTab=Visualizza il sito in una nuova scheda -ViewPageInNewTab=Visualizza la pagina in una nuova scheda -SetAsHomePage=Imposta come pagina iniziale -RealURL=URL reale -ViewWebsiteInProduction=Visualizza il sito Web utilizzando gli URL di casa -SetHereVirtualHost=Utilizzare con Apache / NGinx / ...
Se riesci a creare, sul tuo server web (Apache, Nginx, ...), un host virtuale dedicato con PHP abilitato e una directory root su
%s
quindi impostare il nome dell'host virtuale creato nelle proprietà del sito Web, in modo che l'anteprima possa essere eseguita anche utilizzando questo accesso al server Web dedicato anziché al server Dolibarr interno. -YouCanAlsoTestWithPHPS=Utilizzare con il server incorporato PHP
In ambiente di sviluppo, potresti preferire testare il sito con il server Web incorporato PHP (PHP 5.5 richiesto) eseguendo
php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Gestisci il tuo sito web con un altro fornitore di hosting Dolibarr
Se non disponi di un server web come Apache o NGinx disponibile su Internet, puoi esportare e importare il tuo sito Web in un'altra istanza Dolibarr fornita da un altro provider di hosting Dolibarr che fornisce la piena integrazione con il modulo del sito Web. Puoi trovare un elenco di alcuni provider di hosting Dolibarr su https://saas.dolibarr.org -CheckVirtualHostPerms=Controlla anche che l'host virtuale disponga dell'autorizzazione %s sui file in
%s -ReadPerm=Leggere -WritePerm=Scrivi -TestDeployOnWeb=Test / distribuzione sul web -PreviewSiteServedByWebServer=Anteprima %s in una nuova scheda.

%s sarà servito da un server web esterno (come Apache, Nginx, IIS). È necessario installare e configurare questo server prima di puntare alla directory:
%s
URL servito da server esterni:
%s -PreviewSiteServedByDolibarr=Anteprima %s in una nuova scheda.

%s sarà servito dal server Dolibarr, quindi non ha bisogno di alcun server web aggiuntivo (come Apache, Nginx, IIS) per essere installato.
L'inconveniente è che l'URL delle pagine non è facile da usare e inizia con il percorso del tuo Dolibarr.
URL servito da Dolibarr:
%s

Per utilizzare il proprio server Web esterno per servire questo sito Web, creare un host virtuale sul server Web che punta sulla directory
%s
quindi inserisci il nome di questo server virtuale e fai clic sull'altro pulsante di anteprima. -VirtualHostUrlNotDefined=URL dell'host virtuale servito da server Web esterno non definito -NoPageYet=Ancora nessuna pagina -YouCanCreatePageOrImportTemplate=È possibile creare una nuova pagina o importare un modello di sito Web completo -SyntaxHelp=Aiuto su specifici suggerimenti di sintassi -YouCanEditHtmlSourceckeditor=Puoi modificare il codice sorgente HTML usando il pulsante "Sorgente" nell'editor. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs.

You can also include content of another Page/Container with the following syntax:
<?php includeContainer('alias_of_container_to_include'); ?>

You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

To add a link to another page, use the syntax:
<a href="alias_of_page_to_link_to.php">mylink<a>

To include a link to download a file stored into the documents directory, use the document.php wrapper:
Example, for a file into documents/ecm (need to be logged), syntax is:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
For a file shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">

To include an image stored into the documents directory, use the viewimage.php wrapper:
Example, for an image into documents/medias (open directory for public access), syntax is:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">

More examples of HTML or dynamic code available on the wiki documentation
. -ClonePage=Clona pagina / contenitore -CloneSite=Clona il sito -SiteAdded=Sito web aggiunto -ConfirmClonePage=Inserisci il codice / alias della nuova pagina e se si tratta di una traduzione della pagina clonata. -PageIsANewTranslation=La nuova pagina è una traduzione della pagina corrente? -LanguageMustNotBeSameThanClonedPage=Clonare una pagina come traduzione. La lingua della nuova pagina deve essere diversa dalla lingua della pagina di origine. -ParentPageId=ID pagina padre -WebsiteId=ID sito Web -CreateByFetchingExternalPage=Crea pagina / contenitore recuperando pagina da URL esterno ... -OrEnterPageInfoManually=Oppure crea una pagina da zero o da un modello di pagina ... -FetchAndCreate=Scarica e crea -ExportSite=Esporta sito Web -ImportSite=Importa modello di sito Web +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=File Robot (robots.txt) +WEBSITE_HTACCESS=Website .htaccess file +WEBSITE_MANIFEST_JSON=Website manifest.json file +WEBSITE_README=README.md file +EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. +HtmlHeaderPage=HTML header (specific to this page only) +PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. +EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. +MediaFiles=Libreria media +EditCss=Edit website properties +EditMenu=Modifica menu +EditMedias=Edit medias +EditPageMeta=Edit page/container properties +EditInLine=Edit inline +AddWebsite=Aggiungi sito web +Webpage=Web page/container +AddPage=Aggiungi pagina/contenitore +HomePage=Home Page +PageContainer=Page/container +PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'. +RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. +SiteDeleted=Web site '%s' deleted +PageContent=Page/Contenair +PageDeleted=Page/Contenair '%s' of website %s deleted +PageAdded=Page/Contenair '%s' added +ViewSiteInNewTab=Visualizza sito in una nuova scheda +ViewPageInNewTab=Visualizza pagina in una nuova scheda +SetAsHomePage=Imposta come homepage +RealURL=Indirizzo URL vero +ViewWebsiteInProduction=View web site using home URLs +SetHereVirtualHost=Use with Apache/NGinx/...
If you can create, on your web server (Apache, Nginx, ...), a dedicated Virtual Host with PHP enabled and a Root directory on
%s
then set the name of the virtual host you have created in the properties of web site, so the preview can be done also using this dedicated web server access instead of the internal Dolibarr server. +YouCanAlsoTestWithPHPS=Use with PHP embedded server
On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
php -S 0.0.0.0:8080 -t %s +YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org +CheckVirtualHostPerms=Check also that virtual host has permission %s on files into
%s +ReadPerm=Da leggere +WritePerm=Write +TestDeployOnWeb=Test/deploy on web +PreviewSiteServedByWebServer=Preview %s in a new tab.

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

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

To use your own external web server to serve this web site, create a virtual host on your web server that point on directory
%s
then enter the name of this virtual server and click on the other preview button. +VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined +NoPageYet=No pages yet +YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template +SyntaxHelp=Help on specific syntax tips +YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. +YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs.

You can also include content of another Page/Container with the following syntax:
<?php includeContainer('alias_of_container_to_include'); ?>

You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

To add a link to another page, use the syntax:
<a href="alias_of_page_to_link_to.php">mylink<a>

To include a link to download a file stored into the documents directory, use the document.php wrapper:
Example, for a file into documents/ecm (need to be logged), syntax is:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
For a file shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">

To include an image stored into the documents directory, use the viewimage.php wrapper:
Example, for an image into documents/medias (open directory for public access), syntax is:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">
+ClonePage=Clone page/container +CloneSite=Clone site +SiteAdded=Website added +ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. +PageIsANewTranslation=The new page is a translation of the current page ? +LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. +ParentPageId=Parent page ID +WebsiteId=Website ID +CreateByFetchingExternalPage=Create page/container by fetching page from external URL... +OrEnterPageInfoManually=Or create page from scratch or from a page template... +FetchAndCreate=Fetch and Create +ExportSite=Export website +ImportSite=Import website template IDOfPage=ID della pagina -Banner=bandiera -BlogPost=Post sul blog -WebsiteAccount=Account del sito Web -WebsiteAccounts=Account del sito Web -AddWebsiteAccount=Crea un account sul sito web -BackToListOfThirdParty=Torna all'elenco per terze parti -DisableSiteFirst=Disabilitare prima il sito Web -MyContainerTitle=Il mio titolo del sito web -AnotherContainer=Ecco come includere il contenuto di un'altra pagina / contenitore (potresti avere un errore qui se abiliti il codice dinamico perché il subcontenitore incorporato potrebbe non esistere) -SorryWebsiteIsCurrentlyOffLine=Siamo spiacenti, questo sito Web è attualmente offline. Torna più tardi ... -WEBSITE_USE_WEBSITE_ACCOUNTS=Abilitare la tabella degli account del sito Web -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Abilitare la tabella per archiviare gli account del sito Web (login / pass) per ciascun sito Web / terze parti -YouMustDefineTheHomePage=Devi prima definire la Home page predefinita -OnlyEditionOfSourceForGrabbedContentFuture=Avviso: la creazione di una pagina Web importando una pagina Web esterna è riservata agli utenti esperti. A seconda della complessità della pagina di origine, il risultato dell'importazione potrebbe differire dall'originale. Inoltre, se la pagina di origine utilizza stili CSS comuni o javascript in conflitto, potrebbe compromettere l'aspetto o le funzionalità dell'editor del sito Web quando si lavora su questa pagina. Questo metodo è un modo più rapido per creare una pagina ma si consiglia di creare la nuova pagina da zero o da un modello di pagina suggerito.
Si noti inoltre che le modifiche alla fonte HTML saranno possibili quando il contenuto della pagina è stato inizializzato afferrandolo da una pagina esterna (l'editor "Online" NON sarà disponibile) -OnlyEditionOfSourceForGrabbedContent=Solo l'edizione del sorgente HTML è possibile quando il contenuto è stato acquisito da un sito esterno -GrabImagesInto=Prendi anche le immagini trovate in css e pagina. -ImagesShouldBeSavedInto=Le immagini devono essere salvate nella directory -WebsiteRootOfImages=Directory principale per le immagini dei siti Web -SubdirOfPage=Sottodirectory dedicata alla pagina -AliasPageAlreadyExists=La pagina alias %s esiste già -CorporateHomePage=Home page aziendale -EmptyPage=Pagina vuota -ExternalURLMustStartWithHttp=L'URL esterno deve iniziare con http: // o https: // -ZipOfWebsitePackageToImport=Carica il file zip del pacchetto di modelli di siti Web -ZipOfWebsitePackageToLoad=oppure Scegliere un pacchetto modello di sito Web incorporato disponibile -ShowSubcontainers=Includi contenuto dinamico -InternalURLOfPage=URL interno della pagina -ThisPageIsTranslationOf=Questa pagina / contenitore è una traduzione di -ThisPageHasTranslationPages=Questa pagina / contenitore ha una traduzione -NoWebSiteCreateOneFirst=Nessun sito web è stato ancora creato. Creane uno per primo. -GoTo=Vai a -DynamicPHPCodeContainsAForbiddenInstruction=Aggiungi il codice PHP dinamico che contiene l'istruzione PHP ' %s ' che è vietato per impostazione predefinita come contenuto dinamico (vedi le opzioni nascoste WEBSITE_PHP_ALLOW_xxx per aumentare l'elenco dei comandi consentiti). -NotAllowedToAddDynamicContent=Non sei autorizzato ad aggiungere o modificare contenuti dinamici PHP nei siti Web. Chiedi l'autorizzazione o mantieni il codice nei tag php non modificato. -ReplaceWebsiteContent=Cerca o sostituisci il contenuto del sito Web -DeleteAlsoJs=Eliminare anche tutti i file JavaScript specifici di questo sito Web? -DeleteAlsoMedias=Eliminare anche tutti i file multimediali specifici di questo sito Web? -MyWebsitePages=Le mie pagine del sito Web -SearchReplaceInto=Cerca | Sostituisci in -ReplaceString=Nuova stringa -CSSContentTooltipHelp=Inserisci qui il contenuto CSS. Per evitare qualsiasi conflitto con il CSS dell'applicazione, assicurarsi di anteporre tutte le dichiarazioni alla classe .bodywebsite. Per esempio:

#mycssselector, input.myclass: hover {...}
deve essere
.bodywebsite #mycssselector, .bodywebsite input.myclass: hover {...}

Nota: se si dispone di un file di grandi dimensioni senza questo prefisso, è possibile utilizzare 'lessc' per convertirlo per aggiungere il prefisso .bodywebsite ovunque. -LinkAndScriptsHereAreNotLoadedInEditor=Avviso: questo contenuto viene generato solo quando si accede al sito da un server. Non viene utilizzato in modalità Modifica, quindi se è necessario caricare file javascript anche in modalità Modifica, è sufficiente aggiungere il tag 'script src = ...' nella pagina. -Dynamiccontent=Esempio di una pagina con contenuto dinamico -ImportSite=Importa modello di sito Web +Banner=Banner +BlogPost=Articoli sul blog +WebsiteAccount=Website account +WebsiteAccounts=Website accounts +AddWebsiteAccount=Create web site account +BackToListOfThirdParty=Back to list for Third Party +DisableSiteFirst=Disable website first +MyContainerTitle=My web site title +AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) +SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... +WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party +YouMustDefineTheHomePage=You must first define the default Home page +OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
Note also that edits of HTML source will be possible when page content has been initialized by grabbing it from an external page ("Online" editor will NOT be available) +OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site +GrabImagesInto=Grab also images found into css and page. +ImagesShouldBeSavedInto=Images should be saved into directory +WebsiteRootOfImages=Root directory for website images +SubdirOfPage=Sub-directory dedicated to page +AliasPageAlreadyExists=Alias page %s already exists +CorporateHomePage=Corporate Home page +EmptyPage=Empty page +ExternalURLMustStartWithHttp=External URL must start with http:// or https:// +ZipOfWebsitePackageToImport=Upload the Zip file of the website template package +ZipOfWebsitePackageToLoad=or Choose an available embedded website template package +ShowSubcontainers=Include dynamic content +InternalURLOfPage=Internal URL of page +ThisPageIsTranslationOf=This page/container is a translation of +ThisPageHasTranslationPages=This page/container has translation +NoWebSiteCreateOneFirst=No website has been created yet. Create one first. +GoTo=Go to +DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). +NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. +ReplaceWebsiteContent=Search or Replace website content +DeleteAlsoJs=Delete also all javascript files specific to this website? +DeleteAlsoMedias=Delete also all medias files specific to this website? +MyWebsitePages=My website pages +SearchReplaceInto=Search | Replace into +ReplaceString=New string +CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

#mycssselector, input.myclass:hover { ... }
must be
.bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. +LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. +Dynamiccontent=Sample of a page with dynamic content +ImportSite=Import website template EditInLineOnOff=La modalità "Modifica in linea" è %s ShowSubContainersOnOff=La modalità per eseguire il "contenuto dinamico" è %s GlobalCSSorJS=File CSS / JS / header globale del sito web diff --git a/htdocs/langs/it_IT/workflow.lang b/htdocs/langs/it_IT/workflow.lang index 0454f555c3e..0e5736cc06a 100644 --- a/htdocs/langs/it_IT/workflow.lang +++ b/htdocs/langs/it_IT/workflow.lang @@ -13,7 +13,7 @@ descWORKFLOW_INVOICE_CLASSIFY_BILLED_PROPAL=Classifica "da fatturare" le propost descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_ORDER=Classifica "da fatturare" gli ordini cliente collegati quando la fattura cliente è validata (e se l'importo della fattura è uguale all'importo totale di ordini collegati) descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Classifica "da fatturare" gli ordini cliente collegati quando la fattura cliente è impostata su pagamento (e se l'importo della fattura è uguale all'importo totale di ordini collegati) descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classifica "da spedire" l'ordine cliente collegato quando una spedizione viene convalidata (e se la quantità spedita da tutte le spedizioni è la stessa dell'ordine da aggiornare) -# Autoclassify supplier order +# Autoclassify purchase order descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classify linked source vendor proposal(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked proposals) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classify linked source purchase order(s) to billed when vendor invoice is validated (and if amount of the invoice is same than total amount of linked orders) AutomaticCreation=Creazione automatica diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang index 7e2ed53a241..b853de13be9 100644 --- a/htdocs/langs/ja_JP/admin.lang +++ b/htdocs/langs/ja_JP/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=請求書 Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=エディタ @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke統合 Module240Name=データのエクスポート -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=データのインポート -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=メンバー Module310Desc=財団のメンバーの管理 Module320Name=RSSフィード @@ -878,7 +878,7 @@ Permission1251=データベース(データロード)に外部データの Permission1321=顧客の請求書、属性、および支払いをエクスポートする Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=他のアクション(イベントまたはタスク)を読む @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=ローカルのsendmailの設定を参照してください。 BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=生成されたダンプ·ファイルは安全な場所に格納する必要があります。 @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= このルールがアクティブ化モジュールによって%sに強制されます。 PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=あなたは、ユーザ%s、シェルへのログイン後にコマンドラインからこのコマンドを実行する必要がありますか、追加する必要があります-Wオプションをコマンドラインの末尾に%sパスワード提供します。 @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=フィールド%sのエディション FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=小文字で共有数字と文字を含む8文字:内部Dolibarrアルゴリズムに従って生成されたパスワードを返します。 PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=マルチ会社のモジュールのセットアップ ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang index 81f7f1a3a0c..06602bd5b0e 100644 --- a/htdocs/langs/ja_JP/bills.lang +++ b/htdocs/langs/ja_JP/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=請求書PDFテンプレートのカニ。完全な請求書テンプレート(テンプレートをおすすめ) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/ja_JP/categories.lang b/htdocs/langs/ja_JP/categories.lang index 30c76f315cd..a34c3fb662a 100644 --- a/htdocs/langs/ja_JP/categories.lang +++ b/htdocs/langs/ja_JP/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=このカテゴリにはどの製品も含まれていません。 ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=このカテゴリにはすべての顧客が含まれていません。 @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ja_JP/companies.lang b/htdocs/langs/ja_JP/companies.lang index e789bb8490d..37ddfe69630 100644 --- a/htdocs/langs/ja_JP/companies.lang +++ b/htdocs/langs/ja_JP/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=教授はID 1(OGRN) ProfId2RU=教授はID 2(INN) ProfId3RU=教授はID 3(KPP) @@ -339,7 +345,7 @@ MyContacts=私の連絡先 Capital=資本 CapitalOf=%sの首都 EditCompany=会社を編集します。 -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=チェック VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=組織 FiscalYearInformation=Fiscal Year FiscalMonthStart=会計年度の開始月 +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/ja_JP/compta.lang b/htdocs/langs/ja_JP/compta.lang index a50054fc552..10ad16add2d 100644 --- a/htdocs/langs/ja_JP/compta.lang +++ b/htdocs/langs/ja_JP/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF購入 LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=付加価値税回収した -ToPay=支払いに +StatusToPay=支払いに SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=付加価値税の支払いを表示する TotalToPay=支払いに合計 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=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=口座番号 @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang index b80638ded73..57ec27e0250 100644 --- a/htdocs/langs/ja_JP/errors.lang +++ b/htdocs/langs/ja_JP/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=ログイン%sを持つユーザーを見つけ ErrorLoginHasNoEmail=このユーザーは電子メールアドレスを持っていません。プロセスが中止されました。 ErrorBadValueForCode=セキュリティコードの値が正しくありません。新しい値で再試行してください... ErrorBothFieldCantBeNegative=フィールド%s %sとは負の両方にすることはできません -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Webサーバを実行するユーザーアカウントを使用%sそのための権限を持っていない ErrorNoActivatedBarcode=活性化バーコード·タイプません @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/ja_JP/holiday.lang b/htdocs/langs/ja_JP/holiday.lang index 2ebdf2d5afb..72da727a949 100644 --- a/htdocs/langs/ja_JP/holiday.lang +++ b/htdocs/langs/ja_JP/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=編集 diff --git a/htdocs/langs/ja_JP/install.lang b/htdocs/langs/ja_JP/install.lang index fe10de5a709..9d2eaefff57 100644 --- a/htdocs/langs/ja_JP/install.lang +++ b/htdocs/langs/ja_JP/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=あなたのPHPの最大のセッションメモリは%sに設定されています。これは十分なはずです。 PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=お使いのPHPインストールはCurlをサポー ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=ディレクトリの%sが存在しません。 ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=あなたは、パラメータ %s 間違った値を入力した可能性があります。 diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang index fb43e229efe..f14dc859a85 100644 --- a/htdocs/langs/ja_JP/main.lang +++ b/htdocs/langs/ja_JP/main.lang @@ -471,7 +471,7 @@ TotalDuration=全持続時間 Summary=要約 DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=利用できる NotYetAvailable=まだ利用できません NotAvailable=利用できない @@ -1005,7 +1005,7 @@ ContactDefault_contrat=契約 ContactDefault_facture=請求書 ContactDefault_fichinter=介入 ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=プロジェクト ContactDefault_project_task=タスク ContactDefault_propal=提案 @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/ja_JP/modulebuilder.lang b/htdocs/langs/ja_JP/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/ja_JP/modulebuilder.lang +++ b/htdocs/langs/ja_JP/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/ja_JP/mrp.lang b/htdocs/langs/ja_JP/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/ja_JP/mrp.lang +++ b/htdocs/langs/ja_JP/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/ja_JP/orders.lang b/htdocs/langs/ja_JP/orders.lang index f221d33064a..11c99913cd0 100644 --- a/htdocs/langs/ja_JP/orders.lang +++ b/htdocs/langs/ja_JP/orders.lang @@ -11,6 +11,7 @@ OrderDate=注文日 OrderDateShort=注文日 OrderToProcess=プロセスの順序 NewOrder=新規注文 +NewOrderSupplier=New Purchase Order ToOrder=順序を作る MakeOrder=順序を作る SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=キャンセル StatusOrderDraftShort=ドラフト StatusOrderValidatedShort=検証 @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=請求する StatusOrderToBillShort=請求する StatusOrderApprovedShort=承認された StatusOrderRefusedShort=拒否 -StatusOrderBilledShort=請求 StatusOrderToProcessShort=処理するには StatusOrderReceivedPartiallyShort=部分的に受け StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=処理 StatusOrderToBill=請求する StatusOrderApproved=承認された StatusOrderRefused=拒否 -StatusOrderBilled=請求 StatusOrderReceivedPartially=部分的に受け StatusOrderReceivedAll=All products received ShippingExist=出荷が存在する @@ -68,8 +69,9 @@ ValidateOrder=順序を検証する UnvalidateOrder=順序をUnvalidate DeleteOrder=順序を削除する CancelOrder=注文を取り消す -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=順序を示す OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=オンライン OrderByPhone=電話 # Documents models -PDFEinsteinDescription=完全受注モデル(logo. ..) -PDFEratostheneDescription=完全受注モデル(logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=単純な次のモデル -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=キャンセル +StatusSupplierOrderDraftShort=ドラフト +StatusSupplierOrderValidatedShort=検証 +StatusSupplierOrderSentShort=プロセスの +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=処理 +StatusSupplierOrderDelivered=請求する +StatusSupplierOrderDeliveredShort=請求する +StatusSupplierOrderToBillShort=請求する +StatusSupplierOrderApprovedShort=承認された +StatusSupplierOrderRefusedShort=拒否 +StatusSupplierOrderToProcessShort=処理するには +StatusSupplierOrderReceivedPartiallyShort=部分的に受け +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=キャンセル +StatusSupplierOrderDraft=ドラフト(検証する必要があります) +StatusSupplierOrderValidated=検証 +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=処理 +StatusSupplierOrderToBill=請求する +StatusSupplierOrderApproved=承認された +StatusSupplierOrderRefused=拒否 +StatusSupplierOrderReceivedPartially=部分的に受け +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/ja_JP/other.lang b/htdocs/langs/ja_JP/other.lang index 89ab59faedb..d8f1ce3eae3 100644 --- a/htdocs/langs/ja_JP/other.lang +++ b/htdocs/langs/ja_JP/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=基礎のメンバーを管理する DemoFundation2=基礎のメンバーとの銀行口座を管理する DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=現金デスクでお店を管理する -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=%sによって作成された ModifiedBy=%sによって変更された @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=タイトル WEBSITE_DESCRIPTION=説明 WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/ja_JP/projects.lang b/htdocs/langs/ja_JP/projects.lang index 3f4a6299c7e..64efe3093ad 100644 --- a/htdocs/langs/ja_JP/projects.lang +++ b/htdocs/langs/ja_JP/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=実効デュレーション ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=に費や​​された時間は OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=新しい請求書 +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/ja_JP/propal.lang b/htdocs/langs/ja_JP/propal.lang index 51f4e3d5529..65445002dd2 100644 --- a/htdocs/langs/ja_JP/propal.lang +++ b/htdocs/langs/ja_JP/propal.lang @@ -28,7 +28,7 @@ ShowPropal=提案を示す PropalsDraft=ドラフト PropalsOpened=開く PropalStatusDraft=ドラフト(検証する必要があります) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=(提案が開いている)を検証 PropalStatusSigned=(要請求)署名 PropalStatusNotSigned=(クローズ)署名されていません PropalStatusBilled=請求 @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=顧客の請求書の連絡先 TypeContact_propal_external_CUSTOMER=顧客の連絡先フォローアップ提案 TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=完全な提案モデル(logo. ..) -DocModelCyanDescription=完全な提案モデル(logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/ja_JP/stocks.lang b/htdocs/langs/ja_JP/stocks.lang index d6eb2e49c25..b547b328ebe 100644 --- a/htdocs/langs/ja_JP/stocks.lang +++ b/htdocs/langs/ja_JP/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=倉庫を表示 MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/ka_GE/admin.lang b/htdocs/langs/ka_GE/admin.lang index 7989f355378..ee21120b982 100644 --- a/htdocs/langs/ka_GE/admin.lang +++ b/htdocs/langs/ka_GE/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Invoices Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/ka_GE/bills.lang b/htdocs/langs/ka_GE/bills.lang index e6ea4390fd8..7ce06448be4 100644 --- a/htdocs/langs/ka_GE/bills.lang +++ b/htdocs/langs/ka_GE/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/ka_GE/categories.lang b/htdocs/langs/ka_GE/categories.lang index a6c3ffa01b0..7207bbacc38 100644 --- a/htdocs/langs/ka_GE/categories.lang +++ b/htdocs/langs/ka_GE/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ka_GE/companies.lang b/htdocs/langs/ka_GE/companies.lang index 7439972e906..c569a48c84a 100644 --- a/htdocs/langs/ka_GE/companies.lang +++ b/htdocs/langs/ka_GE/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/ka_GE/compta.lang b/htdocs/langs/ka_GE/compta.lang index 3f175b8b782..1de030a1905 100644 --- a/htdocs/langs/ka_GE/compta.lang +++ b/htdocs/langs/ka_GE/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/ka_GE/errors.lang b/htdocs/langs/ka_GE/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/ka_GE/errors.lang +++ b/htdocs/langs/ka_GE/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/ka_GE/holiday.lang b/htdocs/langs/ka_GE/holiday.lang index 69b6a698e1a..82de49f9c5f 100644 --- a/htdocs/langs/ka_GE/holiday.lang +++ b/htdocs/langs/ka_GE/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/ka_GE/install.lang b/htdocs/langs/ka_GE/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/ka_GE/install.lang +++ b/htdocs/langs/ka_GE/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/ka_GE/main.lang b/htdocs/langs/ka_GE/main.lang index ac411f56f3e..63d2698b9e6 100644 --- a/htdocs/langs/ka_GE/main.lang +++ b/htdocs/langs/ka_GE/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/ka_GE/modulebuilder.lang b/htdocs/langs/ka_GE/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/ka_GE/modulebuilder.lang +++ b/htdocs/langs/ka_GE/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/ka_GE/mrp.lang b/htdocs/langs/ka_GE/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/ka_GE/mrp.lang +++ b/htdocs/langs/ka_GE/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/ka_GE/orders.lang b/htdocs/langs/ka_GE/orders.lang index ad895845488..503955cf5f0 100644 --- a/htdocs/langs/ka_GE/orders.lang +++ b/htdocs/langs/ka_GE/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/ka_GE/other.lang b/htdocs/langs/ka_GE/other.lang index 7ee672f089b..46424590f31 100644 --- a/htdocs/langs/ka_GE/other.lang +++ b/htdocs/langs/ka_GE/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/ka_GE/projects.lang b/htdocs/langs/ka_GE/projects.lang index 868a696c20a..e9a559f6140 100644 --- a/htdocs/langs/ka_GE/projects.lang +++ b/htdocs/langs/ka_GE/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/ka_GE/propal.lang b/htdocs/langs/ka_GE/propal.lang index 7fce5107356..39bfdea31c8 100644 --- a/htdocs/langs/ka_GE/propal.lang +++ b/htdocs/langs/ka_GE/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/ka_GE/stocks.lang b/htdocs/langs/ka_GE/stocks.lang index 2e207e63b39..9856649b834 100644 --- a/htdocs/langs/ka_GE/stocks.lang +++ b/htdocs/langs/ka_GE/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/km_KH/main.lang b/htdocs/langs/km_KH/main.lang index edc407366aa..dc28c8f73fd 100644 --- a/htdocs/langs/km_KH/main.lang +++ b/htdocs/langs/km_KH/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/km_KH/mrp.lang b/htdocs/langs/km_KH/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/km_KH/mrp.lang +++ b/htdocs/langs/km_KH/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/kn_IN/admin.lang b/htdocs/langs/kn_IN/admin.lang index 7b7382b157c..2a6808132c5 100644 --- a/htdocs/langs/kn_IN/admin.lang +++ b/htdocs/langs/kn_IN/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Invoices Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/kn_IN/bills.lang b/htdocs/langs/kn_IN/bills.lang index 724d61d3bf6..399952bf85d 100644 --- a/htdocs/langs/kn_IN/bills.lang +++ b/htdocs/langs/kn_IN/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/kn_IN/categories.lang b/htdocs/langs/kn_IN/categories.lang index a6c3ffa01b0..7207bbacc38 100644 --- a/htdocs/langs/kn_IN/categories.lang +++ b/htdocs/langs/kn_IN/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/kn_IN/companies.lang b/htdocs/langs/kn_IN/companies.lang index 6f1e4bdc7de..0affa46d9a7 100644 --- a/htdocs/langs/kn_IN/companies.lang +++ b/htdocs/langs/kn_IN/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=ನನ್ನ ಸಂಪರ್ಕಗಳು Capital=ರಾಜಧಾನಿ CapitalOf=%s ಕ್ಯಾಪಿಟಲ್ EditCompany=ಸಂಸ್ಥೆಯನ್ನು ತಿದ್ದಿ -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=ಪರಿಶೀಲಿಸಿ VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=ಸಂಘಟನೆ FiscalYearInformation=Fiscal Year FiscalMonthStart=ಆರ್ಥಿಕ ವರ್ಷಾರಂಭದ ತಿಂಗಳು +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/kn_IN/compta.lang b/htdocs/langs/kn_IN/compta.lang index 3f175b8b782..1de030a1905 100644 --- a/htdocs/langs/kn_IN/compta.lang +++ b/htdocs/langs/kn_IN/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/kn_IN/errors.lang b/htdocs/langs/kn_IN/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/kn_IN/errors.lang +++ b/htdocs/langs/kn_IN/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/kn_IN/holiday.lang b/htdocs/langs/kn_IN/holiday.lang index 69b6a698e1a..82de49f9c5f 100644 --- a/htdocs/langs/kn_IN/holiday.lang +++ b/htdocs/langs/kn_IN/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/kn_IN/install.lang b/htdocs/langs/kn_IN/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/kn_IN/install.lang +++ b/htdocs/langs/kn_IN/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/kn_IN/main.lang b/htdocs/langs/kn_IN/main.lang index 0a0ee865bfc..70b9ec19f32 100644 --- a/htdocs/langs/kn_IN/main.lang +++ b/htdocs/langs/kn_IN/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/kn_IN/modulebuilder.lang b/htdocs/langs/kn_IN/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/kn_IN/modulebuilder.lang +++ b/htdocs/langs/kn_IN/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/kn_IN/mrp.lang b/htdocs/langs/kn_IN/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/kn_IN/mrp.lang +++ b/htdocs/langs/kn_IN/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/kn_IN/orders.lang b/htdocs/langs/kn_IN/orders.lang index cf4dcc25b99..744ee716964 100644 --- a/htdocs/langs/kn_IN/orders.lang +++ b/htdocs/langs/kn_IN/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=ದೂರವಾಣಿ # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/kn_IN/other.lang b/htdocs/langs/kn_IN/other.lang index f6388bb1fd5..389dc122b74 100644 --- a/htdocs/langs/kn_IN/other.lang +++ b/htdocs/langs/kn_IN/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=ಶೀರ್ಷಿಕೆ WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/kn_IN/projects.lang b/htdocs/langs/kn_IN/projects.lang index 868a696c20a..e9a559f6140 100644 --- a/htdocs/langs/kn_IN/projects.lang +++ b/htdocs/langs/kn_IN/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/kn_IN/propal.lang b/htdocs/langs/kn_IN/propal.lang index 590a98922ac..3f13529a889 100644 --- a/htdocs/langs/kn_IN/propal.lang +++ b/htdocs/langs/kn_IN/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=ತೆರೆಯಲಾಗಿದೆ PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/kn_IN/stocks.lang b/htdocs/langs/kn_IN/stocks.lang index 2e207e63b39..9856649b834 100644 --- a/htdocs/langs/kn_IN/stocks.lang +++ b/htdocs/langs/kn_IN/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/ko_KR/admin.lang b/htdocs/langs/ko_KR/admin.lang index 0f492b91693..afaae0ecf4a 100644 --- a/htdocs/langs/ko_KR/admin.lang +++ b/htdocs/langs/ko_KR/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=인보이스 Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=회원 Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/ko_KR/bills.lang b/htdocs/langs/ko_KR/bills.lang index 7af2eb15c99..56890abcc0e 100644 --- a/htdocs/langs/ko_KR/bills.lang +++ b/htdocs/langs/ko_KR/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/ko_KR/categories.lang b/htdocs/langs/ko_KR/categories.lang index 00e9215e88b..f4c004597d8 100644 --- a/htdocs/langs/ko_KR/categories.lang +++ b/htdocs/langs/ko_KR/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ko_KR/companies.lang b/htdocs/langs/ko_KR/companies.lang index 97b309078e1..5cb68afba05 100644 --- a/htdocs/langs/ko_KR/companies.lang +++ b/htdocs/langs/ko_KR/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=프로필 Id 1 (OGRN) ProfId2RU=프로필 Id 2 (INN) ProfId3RU=프로필 Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=내 연락처 Capital=자본 CapitalOf=자본금 %s EditCompany=회사 편집 -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=검사 VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=영업 담당자에게 할당 됨 Organization=조직 FiscalYearInformation=Fiscal Year FiscalMonthStart=회계 연도의 시작 달 +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=전자 메일 알림을 추가하려면 먼저 협력업체에 유효한 전자 메일이있는 연락처를 정의해야합니다 ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/ko_KR/compta.lang b/htdocs/langs/ko_KR/compta.lang index d14e2aa53bb..9e8160c0704 100644 --- a/htdocs/langs/ko_KR/compta.lang +++ b/htdocs/langs/ko_KR/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/ko_KR/errors.lang b/htdocs/langs/ko_KR/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/ko_KR/errors.lang +++ b/htdocs/langs/ko_KR/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/ko_KR/holiday.lang b/htdocs/langs/ko_KR/holiday.lang index 6392721082a..8d4ed04ae54 100644 --- a/htdocs/langs/ko_KR/holiday.lang +++ b/htdocs/langs/ko_KR/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=편집하다 diff --git a/htdocs/langs/ko_KR/install.lang b/htdocs/langs/ko_KR/install.lang index 8ab0f0aa4fc..9bf71984bea 100644 --- a/htdocs/langs/ko_KR/install.lang +++ b/htdocs/langs/ko_KR/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/ko_KR/main.lang b/htdocs/langs/ko_KR/main.lang index 5e211f7ad79..5415b6d81c3 100644 --- a/htdocs/langs/ko_KR/main.lang +++ b/htdocs/langs/ko_KR/main.lang @@ -471,7 +471,7 @@ TotalDuration=총기간 Summary=요약 DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=처리 할 열 요소가 없습니다. +NoOpenedElementToProcess=No open element to process Available=가능 NotYetAvailable=아직 가능 못함 NotAvailable=불가능 @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/ko_KR/modulebuilder.lang b/htdocs/langs/ko_KR/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/ko_KR/modulebuilder.lang +++ b/htdocs/langs/ko_KR/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/ko_KR/mrp.lang b/htdocs/langs/ko_KR/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/ko_KR/mrp.lang +++ b/htdocs/langs/ko_KR/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/ko_KR/orders.lang b/htdocs/langs/ko_KR/orders.lang index 090156ffbd4..9cf03886f08 100644 --- a/htdocs/langs/ko_KR/orders.lang +++ b/htdocs/langs/ko_KR/orders.lang @@ -11,6 +11,7 @@ OrderDate=주문일 OrderDateShort=주문일 OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=취소 된 StatusOrderDraftShort=초안 StatusOrderValidatedShort=확인 됨 @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=승인됨 StatusOrderRefusedShort=거절됨 -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=승인됨 StatusOrderRefused=거절됨 -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=이메일 OrderByWWW=Online OrderByPhone=전화 # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=취소 됨 +StatusSupplierOrderDraftShort=작성 +StatusSupplierOrderValidatedShort=확인 함 +StatusSupplierOrderSentShort=진행 중 +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=승인됨 +StatusSupplierOrderRefusedShort=거절됨 +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=취소 됨 +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=확인 함 +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=승인됨 +StatusSupplierOrderRefused=거절됨 +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/ko_KR/other.lang b/htdocs/langs/ko_KR/other.lang index f3a9a3b953b..50a1cdbacf9 100644 --- a/htdocs/langs/ko_KR/other.lang +++ b/htdocs/langs/ko_KR/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=표제 WEBSITE_DESCRIPTION=기술 WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/ko_KR/projects.lang b/htdocs/langs/ko_KR/projects.lang index 1ddd506e458..6d94e3a8640 100644 --- a/htdocs/langs/ko_KR/projects.lang +++ b/htdocs/langs/ko_KR/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/ko_KR/propal.lang b/htdocs/langs/ko_KR/propal.lang index e5900f7f449..99b165d656a 100644 --- a/htdocs/langs/ko_KR/propal.lang +++ b/htdocs/langs/ko_KR/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=체커 PropalsOpened=열다 PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/ko_KR/stocks.lang b/htdocs/langs/ko_KR/stocks.lang index 4cfe5d6bb18..912242c1f5f 100644 --- a/htdocs/langs/ko_KR/stocks.lang +++ b/htdocs/langs/ko_KR/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang index 48bffb4623e..aca872f5199 100644 --- a/htdocs/langs/lo_LA/admin.lang +++ b/htdocs/langs/lo_LA/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Invoices Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/lo_LA/bills.lang b/htdocs/langs/lo_LA/bills.lang index e6ea4390fd8..7ce06448be4 100644 --- a/htdocs/langs/lo_LA/bills.lang +++ b/htdocs/langs/lo_LA/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/lo_LA/categories.lang b/htdocs/langs/lo_LA/categories.lang index a6c3ffa01b0..7207bbacc38 100644 --- a/htdocs/langs/lo_LA/categories.lang +++ b/htdocs/langs/lo_LA/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/lo_LA/companies.lang b/htdocs/langs/lo_LA/companies.lang index 6d8e85c81cf..baead90af58 100644 --- a/htdocs/langs/lo_LA/companies.lang +++ b/htdocs/langs/lo_LA/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/lo_LA/compta.lang b/htdocs/langs/lo_LA/compta.lang index 64f22a00eb1..c5e026448e8 100644 --- a/htdocs/langs/lo_LA/compta.lang +++ b/htdocs/langs/lo_LA/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/lo_LA/errors.lang b/htdocs/langs/lo_LA/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/lo_LA/errors.lang +++ b/htdocs/langs/lo_LA/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/lo_LA/holiday.lang b/htdocs/langs/lo_LA/holiday.lang index 4f067ad8370..a88233b9fb5 100644 --- a/htdocs/langs/lo_LA/holiday.lang +++ b/htdocs/langs/lo_LA/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/lo_LA/install.lang b/htdocs/langs/lo_LA/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/lo_LA/install.lang +++ b/htdocs/langs/lo_LA/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/lo_LA/main.lang b/htdocs/langs/lo_LA/main.lang index 0b9c4371b59..ccd9b69cb4f 100644 --- a/htdocs/langs/lo_LA/main.lang +++ b/htdocs/langs/lo_LA/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/lo_LA/modulebuilder.lang b/htdocs/langs/lo_LA/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/lo_LA/modulebuilder.lang +++ b/htdocs/langs/lo_LA/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/lo_LA/mrp.lang b/htdocs/langs/lo_LA/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/lo_LA/mrp.lang +++ b/htdocs/langs/lo_LA/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/lo_LA/orders.lang b/htdocs/langs/lo_LA/orders.lang index ad895845488..503955cf5f0 100644 --- a/htdocs/langs/lo_LA/orders.lang +++ b/htdocs/langs/lo_LA/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/lo_LA/other.lang b/htdocs/langs/lo_LA/other.lang index 532438f8897..d36be4fe282 100644 --- a/htdocs/langs/lo_LA/other.lang +++ b/htdocs/langs/lo_LA/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/lo_LA/projects.lang b/htdocs/langs/lo_LA/projects.lang index eb8bfc68f0f..5260e1ada2a 100644 --- a/htdocs/langs/lo_LA/projects.lang +++ b/htdocs/langs/lo_LA/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/lo_LA/propal.lang b/htdocs/langs/lo_LA/propal.lang index 7fce5107356..39bfdea31c8 100644 --- a/htdocs/langs/lo_LA/propal.lang +++ b/htdocs/langs/lo_LA/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/lo_LA/stocks.lang b/htdocs/langs/lo_LA/stocks.lang index b81fc7f6ae4..81d2a303829 100644 --- a/htdocs/langs/lo_LA/stocks.lang +++ b/htdocs/langs/lo_LA/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang index 3c114f54ae1..e917ede5d57 100644 --- a/htdocs/langs/lt_LT/admin.lang +++ b/htdocs/langs/lt_LT/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Sąskaitos Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Redaktoriai @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integracija Module240Name=Duomenų eksportas -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Duomenų importas -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Nariai Module310Desc=Organizacijos narių valdymas Module320Name=RSS mechanizmas @@ -878,7 +878,7 @@ Permission1251=Pradėti masinį išorinių duomenų importą į duomenų bazę ( Permission1321=Eksportuoti klientų sąskaitas-faktūras, atributus ir mokėjimus Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Skaityti kitų veiksmus (įvykius ar užduotis) @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Žiūrėti į vietinio el. pašto konfigūraciją BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=Sukurtas sandėlio failas turi būti laikomas saugioje vietoje. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL duomenų importas ForcedToByAModule= Ši taisyklė yra priverstinė %s pagal aktyvuotą modulį PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Jūs turite paleisti šią komandą iš komandinės eilutės po vartotojo %s prisijungimo prie apvalkalo arba turite pridėti -W opciją komandinės eilutės pabaigoje slaptažodžio %s pateikimui. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Lauko %s redagavimas FillThisOnlyIfRequired=Pavyzdys: +2 (pildyti tik tuomet, jei laiko juostos nuokrypio problemos yra žymios) GetBarCode=Gauti brūkšninį kodą +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Grąžinti pagal vidinį Dolibarr algoritmą sugeneruotą slaptažodį: 8 simbolių, kuriuose yra bendri skaičiai ir mažosios raidės. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-įmonės modulio nustatymas ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Slenkstis -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/lt_LT/bills.lang b/htdocs/langs/lt_LT/bills.lang index f9302432be1..815e38b56d2 100644 --- a/htdocs/langs/lt_LT/bills.lang +++ b/htdocs/langs/lt_LT/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Kintamas dydis (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Įplaukų rūšis YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Sąskaitos-faktūros PDF šablonas Crabe. Pilnas sąskaitos-faktūros šablonas (rekomenduojamas Šablonas) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Grąžinimo numeris formatu %syymm-nnnn standartinėms sąskaitoms-faktūroms ir %syymm-nnnn kreditinėms sąskaitoms, kur yy yra metai, mm mėnuo ir nnnn yra seka be pertrūkių ir be grįžimo į 0 diff --git a/htdocs/langs/lt_LT/categories.lang b/htdocs/langs/lt_LT/categories.lang index e0f80fb479d..497c7ab14ff 100644 --- a/htdocs/langs/lt_LT/categories.lang +++ b/htdocs/langs/lt_LT/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Ši kategorija neturi jokių produktų. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Ši kategorija neturi jokių klientų. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Pridėti sekantį produktą / servisą ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/lt_LT/companies.lang b/htdocs/langs/lt_LT/companies.lang index 74de52ee886..0a2959a9409 100644 --- a/htdocs/langs/lt_LT/companies.lang +++ b/htdocs/langs/lt_LT/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof ID 1 (OGRN) ProfId2RU=Prof ID 2 (INN) ProfId3RU=Prof ID 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Mano kontaktai Capital=Kapitalas CapitalOf=Kapitalas %s EditCompany=Redaguoti įmonę -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Patikrinti VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organizacija FiscalYearInformation=Fiscal Year FiscalMonthStart=Finansinių metų pirmas mėnuo +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/lt_LT/compta.lang b/htdocs/langs/lt_LT/compta.lang index 8340f42dd6a..96ffced295c 100644 --- a/htdocs/langs/lt_LT/compta.lang +++ b/htdocs/langs/lt_LT/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=Pirkimų IRPF LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=Gautas PVM -ToPay=Mokėti +StatusToPay=Mokėti SpecialExpensesArea=Visų specialių atsiskaitymų sritis SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Rodyti PVM mokėjimą TotalToPay=Iš viso mokėti BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Sąskaitos numeris @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/lt_LT/errors.lang b/htdocs/langs/lt_LT/errors.lang index c0bbb9136bf..fc368cfbfa2 100644 --- a/htdocs/langs/lt_LT/errors.lang +++ b/htdocs/langs/lt_LT/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Vartotojas su prisijungimu %s nerastas ErrorLoginHasNoEmail=Šis vartotojas neturi e-pašto adreso. Procesas nutrauktas. ErrorBadValueForCode=Netinkama saugumo kodo reikšmė. Pabandykite dar kartą su nauja reikšme ... ErrorBothFieldCantBeNegative=Laukai %s ir %s negali būti abu neigiami -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Vartotojo sąskaita %s naudojama web serverio vykdymui neturi leidimo tam. ErrorNoActivatedBarcode=Nėra įjungta brūkšninio kodo tipo @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/lt_LT/holiday.lang b/htdocs/langs/lt_LT/holiday.lang index aa3b5e35d5e..3e8eaa9905b 100644 --- a/htdocs/langs/lt_LT/holiday.lang +++ b/htdocs/langs/lt_LT/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Redaguoti diff --git a/htdocs/langs/lt_LT/install.lang b/htdocs/langs/lt_LT/install.lang index 8ab0d82c47d..bee586e2641 100644 --- a/htdocs/langs/lt_LT/install.lang +++ b/htdocs/langs/lt_LT/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Jūsų PHP maksimali sesijos atmintis yra nustatyta į %s. To turėtų būti pakankamai. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Katalogas %s neegzistuoja. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Galbūt įvedėte neteisingą parametro '%s' reikšmę. diff --git a/htdocs/langs/lt_LT/main.lang b/htdocs/langs/lt_LT/main.lang index c7984ae7a29..c5504e5c6f6 100644 --- a/htdocs/langs/lt_LT/main.lang +++ b/htdocs/langs/lt_LT/main.lang @@ -471,7 +471,7 @@ TotalDuration=Bendra trukmė Summary=Suvestinė DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Prieinamas NotYetAvailable=Dar nėra prieinamas NotAvailable=Nėra prieinamas @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Sutartis ContactDefault_facture=PVM Sąskaita-faktūra ContactDefault_fichinter=Intervencija ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projektas ContactDefault_project_task=Užduotis ContactDefault_propal=Pasiūlymas @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/lt_LT/modulebuilder.lang b/htdocs/langs/lt_LT/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/lt_LT/modulebuilder.lang +++ b/htdocs/langs/lt_LT/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/lt_LT/mrp.lang b/htdocs/langs/lt_LT/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/lt_LT/mrp.lang +++ b/htdocs/langs/lt_LT/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/lt_LT/orders.lang b/htdocs/langs/lt_LT/orders.lang index 32819f14d85..274f41645fa 100644 --- a/htdocs/langs/lt_LT/orders.lang +++ b/htdocs/langs/lt_LT/orders.lang @@ -11,6 +11,7 @@ OrderDate=Užsakymo data OrderDateShort=Užsakymo data OrderToProcess=Užsakymo procesas NewOrder=Naujas užsakymas +NewOrderSupplier=New Purchase Order ToOrder=Sudaryti užsakymą MakeOrder=Sudaryti užsakymą SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Atšauktas StatusOrderDraftShort=Projektas StatusOrderValidatedShort=Patvirtintas @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Pristatyta StatusOrderToBillShort=Pristatyta StatusOrderApprovedShort=Patvirtinta StatusOrderRefusedShort=Atmesta -StatusOrderBilledShort=Sąskaita-faktūra pateikta StatusOrderToProcessShort=Apdoroti StatusOrderReceivedPartiallyShort=Dalinai gauta StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Apdorotas StatusOrderToBill=Pristatyta StatusOrderApproved=Patvirtinta StatusOrderRefused=Atmesta -StatusOrderBilled=Sąskaita-faktūra pateikta StatusOrderReceivedPartially=Dalinai gauta StatusOrderReceivedAll=All products received ShippingExist=Gabenimas vyksta @@ -68,8 +69,9 @@ ValidateOrder=Patvirtinti užsakymą UnvalidateOrder=Nepatvirtinti užsakymo DeleteOrder=Ištrinti užsakymą CancelOrder=Atšaukti užsakymą -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Sukurti užsakymą +AddPurchaseOrder=Create purchase order AddToDraftOrders=Pridėti į užsakymo projektą ShowOrder=Rodyti užsakymą OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=El. paštas OrderByWWW=Prisijungęs (online) OrderByPhone=Telefonas # Documents models -PDFEinsteinDescription=Išsamus užsakymo modelis (logo. ..) -PDFEratostheneDescription=Išsamus užsakymo modelis (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Paprastas užsakymo modelis -PDFProformaDescription=Pilna išankstinė sąskaita-faktūra (logo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Pateikti sąskaitą užsakymams NoOrdersToInvoice=Nėra užsakymų, kuriems galima išrašyti sąskaitą CloseProcessedOrdersAutomatically=Klasifikuoti "Apdoroti" visus pasirinktus užsakymus. @@ -152,7 +154,35 @@ OrderCreated=Jūsų užsakymai sukurti OrderFail=Kuriant užsakymus įvyko klaida CreateOrders=Sukurti užsakymus ToBillSeveralOrderSelectCustomer=Norėdami sukurti už kelis užsakymus sąskaitą faktūrą, spustelėkite pirma į klientą, tada pasirinkite "%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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Atšauktas +StatusSupplierOrderDraftShort=Projektas +StatusSupplierOrderValidatedShort=Galiojantis +StatusSupplierOrderSentShort=Vykdomas +StatusSupplierOrderSent=Gabenimas vykdomas +StatusSupplierOrderOnProcessShort=Užsakyta +StatusSupplierOrderProcessedShort=Apdorotas +StatusSupplierOrderDelivered=Pristatyta +StatusSupplierOrderDeliveredShort=Pristatyta +StatusSupplierOrderToBillShort=Pristatyta +StatusSupplierOrderApprovedShort=Patvirtinta +StatusSupplierOrderRefusedShort=Atmestas +StatusSupplierOrderToProcessShort=Apdoroti +StatusSupplierOrderReceivedPartiallyShort=Dalinai gauta +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Atšauktas +StatusSupplierOrderDraft=Projektas (turi būti patvirtintas) +StatusSupplierOrderValidated=Galiojantis +StatusSupplierOrderOnProcess=Užsakyta - Laukiama gavimo +StatusSupplierOrderOnProcessWithValidation=Užsakyta - Laukiama gavimo ar patvirtinimo +StatusSupplierOrderProcessed=Apdorotas +StatusSupplierOrderToBill=Pristatyta +StatusSupplierOrderApproved=Patvirtinta +StatusSupplierOrderRefused=Atmestas +StatusSupplierOrderReceivedPartially=Dalinai gauta +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/lt_LT/other.lang b/htdocs/langs/lt_LT/other.lang index f281d839b7c..9ec2f519e75 100644 --- a/htdocs/langs/lt_LT/other.lang +++ b/htdocs/langs/lt_LT/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Valdyti organizacijos narius DemoFundation2=Valdyti organizacijos narius ir banko sąskaitą DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Valdyti parduotuvę su kasos aparatu -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Sukurta %s ModifiedBy=Modifikuota %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Pavadinimas WEBSITE_DESCRIPTION=Aprašymas WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/lt_LT/projects.lang b/htdocs/langs/lt_LT/projects.lang index 5f2ed8c6327..73244e2dea6 100644 --- a/htdocs/langs/lt_LT/projects.lang +++ b/htdocs/langs/lt_LT/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Efektyvi trukmė ProgressDeclared=Paskelbta pažanga TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Apskaičiuota pažanga @@ -249,9 +249,13 @@ TimeSpentForInvoice=Praleistas laikas OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Nauja sąskaita-faktūra +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/lt_LT/propal.lang b/htdocs/langs/lt_LT/propal.lang index 216786c2dac..20f0a388be5 100644 --- a/htdocs/langs/lt_LT/propal.lang +++ b/htdocs/langs/lt_LT/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Rodyti pasiūlymą PropalsDraft=Projektai PropalsOpened=Atidaryta PropalStatusDraft=Projektas (turi būti patvirtintas) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Patvirtintas (pasiūlymas yra atidarytas) PropalStatusSigned=Pasirašyta (reikia pateikti sąskaitą-faktūrą) PropalStatusNotSigned=Nepasirašyta (uždarytas) PropalStatusBilled=Sąskaita-faktūra pateikta @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Kliento sąskaitos-faktūros kontaktai TypeContact_propal_external_CUSTOMER=Kliento kontaktas tęstiniame pasiūlyme TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Išsamus užsakymo modelis (logo. ..) -DocModelCyanDescription=Išsamus užsakymo modelis (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Modelio sukūrimas pagal nutylėjimą DefaultModelPropalToBill=Šablonas pagal nutylėjimą, kai uždaromas verslo pasiūlymas (turi būti išrašyta sąskaita-faktūra) DefaultModelPropalClosed=Šablonas pagal nutylėjimą, kai uždaromas verslo pasiūlymas (sąskaita-faktūra neišrašoma) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/lt_LT/stocks.lang b/htdocs/langs/lt_LT/stocks.lang index a3502d268be..2d72309f331 100644 --- a/htdocs/langs/lt_LT/stocks.lang +++ b/htdocs/langs/lt_LT/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Rodyti sandėlį MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/lv_LV/accountancy.lang b/htdocs/langs/lv_LV/accountancy.lang index 2efd98a28fe..8a1c22c0fd7 100644 --- a/htdocs/langs/lv_LV/accountancy.lang +++ b/htdocs/langs/lv_LV/accountancy.lang @@ -224,6 +224,7 @@ ListAccounts=Grāmatvedības kontu saraksts UnknownAccountForThirdparty=Nezināmas trešās puses konts. Mēs izmantosim %s UnknownAccountForThirdpartyBlocking=Nezināms trešās puses konts. Bloķēšanas kļūda ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Trešās puses konts nav definēts vai trešā persona nav zināma. Mēs izmantosim %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Trešā puse nav zināma un subleger nav definēts maksājumā. Mēs saglabāsim tukšu subleger konta vērtību. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Trešās puses konts nav definēts vai trešā persona nav zināma. Bloķēšanas kļūda. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Nav noteikts nezināms trešās puses konts un gaidīšanas konts. Bloķēšanas kļūda PaymentsNotLinkedToProduct=Maksājums nav saistīts ar kādu produktu / pakalpojumu diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang index 4cfea28405a..0fe12baa52f 100644 --- a/htdocs/langs/lv_LV/admin.lang +++ b/htdocs/langs/lv_LV/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Pārdošanas pasūtījumu pārvaldība Module30Name=Rēķini Module30Desc=Rēķinu un kredītzīmju pārvaldība klientiem. Rēķinu un kredīta pavadzīmju pārvaldība piegādātājiem Module40Name=Pārdevēji -Module40Desc=Pārdevēji un pirkumu pārvaldība (pirkuma pasūtījumi un norēķini) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Atkļūdošanas žurnāli Module42Desc=Žurnalēšana (fails, syslog, ...). Šādi žurnāli ir paredzēti tehniskiem / atkļūdošanas nolūkiem. Module49Name=Redaktors @@ -561,9 +561,9 @@ Module200Desc=LDAP direktoriju sinhronizācija Module210Name=PostNuke Module210Desc=PostNuke integrācija Module240Name=Datu eksports -Module240Desc=Rīks Dolibarr datu eksportēšanai (ar palīgu) +Module240Desc=Rīks Dolibarr datu eksportēšanai (ar palīdzību) Module250Name=Datu imports -Module250Desc=Instruments datu importēšanai Dolibarr (ar palīgiem) +Module250Desc=Rīks datu importēšanai Dolibarr (ar palīdzību) Module310Name=Dalībnieki Module310Desc=Fonda biedru vadība Module320Name=RSS barotne @@ -878,7 +878,7 @@ Permission1251=Palaist masveida importu ārējiem datiem datu bāzē (datu ielā Permission1321=Eksporta klientu rēķinus, atribūti un maksājumus Permission1322=Atkārtoti atvērt samaksāto rēķinu Permission1421=Eksporta pārdošanas pasūtījumi un atribūti -Permission2401=Lasīt darbības (notikumus vai uzdevumus), kas saistītas ar viņa lietotāja kontu (ja notikuma īpašnieks) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Izveidot / modificēt darbības (notikumus vai uzdevumus), kas saistītas ar viņa lietotāja kontu (ja notikuma īpašnieks) Permission2403=Dzēst darbības (notikumus vai uzdevumus), kas saistītas ar viņa lietotāja kontu (ja notikuma īpašnieks) Permission2411=Lasīt darbības (pasākumi vai uzdevumi) par citiem @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Drošības notikums nav reģistrēts. Tas ir normāli, ja NoEventFoundWithCriteria=Šim meklēšanas kritērijam nav atrasts neviens drošības notikums. SeeLocalSendMailSetup=Skatiet sendmail iestatījumus BackupDesc=Lai veiktu Dolibarr instalācijas pilnu rezerves kopijas izveidi ir nepieciešami divi soļi. -BackupDesc2=Dublējiet direktoriju "dokumentu" ( %s ) saturu, kurā ir visi augšupielādētie un ģenerētie faili. Tas ietvers arī visus 1. posmā radītos izgāztuves failus. +BackupDesc2=Dublējiet direktorija "dokumentu" satura saturu ( %s ), kurā ir visi augšupielādētie un ģenerētie faili. Tas ietvers arī visus 1. darbībā ģenerētos izmešu failus. Šī darbība var ilgt vairākas minūtes. BackupDesc3=Dublējiet jūsu datubāzes struktūru un saturu ( %s ). Lai to izdarītu, varat izmantot šo palīgu. BackupDescX=Arhivēto direktoriju vajadzētu glabāt drošā vietā. BackupDescY=Radītais dump fails jāglabā drošā vietā. @@ -1167,6 +1167,7 @@ RestoreDesc3=Atjaunojiet datu bāzes struktūru un datus no dublējuma faila jau RestoreMySQL=MySQL imports ForcedToByAModule= Šis noteikums ir spiests %s ar aktivēto modulis PreviousDumpFiles=Esošie rezerves kopiju faili +PreviousArchiveFiles=Esošie arhīva faili WeekStartOnDay=Nedēļas pirmā diena RunningUpdateProcessMayBeRequired=Šķiet, ka nepieciešams veikt atjaunināšanas procesu (programmas versija %s atšķiras no datu 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. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Pieprasiet vēlamo piegādes metodi trešajām pus FieldEdition=Izdevums lauka %s FillThisOnlyIfRequired=Piemērs: +2 (aizpildiet tikai, ja sastopaties ar problēmām) GetBarCode=Iegūt svītrukodu +NumberingModules=Numerācijas modeļi ##### Module password generation PasswordGenerationStandard=Atgriešanās paroli radīts saskaņā ar iekšējo Dolibarr algoritmu: 8 rakstzīmēm, kas satur kopīgos ciparus un rakstzīmes mazie burti. PasswordGenerationNone=Neiesakām ģenerētu paroli. Parole jāieraksta manuāli. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Pārbaudiet čeku numerācijas moduli MultiCompanySetup=Multi-kompānija modulis iestatīšana ##### Suppliers ##### SuppliersSetup=Pārdevēja moduļa iestatīšana -SuppliersCommandModel=Pilnīga pirkuma pasūtījuma veidne (logotips ...) -SuppliersInvoiceModel=Pabeigt pārdevēja rēķina veidni (logotips ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Pārdevēja rēķinu numerācijas modeļi IfSetToYesDontForgetPermission=Ja ir iestatīta vērtība, kas nav nulles vērtība, neaizmirstiet atļaut grupām vai lietotājiem, kuriem atļauts veikt otro apstiprinājumu ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=Automātisko paziņojumu saraksts katram lietotājam* ListOfNotificationsPerUserOrContact=Iespējamo automātisko paziņojumu (par biznesa notikumu) saraksts, kas pieejams katram lietotājam* vai kontaktam** ListOfFixedNotifications=Automātisko fiksēto paziņojumu saraksts GoOntoUserCardToAddMore=Atveriet lietotāja cilni "Paziņojumi", lai pievienotu vai noņemtu paziņojumus lietotājiem -GoOntoContactCardToAddMore=Atveriet trešās personas cilni "Paziņojumi", lai pievienotu vai noņemtu paziņojumus par kontaktpersonām / adresēm +GoOntoContactCardToAddMore=Lai pievienotu vai noņemtu kontaktpersonu / adrešu paziņojumus, dodieties uz trešās puses cilni “Paziņojumi” Threshold=Slieksnis -BackupDumpWizard=Wizard, lai izveidotu dublējuma failu +BackupDumpWizard=Veidnis, lai izveidotu datu bāzes dublējuma failu +BackupZipWizard=Vednis, lai izveidotu dokumentu arhīva direktoriju SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=Šī iemesla dēļ šeit aprakstītais process ir manuāls process, kurā var veikt tikai priviliģēts lietotājs. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Mazāks nekā LargerThan=Lielāks nekā IfTrackingIDFoundEventWillBeLinked=Ņemiet vērā, ka, ja ienākošajā e-pastā tiek atrasts izsekošanas ID, notikums tiks automātiski saistīts ar saistītajiem objektiem. WithGMailYouCanCreateADedicatedPassword=Izmantojot GMail kontu, ja esat iespējojis 2 soļu validāciju, ieteicams izveidot īpašu lietojumprogrammas otro paroli, nevis izmantot sava konta caurlaides paroli no https://myaccount.google.com/. +EmailCollectorTargetDir=Vēlama rīcība var būt e-pasta pārvietošana citā tagā / direktorijā, kad tas tika veiksmīgi apstrādāts. Šeit vienkārši iestatiet vērtību, lai izmantotu šo funkciju. Ņemiet vērā, ka jāizmanto arī lasīšanas / rakstīšanas pieteikšanās konts. +EmailCollectorLoadThirdPartyHelp=Varat izmantot šo darbību, lai izmantotu e-pasta saturu, lai atrastu un ielādētu esošu trešo personu savā datu bāzē. Atrasta (vai izveidota) trešā puse tiks izmantota sekojošām darbībām, kurām tā nepieciešama. Parametru laukā varat izmantot, piemēram, 'EXTRACT: BODY: Name: \\ s ([^ \\ s] *)', ja vēlaties iegūt trešās puses vārdu no atrastās virknes 'Name: name to find'. ķermenis. EndPointFor=Beigu punkts %s: %s DeleteEmailCollector=Dzēst e-pasta kolekcionāru ConfirmDeleteEmailCollector=Vai tiešām vēlaties dzēst šo e-pasta kolekcionāru? @@ -1962,6 +1968,6 @@ RESTRICT_API_ON_IP=Atļaut pieejamās API tikai dažam resursdatora IP (aizstāj RESTRICT_ON_IP=Atļaut piekļuvi tikai dažam resursdatora IP (aizstājējzīme nav atļauta, izmantojiet atstarpi starp vērtībām). Tukši nozīmē, ka ikviens saimnieks var tam piekļūt. BaseOnSabeDavVersion=Balstīts uz bibliotēkas SabreDAV versiju NotAPublicIp=Nav publiskā IP -MakeAnonymousPing=Izveidojiet anonīmu Ping '+1' Dolibarr pamata serverim (to veic tikai vienu reizi pēc instalēšanas), lai fonds varētu uzskaitīt Dolibarr instalācijas skaitu. +MakeAnonymousPing=Izveidojiet anonīmu Ping '+1' Dolibarr pamata serverim (to veic tikai vienu reizi pēc instalēšanas), lai fonds varētu uzskaitīt Dolibarr instalācijas skaitu. FeatureNotAvailableWithReceptionModule=Funkcija nav pieejama, ja ir iespējota moduļa uztveršana EmailTemplate=E-pasta veidne diff --git a/htdocs/langs/lv_LV/banks.lang b/htdocs/langs/lv_LV/banks.lang index 18d308f56fd..51f7f5a968a 100644 --- a/htdocs/langs/lv_LV/banks.lang +++ b/htdocs/langs/lv_LV/banks.lang @@ -146,7 +146,7 @@ ToConciliate=Saskaņot? ThenCheckLinesAndConciliate=Tad pārbaudiet līnijas, kas atrodas bankas izrakstā, un noklikšķiniet DefaultRIB=Noklusējuma BAN AllRIB=Visi BAN -LabelRIB=BAN Label +LabelRIB=BAN etiķete NoBANRecord=No BAN record DeleteARib=Delete BAN record ConfirmDeleteRib=Are you sure you want to delete this BAN record ? @@ -154,7 +154,7 @@ RejectCheck=Čeks atgriezts ConfirmRejectCheck=Vai tiešām vēlaties atzīmēt šo pārbaudi kā noraidītu? RejectCheckDate=Date the check was returned CheckRejected=Check returned -CheckRejectedAndInvoicesReopened=Check returned and invoices reopened +CheckRejectedAndInvoicesReopened=Čeks ir atgriezts un rēķini tiek atvērti atkārtoti BankAccountModelModule=Dokumentu veidnes banku kontiem DocumentModelSepaMandate=SEPA mandāta veidne. Noderīga Eiropas valstīm tikai EEK. DocumentModelBan=Veidne, lai izdrukātu lapu ar BAN informāciju. @@ -169,3 +169,7 @@ FindYourSEPAMandate=Tas ir jūsu SEPA mandāts, lai pilnvarotu mūsu uzņēmumu AutoReportLastAccountStatement=Veicot saskaņošanu, automātiski aizpildiet lauka “bankas izraksta numurs” ar pēdējo izraksta numuru CashControl=POS naudas žogs NewCashFence=Jauns naudas žogs +BankColorizeMovement=Krāsojiet kustības +BankColorizeMovementDesc=Ja šī funkcija ir iespējota, jūs varat izvēlēties īpašu fona krāsu debeta vai kredīta pārvietošanai +BankColorizeMovementName1=Debeta kustības fona krāsa +BankColorizeMovementName2=Kredīta aprites fona krāsa diff --git a/htdocs/langs/lv_LV/bills.lang b/htdocs/langs/lv_LV/bills.lang index 77844382849..2f43e890db4 100644 --- a/htdocs/langs/lv_LV/bills.lang +++ b/htdocs/langs/lv_LV/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dienas PaymentCondition14D=14 dienas PaymentConditionShort14DENDMONTH=Mēneša 14 dienas PaymentCondition14DENDMONTH=14 dienu laikā pēc mēneša beigām -FixAmount=Fiksētā summa +FixAmount=Fiksēta summa - 1 rinda ar etiķeti '%s' VarAmount=Mainīgais apjoms (%% kop.) VarAmountOneLine=Mainīgā summa (%% kopā) - 1 rinda ar etiķeti '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Ieņēmumu zīmogs YouMustCreateInvoiceFromThird=Šī opcija ir pieejama tikai tad, ja izveidojat rēķinu no trešās personas cilnes "Klients" YouMustCreateInvoiceFromSupplierThird=Šī opcija ir pieejama tikai tad, ja izveidojat rēķinu no trešās puses cilnes „Pārdevējs” YouMustCreateStandardInvoiceFirstDesc=Vispirms vispirms jāizveido standarta rēķins un jāpārveido tas par "veidni", lai izveidotu jaunu veidnes rēķinu -PDFCrabeDescription=Rēķina PDF paraugs. Pilnākais rēķina paraugs (vēlamais paraugs) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Rēķina PDF veidne Sponge. Pilnīga rēķina veidne PDFCrevetteDescription=Rēķina PDF veidne Crevette. Pabeigta rēķina veidne situāciju rēķiniem TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/lv_LV/categories.lang b/htdocs/langs/lv_LV/categories.lang index 79e6bc2cddd..74bde2cf394 100644 --- a/htdocs/langs/lv_LV/categories.lang +++ b/htdocs/langs/lv_LV/categories.lang @@ -38,7 +38,7 @@ ContactIsInCategories=This contact is linked to following contacts tags/categori ProductHasNoCategory=Šī prece/pakalpijums nav nevienā sadaļā CompanyHasNoCategory=This third party is not in any tags/categories MemberHasNoCategory=This member is not in any tags/categories -ContactHasNoCategory=This contact is not in any tags/categories +ContactHasNoCategory=Šī kontaktpersona nav nevienā tagā /sadaļā ProjectHasNoCategory=Šis projekts nav nevienā tagā / kategorijā ClassifyInCategory=Pievienot tagam / kategorijai NotCategorized=Bez taga / sadaļas @@ -50,18 +50,19 @@ ConfirmDeleteCategory=Vai tiešām vēlaties dzēst šo tagu / kategoriju? NoCategoriesDefined=Nav atzīmēta taga / kategorija SuppliersCategoryShort=Pārdevēju atzīme / kategorija CustomersCategoryShort=Klientu atzīme / kategorija -ProductsCategoryShort=Produktu tag / sadaļa +ProductsCategoryShort=Produktu tags /sadaļa MembersCategoryShort=Dalībnieku atzīme / kategorija -SuppliersCategoriesShort=Pārdevēju tagi / kategorijas -CustomersCategoriesShort=Klientu tagi / kategorijas +SuppliersCategoriesShort=Pārdevēju tagi /sadaļas +CustomersCategoriesShort=Klientu tagi /sadaļas ProspectsCategoriesShort=Izredzes tagi / kategorijas CustomersProspectsCategoriesShort=Cust /.Prosp. tagi / kategorijas ProductsCategoriesShort=Produktu tagi / sadaļas MembersCategoriesShort=Lietotāju tagi / sadaļas -ContactCategoriesShort=Contacts tags/categories +ContactCategoriesShort=Kontaktpersonu tagi /sadaļas AccountsCategoriesShort=Kontu atzīmes / sadaļas ProjectsCategoriesShort=Projektu tagi / sadaļas UsersCategoriesShort=Lietotāju atzīmes / kategorijas +StockCategoriesShort=Noliktavas tagi / kategorijas ThisCategoryHasNoProduct=Šī sadaļā nav produktu. ThisCategoryHasNoSupplier=Šajā kategorijā nav pārdevēja. ThisCategoryHasNoCustomer=Šī sadaļa nesatur klientu. @@ -69,7 +70,7 @@ ThisCategoryHasNoMember=Šajā sadaļaā nav neviena dalībnieka. ThisCategoryHasNoContact=Šajā kategorijā nav kontaktu. ThisCategoryHasNoAccount=Šī sadaļā nav neviena konta. ThisCategoryHasNoProject=Šī sadaļa nesatur nevienu projektu. -CategId=Tag / kategorijas ID +CategId=Tag /sadaļas ID CatSupList=Piegādātāju tagu / kategoriju saraksts CatCusList=Klientu / perspektīvu tagu / kategoriju saraksts CatProdList=Produktu tagu / kategoriju saraksts @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Izvēlies sadaļu +StocksCategoriesArea=Noliktavu kategoriju zona +ActionCommCategoriesArea=Notikumu sadaļu zona +UseOrOperatorForCategories=Izmantojiet vai operatoru kategorijām diff --git a/htdocs/langs/lv_LV/companies.lang b/htdocs/langs/lv_LV/companies.lang index 6b9c6737461..9d1a5d84bce 100644 --- a/htdocs/langs/lv_LV/companies.lang +++ b/htdocs/langs/lv_LV/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=1. prof. ID (CUI) +ProfId2RO=Prof Id 2 (Nr. Manmatriculare) +ProfId3RO=3. profils (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof ID 1 (BIN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Mani kontakti Capital=Kapitāls CapitalOf=%s kapitāls EditCompany=Labot uzņēmumu -ThisUserIsNot=Šis lietotājs nav izredzes, klients vai pārdevējs +ThisUserIsNot=Šis lietotājs nav potenciālais pircējs, klients vai pārdevējs VATIntraCheck=Pārbaudīt VATIntraCheckDesc=PVN ID ir jāiekļauj valsts prefikss. Saite %s izmanto Eiropas PVN pārbaudes pakalpojumu (VIES), kas pieprasa interneta piekļuvi no Dolibarr servera. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Piešķirts tirdzniecības pārstāvim Organization=Organizācija FiscalYearInformation=Fiskālais gads FiscalMonthStart=Fiskālā gada pirmais mēnesis +SocialNetworksInformation=Sociālie tīkli +SocialNetworksFacebookURL=Facebook vietrādis URL +SocialNetworksTwitterURL=Twitter vietrādis URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram vietrādis URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Lai varētu pievienot e-pasta paziņojumu, šim lietotājam ir jāizveido e-pasts. YouMustCreateContactFirst=Lai varētu pievienot e-pasta paziņojumus, vispirms jādefinē kontakti ar derīgiem trešo pušu e-pastiem ListSuppliersShort=Pārdevēju saraksts diff --git a/htdocs/langs/lv_LV/compta.lang b/htdocs/langs/lv_LV/compta.lang index 14d586e869e..fd3f7210d76 100644 --- a/htdocs/langs/lv_LV/compta.lang +++ b/htdocs/langs/lv_LV/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Ar pārdošanas nodokļa likmi TurnoverbyVatrate=Apgrozījums, par kuru tiek aprēķināta pārdošanas nodokļa likme TurnoverCollectedbyVatrate=Apgrozījums, kas iegūts, pārdodot nodokli PurchasebyVatrate=Iegāde pēc pārdošanas nodokļa likmes +LabelToShow=Īsais nosaukums diff --git a/htdocs/langs/lv_LV/errors.lang b/htdocs/langs/lv_LV/errors.lang index 67307d6c057..aa6c69e2855 100644 --- a/htdocs/langs/lv_LV/errors.lang +++ b/htdocs/langs/lv_LV/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Lietotāju ar pieteikšanos %s nevar atrast. ErrorLoginHasNoEmail=Šim lietotājam nav e-pasta adrese. Process atcelts. ErrorBadValueForCode=Nepareiza drošības koda vērtība. Mēģiniet vēlreiz ar jauno vērtību ... ErrorBothFieldCantBeNegative=Lauki %s un %s nevar būt abi negatīvi -ErrorFieldCantBeNegativeOnInvoice=Lauks %s nevar būt negatīvs uz šāda veida rēķina. Ja vēlaties pievienot atlaides līniju, vispirms izveidojiet atlaidi ar saiti %s uz ekrāna un piemērojiet to rēķinam. Varat arī lūgt administratoru iestatīt opciju FACTURE_ENABLE_NEGATIVE_LINES uz 1, lai atļautu veco darbību. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Lietotāja kontam %s kas tiek izmantots, lai startētu web serveri nav atļaujas to startēt ErrorNoActivatedBarcode=Nav svītrkodu veids aktivizēts @@ -222,8 +223,10 @@ ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Kļūda, dzēšot maksājumu ErrorSearchCriteriaTooSmall=Meklēšanas kritēriji ir pārāk mazi. ErrorObjectMustHaveStatusActiveToBeDisabled=Objektiem jābūt statusam “Aktīvs”, lai tos atspējotu ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objektiem jābūt iespējotiem ar statusu “Melnraksts” vai “Atspējots” -ErrorNoFieldWithAttributeShowoncombobox=Nevienam laukam objekta '%s' definīcijā nav rekvizīta 'showoncombobox'. Nekādā veidā nevar parādīt combolist. +ErrorNoFieldWithAttributeShowoncombobox=Nevienam laukam objekta '%s' definīcijā nav rekvizīta 'showoncombobox'. Nekādā veidā nevar parādīt combolist. ErrorFieldRequiredForProduct=Lauks “%s” ir nepieciešams produktam %s +ProblemIsInSetupOfTerminal=Problēma termināļa %s iestatīšanā. +ErrorAddAtLeastOneLineFirst=Vispirms pievienojiet vismaz vienu rindu # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Jūsu PHP parametrs upload_max_filesize (%s) ir augstāks nekā PHP parametrs post_max_size (%s). Šī nav konsekventa iestatīšana. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/lv_LV/holiday.lang b/htdocs/langs/lv_LV/holiday.lang index a9dd73a9313..b4b0d3f7477 100644 --- a/htdocs/langs/lv_LV/holiday.lang +++ b/htdocs/langs/lv_LV/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Atvaļinājuma ID veids TypeOfLeaveCode=Atvaļinājuma kods TypeOfLeaveLabel=Atvaļinājuma veids NbUseDaysCP=Patērēto atvaļinājuma dienu skaits +NbUseDaysCPHelp=Aprēķinā tiek ņemtas vērā vārdnīcā noteiktās brīvās dienas un brīvdienas. NbUseDaysCPShort=Patērētās dienas NbUseDaysCPShortInMonth=Mēneša laikā patērētās dienas +DayIsANonWorkingDay=%s nav darba diena DateStartInMonth=Sākuma datums mēnesī DateEndInMonth=Mēneša beigu datums EditCP=Rediģēt diff --git a/htdocs/langs/lv_LV/install.lang b/htdocs/langs/lv_LV/install.lang index 35370d685c4..11c09ac776a 100644 --- a/htdocs/langs/lv_LV/install.lang +++ b/htdocs/langs/lv_LV/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Šis PHP atbalsta Curl. PHPSupportCalendar=Šis PHP atbalsta kalendāru paplašinājumus. PHPSupportUTF8=Šis PHP atbalsta UTF8 funkcijas. PHPSupportIntl=Šī PHP atbalsta Intl funkcijas. +PHPSupport=Šis PHP atbalsta %s funkcijas. PHPMemoryOK=Jūsu PHP maksimālā sesijas atmiņa ir iestatīts uz %s. Tas ir pietiekami. PHPMemoryTooLow=Jūsu PHP max sesijas atmiņa ir iestatīta uz %s baitiem. Tas ir pārāk zems. Mainiet php.ini, lai iestatītu memory_limit parametru vismaz %s baitiem. Recheck=Noklikšķiniet šeit, lai iegūtu sīkāku pārbaudi @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Jūsu PHP instalācija neatbalsta Curl. ErrorPHPDoesNotSupportCalendar=Jūsu PHP instalācija neatbalsta php kalendāra paplašinājumus. ErrorPHPDoesNotSupportUTF8=Jūsu PHP instalācija neatbalsta UTF8 funkcijas. Dolibarr nevar darboties pareizi. Atrisiniet to pirms Dolibarr instalēšanas. ErrorPHPDoesNotSupportIntl=Jūsu PHP instalācija neatbalsta Intl funkcijas. +ErrorPHPDoesNotSupport=Jūsu PHP instalācija neatbalsta %s funkcijas. ErrorDirDoesNotExists=Katalogs %s neeksistē. ErrorGoBackAndCorrectParameters=Atgriezieties un pārbaudiet/labojiet parametrus. ErrorWrongValueForParameter=Iespējams, esat ievadījis nepareizu vērtību parametrā '%s'. diff --git a/htdocs/langs/lv_LV/main.lang b/htdocs/langs/lv_LV/main.lang index 7eb85ecd73a..64dcf36b63e 100644 --- a/htdocs/langs/lv_LV/main.lang +++ b/htdocs/langs/lv_LV/main.lang @@ -471,7 +471,7 @@ TotalDuration=Kopējais pasākuma ilgums Summary=Kopsavilkums DolibarrStateBoard=Datu bāzes statistika DolibarrWorkBoard=Atvērt preces -NoOpenedElementToProcess=Nav atvērts elements apstrādāt +NoOpenedElementToProcess=Nav atvērtu apstrādājamo elementu Available=Pieejams NotYetAvailable=Nav vēl pieejams NotAvailable=Nav pieejams @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Līgums ContactDefault_facture=Rēķins ContactDefault_fichinter=Iejaukšanās ContactDefault_invoice_supplier=Piegādātāja rēķins -ContactDefault_order_supplier=Piegādātāja pasūtījums +ContactDefault_order_supplier=Pirkuma pasūtījums ContactDefault_project=Projekts ContactDefault_project_task=Uzdevums ContactDefault_propal=Priekšlikums @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Piegādātāja priekšlikums ContactDefault_ticketsup=Biļete ContactAddedAutomatically=Kontaktpersona ir pievienota no trešo personu lomām More=Vairāk +ShowDetails=Parādīt detaļas +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/lv_LV/modulebuilder.lang b/htdocs/langs/lv_LV/modulebuilder.lang index dd5528baaaa..43a534d476f 100644 --- a/htdocs/langs/lv_LV/modulebuilder.lang +++ b/htdocs/langs/lv_LV/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Vārdnīcu ierakstu saraksts ListOfPermissionsDefined=Noteikto atļauju saraksts SeeExamples=Skatiet piemērus šeit EnabledDesc=Nosacījums, lai šis lauks būtu aktīvs (piemēri: 1 vai $ conf-> globāla-> MYMODULE_MYOPTION) -VisibleDesc=Vai lauks ir redzams? (Piemēri: 0 = nekad nav redzams, 1 = redzams sarakstā un izveidojiet / atjauniniet / skatiet veidlapas, 2 = ir redzams tikai sarakstā, 3 = ir redzams tikai izveides / atjaunināšanas / skata formā (nav sarakstā), 4 = ir redzams sarakstā un tikai atjaunināt / skatīt formu (nevis izveidot). Negatīvas vērtības līdzekļu lauka izmantošana pēc noklusējuma netiek parādīta, bet to var atlasīt apskatei). Tas var būt izteiciens, piemēram:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ lietotājs-> tiesības-> brīvdiena-> noteikt_svētku laiku? 1: 0) +VisibleDesc=Vai lauks ir redzams? (Piemēri: 0 = nekad nav redzams, 1 = redzams sarakstā un izveidojiet / atjauniniet / skatiet veidlapas, 2 = ir redzams tikai sarakstā, 3 = ir redzams tikai izveides / atjaunināšanas / skata formā (nav sarakstā), 4 = ir redzams sarakstā un tikai atjaunināt / skatīt formu (neveidot), 5 = redzama tikai saraksta beigu skata formā (neveidot, ne atjaunināt.) Negatīvas vērtības līdzekļu lauka izmantošana pēc noklusējuma netiek parādīta sarakstā, bet to var atlasīt apskatei. Tas var būt izteiciens, piemēram:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ user-> rights-> holiday-> define_holiday? 1: 0) IsAMeasureDesc=Vai lauka vērtību var uzkrāties, lai kopsumma tiktu iekļauta sarakstā? (Piemēri: 1 vai 0) SearchAllDesc=Vai laukums tiek izmantots, lai veiktu meklēšanu no ātrās meklēšanas rīka? (Piemēri: 1 vai 0) SpecDefDesc=Ievadiet šeit visu dokumentāciju, ko vēlaties iesniegt ar savu moduli, kuru vēl nav definējušas citas cilnes. Jūs varat izmantot .md vai labāku, bagātīgo .asciidoc sintaksi. @@ -134,4 +134,6 @@ KeyForTooltip=Rīka padoma atslēga CSSClass=CSS klase NotEditable=Nav rediģējams ForeignKey=Sveša atslēga -TypeOfFieldsHelp=Lauku tips:
varchar (99), double (24,8), real, text, html, datetime, timestamp, integer, integer: ClassName: reliapath / to / classfile.class.php [: 1 [: filter]] ('1' nozīmē mēs pievienojam pogu + pēc kombināta, lai izveidotu ierakstu; “filtrs” var būt “status = 1 UN fk_user = __USER_ID UN entītija (piemēram, __SHARED_ENTITIES__)”. +TypeOfFieldsHelp=Lauku tips:
varchar (99), double (24,8), real, text, html, datetime, timestamp, integer, integer: ClassName: reliapath / to / classfile.class.php [: 1 [: filter]] ('1' nozīmē mēs pievienojam pogu + pēc kombināta, lai izveidotu ierakstu; “filtrs” var būt “status = 1 UN fk_user = __USER_ID UN entītija (piemēram, __SHARED_ENTITIES__)”. +AsciiToHtmlConverter=Ascii uz HTML pārveidotāju +AsciiToPdfConverter=Ascii uz PDF pārveidotāju diff --git a/htdocs/langs/lv_LV/mrp.lang b/htdocs/langs/lv_LV/mrp.lang index 7946195435f..e4e44770816 100644 --- a/htdocs/langs/lv_LV/mrp.lang +++ b/htdocs/langs/lv_LV/mrp.lang @@ -54,12 +54,15 @@ ToConsume=Patērēt ToProduce=Jāsaražo QtyAlreadyConsumed=Patērētais daudzums QtyAlreadyProduced=Saražotais daudzums +ConsumeOrProduce=Patērē vai ražo ConsumeAndProduceAll=Patērēt un ražot visu Manufactured=Izgatavots TheProductXIsAlreadyTheProductToProduce=Pievienojamais produkts jau ir produkts, ko ražot. ForAQuantityOf1=Par saražoto daudzumu 1 ConfirmValidateMo=Vai tiešām vēlaties apstiprināt šo ražošanas pasūtījumu? ConfirmProductionDesc=Noklikšķinot uz “%s”, jūs apstiprināsit noteikto daudzumu patēriņu un / vai ražošanu. Tas arī atjauninās krājumus un reģistrēs krājumu kustību. -ProductionForRefAndDate=Ražošana %s - %s +ProductionForRef=%s ražošana AutoCloseMO=Automātiski aizveriet ražošanas pasūtījumu, ja ir sasniegti patērējamie un saražotie daudzumi NoStockChangeOnServices=Pakalpojumu krājumi nemainās +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/lv_LV/orders.lang b/htdocs/langs/lv_LV/orders.lang index 3db92b7bc7e..bf7f96091ba 100644 --- a/htdocs/langs/lv_LV/orders.lang +++ b/htdocs/langs/lv_LV/orders.lang @@ -69,7 +69,7 @@ ValidateOrder=Apstiprināt pasūtījumu UnvalidateOrder=Neapstiprināts pasūtījums DeleteOrder=Dzēst pasūtījumu CancelOrder=Atcelt pasūtījumu -OrderReopened= Pasūtījums %s atkārtoti atvērts +OrderReopened= Pasūtīt %s no jauna atvērt AddOrder=Jauns pasūtījums AddPurchaseOrder=Izveidojiet pirkuma pasūtījumu AddToDraftOrders=Pievienot rīkojuma projektu @@ -141,10 +141,10 @@ OrderByEMail=E-pasts OrderByWWW=Online OrderByPhone=Telefons # Documents models -PDFEinsteinDescription=Pilnīgā kārtībā modelis (logo. ..) -PDFEratostheneDescription=Pilnīgā kārtībā modelis (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Vienkāršs pasūtīt modeli -PDFProformaDescription=Pilnīgs pagaidu rēķins (logo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Rēķinu pasūtījumi NoOrdersToInvoice=Nav pasūtījumi apmaksājamo CloseProcessedOrdersAutomatically=Klasificēt "apstrādā" visus atlasītos pasūtījumus. diff --git a/htdocs/langs/lv_LV/other.lang b/htdocs/langs/lv_LV/other.lang index e595aea6284..55fe2fd8230 100644 --- a/htdocs/langs/lv_LV/other.lang +++ b/htdocs/langs/lv_LV/other.lang @@ -24,7 +24,7 @@ MessageOK=Ziņojums apstiprinātā maksājuma lapā MessageKO=Ziņojums par atcelto maksājumu atgriešanas lapā ContentOfDirectoryIsNotEmpty=Šīs direktorijas saturs nav tukšs. DeleteAlsoContentRecursively=Pārbaudiet, lai rekursīvi izdzēstu visu saturu - +PoweredBy=Powered by YearOfInvoice=Rēķina datums PreviousYearOfInvoice=Iepriekšējā rēķina datuma gads NextYearOfInvoice=Pēc gada rēķina datuma @@ -104,7 +104,8 @@ DemoFundation=Pārvaldīt nodibinājuma dalībniekus DemoFundation2=Pārvaldīt dalībniekus un bankas kontu nodibinājumam DemoCompanyServiceOnly=Tikai uzņēmuma vai ārštata pārdošanas pakalpojums DemoCompanyShopWithCashDesk=Pārvaldīt veikals ar kasē -DemoCompanyProductAndStocks=Uzņēmums, kas pārdod produktus veikalā +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Uzņēmums ar vairākām darbībām (visi galvenie moduļi) CreatedBy=Izveidoja %s ModifiedBy=Laboja %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=Lapas URL WEBSITE_TITLE=Virsraksts WEBSITE_DESCRIPTION=Apraksts WEBSITE_IMAGE=Attēls -WEBSITE_IMAGEDesc=Attēlu nesēja relatīvais ceļš. Jūs varat to paturēt tukša, jo to reti izmanto (to var izmantot dinamiskais saturs, lai parādītu emuāra ziņu saraksta priekšskatījumu). +WEBSITE_IMAGEDesc=Attēlu nesēja relatīvais ceļš. Varat to atstāt tukšu, jo tas tiek reti izmantots (dinamiskais saturs to var izmantot, lai parādītu sīktēlu emuāru ziņu sarakstā). Ceļā izmantojiet __WEBSITEKEY__, ja ceļš ir atkarīgs no vietnes nosaukuma. WEBSITE_KEYWORDS=Atslēgas vārdi LinesToImport=Importējamās līnijas diff --git a/htdocs/langs/lv_LV/projects.lang b/htdocs/langs/lv_LV/projects.lang index f6516ec1fa3..9848dd779ad 100644 --- a/htdocs/langs/lv_LV/projects.lang +++ b/htdocs/langs/lv_LV/projects.lang @@ -249,9 +249,13 @@ TimeSpentForInvoice=Laiks, kas patērēts OneLinePerUser=Viena līnija katram lietotājam ServiceToUseOnLines=Pakalpojums, ko izmantot līnijās InvoiceGeneratedFromTimeSpent=Rēķins %s ir radīts no projekta pavadīta laika -ProjectBillTimeDescription=Pārbaudiet, vai ievadāt darbalaika uz projekta uzdevumiem UN jūs plānojat ģenerēt rēķinu (-us) no laika kontrolsaraksta, lai rēķinātu klienta projektu (nepārbaudiet, vai plānojat izveidot rēķinu, kas nav balstīts uz ievadītajām laika lapām). +ProjectBillTimeDescription=Pārbaudiet, vai projekta uzdevumos ievadāt laika kontrolsarakstu UN Plānojat no laika kontrolsaraksta ģenerēt rēķinu (rēķinus), lai projekta klientam izrakstītu rēķinu (nepārbaudiet, vai plānojat izveidot rēķinu, kas nav balstīts uz ievadītajām laika kontrollapām). Piezīme. Lai ģenerētu rēķinu, dodieties uz projekta cilni “Pavadītais laiks” un atlasiet iekļaujamās līnijas. ProjectFollowOpportunity=Izmantojiet iespēju ProjectFollowTasks=Izpildiet uzdevumus UsageOpportunity=Lietošana: Iespēja UsageTasks=Lietošana: uzdevumi UsageBillTimeShort=Lietošana: rēķina laiks +InvoiceToUse=Izmantojamais rēķina projekts +NewInvoice=Jauns rēķins +OneLinePerTask=Viena rinda katram uzdevumam +OneLinePerPeriod=Viena rindiņa vienam periodam diff --git a/htdocs/langs/lv_LV/propal.lang b/htdocs/langs/lv_LV/propal.lang index 91a2b4b7ce0..935a78e12d3 100644 --- a/htdocs/langs/lv_LV/propal.lang +++ b/htdocs/langs/lv_LV/propal.lang @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Klientu rēķinu kontakts TypeContact_propal_external_CUSTOMER=Klientu kontaktu turpinot darboties priekšlikums TypeContact_propal_external_SHIPPING=Klienta kontaktpersona piegādei # Document models -DocModelAzurDescription=Pilnīgs priekšlikums modelis (logo. ..) -DocModelCyanDescription=Pilnīgs priekšlikums modelis (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Noklusējuma modeļa izveide DefaultModelPropalToBill=Noklusējuma veidne aizverot uzņēmējdarbības priekšlikumu (tiks izrakstīts rēķins) DefaultModelPropalClosed=Noklusējuma veidne aizverot uzņēmējdarbības priekšlikumu (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Pārdevēja priekšlikumi statistikai +CaseFollowedBy=Lieta seko diff --git a/htdocs/langs/lv_LV/stocks.lang b/htdocs/langs/lv_LV/stocks.lang index 6b54127e903..980222f3136 100644 --- a/htdocs/langs/lv_LV/stocks.lang +++ b/htdocs/langs/lv_LV/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Krājumi var būt negatīvi qtyToTranferIsNotEnough=Jums nav pietiekami daudz krājumu jūsu noliktavā, un jūsu iestatījumi nepieļauj negatīvus krājumus. +qtyToTranferLotIsNotEnough=Jums nav pietiekami daudz krājumu no šī avota noliktavas, lai izveidotu šo partijas numuru, un jūsu iestatīšana nepieļauj negatīvu krājumu daudzumu (produkta '%s' ar partiju '%s' daudzums ir %s noliktavā '%s'). ShowWarehouse=Rādīt noliktavu MovementCorrectStock=Krājumu korekcija produktam %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Teorētiskais daudzums TheoricalValue=Teorētiskais daudzums LastPA=Pēdējais BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Reālais daudzums RealValue=Reālā vērtība RegulatedQty=Regulēts daudzums diff --git a/htdocs/langs/lv_LV/supplier_proposal.lang b/htdocs/langs/lv_LV/supplier_proposal.lang index 812cba8c2f4..25522229488 100644 --- a/htdocs/langs/lv_LV/supplier_proposal.lang +++ b/htdocs/langs/lv_LV/supplier_proposal.lang @@ -32,7 +32,7 @@ SupplierProposalStatusValidatedShort=Apstiprināts SupplierProposalStatusClosedShort=Slēgts SupplierProposalStatusSignedShort=Pieņemts SupplierProposalStatusNotSignedShort=Atteikts -CopyAskFrom=Izveidot cenas pieprasījumu kopējot jau esošo pieprasījumu +CopyAskFrom=Izveidojiet cenas pieprasījumu, nokopējot esošo pieprasījumu CreateEmptyAsk=Izveidot jaunu tukšu pieprasījumu ConfirmCloneAsk=Vai tiešām vēlaties klonēt cenu pieprasījumu %s ? ConfirmReOpenAsk=Vai tiešām vēlaties atvērt cenu pieprasījumu %s? @@ -41,7 +41,7 @@ SendAskRef=Sūta cenas pieprasījumu %s SupplierProposalCard=Pieprasīt karti ConfirmDeleteAsk=Vai tiešām vēlaties dzēst šo cenu pieprasījumu %s? ActionsOnSupplierProposal=Pasākumi pēc cenas pieprasījuma -DocModelAuroreDescription=A complete request model (logo...) +DocModelAuroreDescription=Pilns pieprasījuma modelis (logotips ...) CommercialAsk=Cenas pieprasījums DefaultModelSupplierProposalCreate=Default model creation DefaultModelSupplierProposalToBill=Default template when closing a price request (accepted) diff --git a/htdocs/langs/lv_LV/ticket.lang b/htdocs/langs/lv_LV/ticket.lang index 4d25fa82d21..f841a91a1ff 100644 --- a/htdocs/langs/lv_LV/ticket.lang +++ b/htdocs/langs/lv_LV/ticket.lang @@ -241,7 +241,7 @@ NoLogForThisTicket=Vēl nav piereģistrējies par šo biļeti TicketLogAssignedTo=Pieteikums %s piešķirts %s TicketLogPropertyChanged=Pieteikums %s labots: klasifikācija no %s līdz %s TicketLogClosedBy=Pieteikumu %s slēdza %s -TicketLogReopen=Pieteikumi %s atkal atvērti +TicketLogReopen=Pieteikums %s atvērts atkārtoti # # Public pages diff --git a/htdocs/langs/mk_MK/admin.lang b/htdocs/langs/mk_MK/admin.lang index e3f1d2afff7..3684c767706 100644 --- a/htdocs/langs/mk_MK/admin.lang +++ b/htdocs/langs/mk_MK/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Фактури Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Корисници Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/mk_MK/bills.lang b/htdocs/langs/mk_MK/bills.lang index d597fa986ca..2622bbd21a8 100644 --- a/htdocs/langs/mk_MK/bills.lang +++ b/htdocs/langs/mk_MK/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/mk_MK/categories.lang b/htdocs/langs/mk_MK/categories.lang index 50e07bdbaf5..603dec4d64b 100644 --- a/htdocs/langs/mk_MK/categories.lang +++ b/htdocs/langs/mk_MK/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/mk_MK/companies.lang b/htdocs/langs/mk_MK/companies.lang index 2f10c38451e..e9b3002b886 100644 --- a/htdocs/langs/mk_MK/companies.lang +++ b/htdocs/langs/mk_MK/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/mk_MK/compta.lang b/htdocs/langs/mk_MK/compta.lang index 3f175b8b782..1de030a1905 100644 --- a/htdocs/langs/mk_MK/compta.lang +++ b/htdocs/langs/mk_MK/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/mk_MK/errors.lang b/htdocs/langs/mk_MK/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/mk_MK/errors.lang +++ b/htdocs/langs/mk_MK/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/mk_MK/holiday.lang b/htdocs/langs/mk_MK/holiday.lang index 69b6a698e1a..82de49f9c5f 100644 --- a/htdocs/langs/mk_MK/holiday.lang +++ b/htdocs/langs/mk_MK/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/mk_MK/install.lang b/htdocs/langs/mk_MK/install.lang index 7a9f0d4e363..428c130f121 100644 --- a/htdocs/langs/mk_MK/install.lang +++ b/htdocs/langs/mk_MK/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/mk_MK/main.lang b/htdocs/langs/mk_MK/main.lang index 330a82e1596..02e305d96e2 100644 --- a/htdocs/langs/mk_MK/main.lang +++ b/htdocs/langs/mk_MK/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Договор ContactDefault_facture=Фактура ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/mk_MK/modulebuilder.lang b/htdocs/langs/mk_MK/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/mk_MK/modulebuilder.lang +++ b/htdocs/langs/mk_MK/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/mk_MK/mrp.lang b/htdocs/langs/mk_MK/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/mk_MK/mrp.lang +++ b/htdocs/langs/mk_MK/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/mk_MK/orders.lang b/htdocs/langs/mk_MK/orders.lang index 2987da964ff..e4280056461 100644 --- a/htdocs/langs/mk_MK/orders.lang +++ b/htdocs/langs/mk_MK/orders.lang @@ -69,7 +69,7 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order @@ -141,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. diff --git a/htdocs/langs/mk_MK/other.lang b/htdocs/langs/mk_MK/other.lang index 7ee672f089b..46424590f31 100644 --- a/htdocs/langs/mk_MK/other.lang +++ b/htdocs/langs/mk_MK/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/mk_MK/projects.lang b/htdocs/langs/mk_MK/projects.lang index 868a696c20a..e9a559f6140 100644 --- a/htdocs/langs/mk_MK/projects.lang +++ b/htdocs/langs/mk_MK/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/mk_MK/propal.lang b/htdocs/langs/mk_MK/propal.lang index e2c96af942d..0b63952873b 100644 --- a/htdocs/langs/mk_MK/propal.lang +++ b/htdocs/langs/mk_MK/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Предлози (треба да се потврдат) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,8 +76,8 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) diff --git a/htdocs/langs/mk_MK/stocks.lang b/htdocs/langs/mk_MK/stocks.lang index c9974f2d30e..126cbb0a093 100644 --- a/htdocs/langs/mk_MK/stocks.lang +++ b/htdocs/langs/mk_MK/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/mn_MN/admin.lang b/htdocs/langs/mn_MN/admin.lang index 7989f355378..ee21120b982 100644 --- a/htdocs/langs/mn_MN/admin.lang +++ b/htdocs/langs/mn_MN/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Invoices Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/mn_MN/bills.lang b/htdocs/langs/mn_MN/bills.lang index e6ea4390fd8..7ce06448be4 100644 --- a/htdocs/langs/mn_MN/bills.lang +++ b/htdocs/langs/mn_MN/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/mn_MN/categories.lang b/htdocs/langs/mn_MN/categories.lang index a6c3ffa01b0..7207bbacc38 100644 --- a/htdocs/langs/mn_MN/categories.lang +++ b/htdocs/langs/mn_MN/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/mn_MN/companies.lang b/htdocs/langs/mn_MN/companies.lang index 7439972e906..c569a48c84a 100644 --- a/htdocs/langs/mn_MN/companies.lang +++ b/htdocs/langs/mn_MN/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/mn_MN/compta.lang b/htdocs/langs/mn_MN/compta.lang index 3f175b8b782..1de030a1905 100644 --- a/htdocs/langs/mn_MN/compta.lang +++ b/htdocs/langs/mn_MN/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/mn_MN/errors.lang b/htdocs/langs/mn_MN/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/mn_MN/errors.lang +++ b/htdocs/langs/mn_MN/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/mn_MN/holiday.lang b/htdocs/langs/mn_MN/holiday.lang index 69b6a698e1a..82de49f9c5f 100644 --- a/htdocs/langs/mn_MN/holiday.lang +++ b/htdocs/langs/mn_MN/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/mn_MN/install.lang b/htdocs/langs/mn_MN/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/mn_MN/install.lang +++ b/htdocs/langs/mn_MN/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/mn_MN/main.lang b/htdocs/langs/mn_MN/main.lang index aa2a1d40bc7..faba74691df 100644 --- a/htdocs/langs/mn_MN/main.lang +++ b/htdocs/langs/mn_MN/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/mn_MN/modulebuilder.lang b/htdocs/langs/mn_MN/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/mn_MN/modulebuilder.lang +++ b/htdocs/langs/mn_MN/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/mn_MN/mrp.lang b/htdocs/langs/mn_MN/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/mn_MN/mrp.lang +++ b/htdocs/langs/mn_MN/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/mn_MN/orders.lang b/htdocs/langs/mn_MN/orders.lang index ad895845488..503955cf5f0 100644 --- a/htdocs/langs/mn_MN/orders.lang +++ b/htdocs/langs/mn_MN/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/mn_MN/other.lang b/htdocs/langs/mn_MN/other.lang index 7ee672f089b..46424590f31 100644 --- a/htdocs/langs/mn_MN/other.lang +++ b/htdocs/langs/mn_MN/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/mn_MN/projects.lang b/htdocs/langs/mn_MN/projects.lang index 868a696c20a..e9a559f6140 100644 --- a/htdocs/langs/mn_MN/projects.lang +++ b/htdocs/langs/mn_MN/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/mn_MN/propal.lang b/htdocs/langs/mn_MN/propal.lang index 7fce5107356..39bfdea31c8 100644 --- a/htdocs/langs/mn_MN/propal.lang +++ b/htdocs/langs/mn_MN/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/mn_MN/stocks.lang b/htdocs/langs/mn_MN/stocks.lang index 2e207e63b39..9856649b834 100644 --- a/htdocs/langs/mn_MN/stocks.lang +++ b/htdocs/langs/mn_MN/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang index 7a5b5ca8d58..5c68ab6b80b 100644 --- a/htdocs/langs/nb_NO/admin.lang +++ b/htdocs/langs/nb_NO/admin.lang @@ -178,8 +178,8 @@ Compression=Komprimering CommandsToDisableForeignKeysForImport=Kommando for å deaktivere ukjente nøkler ved import CommandsToDisableForeignKeysForImportWarning=Obligatorisk hvis du ønsker å gjenopprette sql dump senere ExportCompatibility=Kompatibilitet for eksportert fil -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. +ExportUseMySQLQuickParameter=Bruk parameteren - hurtig +ExportUseMySQLQuickParameterHelp=Parameteren - - hurtig hjelper deg med å begrense RAM-forbruket for store tabeller. MySqlExportParameters=MySQL eksportparametere PostgreSqlExportParameters= PostgreSQL eksportparametre UseTransactionnalMode=Bruk transaksjonsmodus @@ -519,7 +519,7 @@ Module25Desc=Behandling av salgsordre Module30Name=Fakturaer Module30Desc=Håndtering av fakturaer og kreditnotaer for kunder. Håndtering av fakturaer og kreditnotaer for leverandører Module40Name=Leverandører -Module40Desc=Leverandører og innkjøpshåndtering (innkjøpsordre og fakturering) +Module40Desc=Leverandører og innkjøpshåndtering (innkjøpsordrer og fakturering av leverandørfakturaer) Module42Name=Feilsøkingslogger Module42Desc=Loggfunksjoner (fil, syslog, ...). Slike logger er for tekniske/feilsøkingsformål. Module49Name=Redigeringsprogram @@ -561,9 +561,9 @@ Module200Desc=LDAP-katalogsynkronisering Module210Name=PostNuke Module210Desc=PostNuke integrasjon Module240Name=Dataeksport -Module240Desc=Verktøy for å eksportere Dolibarr-data (med assistent) +Module240Desc=Verktøy for å eksportere Dolibarr-data (med assistanse) Module250Name=Dataimport -Module250Desc=Verktøy for å importere data til Dolibarr (med assistenter) +Module250Desc=Verktøy for å importere data til Dolibarr (med assistanse) Module310Name=Medlemmer Module310Desc=Behandling av organisasjonsmedlemmer Module320Name=RSS nyhetsstrøm @@ -878,7 +878,7 @@ Permission1251=Kjør masseimport av eksterne data til database (datalast) Permission1321=Eksportere kundefakturaer, attributter og betalinger Permission1322=Gjenåpne en betalt regning Permission1421=Eksporter salgsordre og attributter -Permission2401=Les handlinger (hendelser eller oppgaver) knyttet til brukerkontoen (hvis eier av hendelsen) +Permission2401=Les handlinger (hendelser eller oppgaver) knyttet til brukerkonto (hvis eier av en hendelse eller bare er tilordnet) Permission2402=Opprette/endre handlinger (hendelser eller oppgaver) knyttet til brukerkontoen (hvis eier av hendelsen) Permission2403=Slett handlinger (hendelser eller oppgaver) knyttet til brukerkontoen (hvis eier av hendelsen) Permission2411=Les handlinger (hendelser eller oppgaver) av andre @@ -1102,7 +1102,7 @@ Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Ventende bankavstemming Delays_MAIN_DELAY_MEMBERS=Forsinket medlemsavgift Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Sjekkinnskudd ikke utført Delays_MAIN_DELAY_EXPENSEREPORTS=Utgiftsrapporter for godkjenning -Delays_MAIN_DELAY_HOLIDAYS=Leave requests to approve +Delays_MAIN_DELAY_HOLIDAYS=Legg igjen forespørsler for godkjenning SetupDescription1=Før du begynner å bruke Dolibarr, må noen innledende parametere defineres og moduler aktiveres/konfigureres. SetupDescription2=Følgende to seksjoner er obligatoriske (de to første oppføringene i oppsettmenyen): SetupDescription3=  %s -> %s
Grunnparametere som brukes til å tilpasse standardoppførelsen til applikasjonen din (for eksempel landrelaterte funksjoner). @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Ingen sikkerhetshendelse har blitt logget. Dette er normal NoEventFoundWithCriteria=Ingen sikkerhetshendelse har blitt funnet for disse søkekriteriene. SeeLocalSendMailSetup=Se lokalt sendmail-oppsett BackupDesc=En komplett backup av en Dolibarr-installasjon krever to trinn. -BackupDesc2=Sikkerhetskopier innholdet i "dokumenter"-katalogen ( %s ) som inneholder alle opplastede og genererte filer. Dette vil også inkludere alle dumpfiler generert i Trinn 1. +BackupDesc2=Sikkerhetskopier innholdet i katalogen "dokumenter" ( %s ) som inneholder alle opplastede og genererte filer. Dette vil også omfatte alle dumpfilene som er generert i trinn 1. Denne operasjonen kan vare flere minutter. BackupDesc3=Sikkerhetskopier strukturen og innholdet i databasen din ( %s ) til en dumpfil. Til dette kan du bruke følgende assistent. BackupDescX=Arkiverte mapper bør oppbevares på et trygt sted. BackupDescY=Den genererte dumpfilen bør oppbevares på et trygt sted. @@ -1167,6 +1167,7 @@ RestoreDesc3=Gjenopprett databasestrukturen og dataene fra en sikkerhetskopierin RestoreMySQL=MySQL import ForcedToByAModule= Denne regelen er tvunget til å %s av en aktivert modul PreviousDumpFiles=Eksisterende sikkerhetskopier +PreviousArchiveFiles=Eksisterende arkivfiler WeekStartOnDay=Første dag i uken RunningUpdateProcessMayBeRequired=Kjøring av oppgraderingen ser ut til å være nødvendig (Programversjon %s er forskjellig fra databaseversjon %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Du må kjøre denne kommandoen fra kommandolinjen etter innlogging til et skall med brukeren %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Spør etter foretrukket sendingsmetode for tredjep FieldEdition=Endre felt %s FillThisOnlyIfRequired=Eksempel: +2 (brukes kun hvis du opplever problemer med tidssone offset) GetBarCode=Hent strekkode +NumberingModules=Nummereringsmodeller ##### Module password generation PasswordGenerationStandard=Gir et automatisk laget passord med 8 tegn (bokstaver og tall) i små bokstaver. PasswordGenerationNone=Ikke foreslå å generere passord. Passord må legges inn manuelt. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Nummereringsmodul for sjekk-kvitteringer MultiCompanySetup=Oppsett av multi-selskap-modulen ##### Suppliers ##### SuppliersSetup=Oppsett av leverandørmodul -SuppliersCommandModel=Komplett mal for innkjøpsordre (logo ...) -SuppliersInvoiceModel=Komplett mal for leverandørfaktura (logo ...) +SuppliersCommandModel=Komplett mal for innkjøpsordre +SuppliersCommandModelMuscadet=Komplett mal for innkjøpsordre +SuppliersInvoiceModel=Komplett mal for leverandørfaktura SuppliersInvoiceNumberingModel=Leverandørfaktura nummereringsmodeller IfSetToYesDontForgetPermission=Hvis satt til en ikke-nullverdi, ikke glem å gi tillatelser til grupper eller brukere som er tillatt for den andre godkjenningen ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=Liste over automatiske varsler per bruker * ListOfNotificationsPerUserOrContact=Liste over mulige automatiske varsler (på forretningshendelse) tilgjengelig pr. bruker * eller pr. kontakt ** ListOfFixedNotifications=Liste over faste automatiske varslinger GoOntoUserCardToAddMore=Gå til fanen "Varslinger" hos en bruker for å legge til eller fjerne en varsling -GoOntoContactCardToAddMore=Gå til fanen "Notefikasjoner" hos en tredjepart for å legge til notifikasjoner for kontakter/adresser +GoOntoContactCardToAddMore=Gå til fanen "Varsler" fra en tredjepart for å legge til eller fjerne varsler for kontakter/adresser Threshold=Terskel -BackupDumpWizard=Veiviser for å bygge backupfilen +BackupDumpWizard=Veiviser for å bygge databasedump-filen +BackupZipWizard=Veiviser for å bygge arkivet med dokumentkatalog SomethingMakeInstallFromWebNotPossible=Installasjon av ekstern modul er ikke mulig fra webgrensesnittet på grunn av: SomethingMakeInstallFromWebNotPossible2=Av denne grunn er prosessen for å oppgradere beskrevet her, en manuell prosess som bare en privilegert bruker kan utføre. InstallModuleFromWebHasBeenDisabledByFile=Administrator har deaktivert muligheten for å installere eksterne moduler. Administrator må fjerne filen %s for å tillate dette. @@ -1953,6 +1957,8 @@ SmallerThan=Mindre enn LargerThan=Større enn IfTrackingIDFoundEventWillBeLinked=Merk at hvis en sporings-ID er funnet i innkommende e-post, blir hendelsen automatisk koblet til relaterte objekter. WithGMailYouCanCreateADedicatedPassword=Med en Gmail-konto, hvis du aktiverte 2-trinns validering, anbefales det å opprette et dedikert annet passord for applikasjonen, i stedet for å bruke ditt eget kontopassord fra https://myaccount.google.com/. +EmailCollectorTargetDir=Det kan være en ønsket oppførsel å flytte e-posten til en annen tag/katalog når den ble behandlet vellykket. Bare angi en verdi her for å bruke denne funksjonen. Merk at du også må bruke en lese/skrive brukerkonto. +EmailCollectorLoadThirdPartyHelp=Du kan bruke denne handlingen til å bruke e-postinnholdet til å finne og laste inn en eksisterende tredjepart i databasen din. Den funnet (eller opprettede) tredjeparten vil bli brukt til å følge handlinger som trenger det. I parameterfeltet kan du bruke for eksempel 'EXTRACT:BODY:Name:\\s([^\\s]*)' hvis du vil trekke ut navnet på tredjeparten fra en streng 'Name: name to find' funnet i teksten. EndPointFor=Sluttpunkt for %s: %s DeleteEmailCollector=Slett e-postsamler ConfirmDeleteEmailCollector=Er du sikker på at du vil slette denne e-postsamleren? diff --git a/htdocs/langs/nb_NO/bills.lang b/htdocs/langs/nb_NO/bills.lang index 4120f7d54d5..3179a8d3129 100644 --- a/htdocs/langs/nb_NO/bills.lang +++ b/htdocs/langs/nb_NO/bills.lang @@ -61,7 +61,7 @@ Payment=Betaling PaymentBack=Tilbakebetaling CustomerInvoicePaymentBack=Tilbakebetalinger Payments=Betalinger -PaymentsBack=Refunds +PaymentsBack=Refusjoner paymentInInvoiceCurrency=i faktura-valuta PaidBack=Tilbakebetalt DeletePayment=Slett betaling @@ -78,7 +78,7 @@ ReceivedCustomersPaymentsToValid=Mottatte kundebetalinger som trenger validering PaymentsReportsForYear=Betalingsrapport for %s PaymentsReports=Betalingsrapporter PaymentsAlreadyDone=Betalinger allerede utført -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=Refusjon allerede gjort PaymentRule=Betalingsregel PaymentMode=Betalingstype PaymentTypeDC=Debet/kredit-kort @@ -151,7 +151,7 @@ ErrorBillNotFound=Faktura %s eksisterer ikke ErrorInvoiceAlreadyReplaced=Feil, du prøvde å validere en faktura for å erstatte faktura %s. Men denne er allerede erstattet av faktura %s. ErrorDiscountAlreadyUsed=Feil! Rabatten er allerde blitt benyttet ErrorInvoiceAvoirMustBeNegative=Feil! Korrigeringsfaktura må ha negativt beløp -ErrorInvoiceOfThisTypeMustBePositive=Error, this type of invoice must have an amount excluding tax positive (or null) +ErrorInvoiceOfThisTypeMustBePositive=Feil, denne fakturaen må ha et beløp eksklusivt MVA (eller null) ErrorCantCancelIfReplacementInvoiceNotValidated=Feil: Kan ikke kansellere en faktura som er erstattet av en annen faktura som fortsatt er i kladdemodus ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Denne delen eller en annen er allerede brukt, så rabattserien kan ikke fjernes. BillFrom=Fra @@ -218,17 +218,17 @@ ShowInvoiceDeposit=Vis nedbetalingsfaktura ShowInvoiceSituation=Vis delfaktura UseSituationInvoices=Tillat delfaktura UseSituationInvoicesCreditNote=Tillat delfaktura kreditnota -Retainedwarranty=Retained warranty -RetainedwarrantyDefaultPercent=Retained warranty default percent +Retainedwarranty=Tilbakehold +RetainedwarrantyDefaultPercent=Tilbakehold standardprosent ToPayOn=Å betale på %s toPayOn=å betale på %s -RetainedWarranty=Retained Warranty -PaymentConditionsShortRetainedWarranty=Retained warranty payment terms -DefaultPaymentConditionsRetainedWarranty=Default retained warranty payment terms -setPaymentConditionsShortRetainedWarranty=Set retained warranty payment terms -setretainedwarranty=Set retained warranty -setretainedwarrantyDateLimit=Set retained warranty date limit -RetainedWarrantyDateLimit=Retained warranty date limit +RetainedWarranty=Tilbakehold +PaymentConditionsShortRetainedWarranty=Tilbakehold betalingsbetingelser +DefaultPaymentConditionsRetainedWarranty=Standard tilbakehold betalingsbetingelser +setPaymentConditionsShortRetainedWarranty=Sett tilbakehold betalingsbetingelser +setretainedwarranty=Sett tilbakehold +setretainedwarrantyDateLimit=Sett tilbakehold frist +RetainedWarrantyDateLimit=Tilbakehold frist RetainedWarrantyNeed100Percent=Delfakturaen må være på 100%% fremdrift for å vises på PDF ShowPayment=Vis betaling AlreadyPaid=Allerede betalt @@ -334,8 +334,8 @@ InvoiceDateCreation=Fakturadato InvoiceStatus=Fakturastatus InvoiceNote=Falturanotat InvoicePaid=Faktura betalt -InvoicePaidCompletely=Paid completely -InvoicePaidCompletelyHelp=Invoice that are paid completely. This excludes invoices that are paid partially. To get list of all 'Closed' or non 'Closed' invoices, prefer to use a filter on the invoice status. +InvoicePaidCompletely=Fullt betalt +InvoicePaidCompletelyHelp=Faktura som er fullstendig betalt. Dette ekskluderer fakturaer som betales delvis. For å få en liste over alle fakturaer som er lukket eller ikke lukket, bruker du et filter på fakturastatusen. OrderBilled=Ordre fakturert DonationPaid=Donasjon betalt PaymentNumber=Betalingsnummer @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dager PaymentCondition14D=14 dager PaymentConditionShort14DENDMONTH=14 dager etter månedens slutt PaymentCondition14DENDMONTH=Innen 14 dager etter slutten av måneden -FixAmount=Fast beløp +FixAmount=Fast beløp - 1 linje med etiketten '%s' VarAmount=Variabelt beløp VarAmountOneLine=Variabel mengde (%% tot.) - 1 linje med etikett '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Stempelmerke YouMustCreateInvoiceFromThird=Dette alternativet er bare tilgjengelig når du oppretter faktura fra kategorien "kunde" under tredjepart YouMustCreateInvoiceFromSupplierThird=Dette alternativet er bare tilgjengelig når du oppretter faktura fra kategorien "leverandør" under tredjepart YouMustCreateStandardInvoiceFirstDesc=Du må først lage en standardfaktura og så konvertere den til "mal" for å lage en ny fakturamal -PDFCrabeDescription=Fakturamal Crabe. En komplett mal (Støtter MVA, rabatter, betalingsbetingelser, logo, osv...) +PDFCrabeDescription=PDF-fakturamal Crabe. En komplett fakturamal PDFSpongeDescription=PDF Fakturamal Sponge. En komplett fakturamal PDFCrevetteDescription=PDF fakturamal Crevette. En komplett mal for delfaktura TerreNumRefModelDesc1=Returnerer nummer med format %syymm-nnnn for standardfaktura og %syymm-nnnn for kreditnota, der yy er året, mm måned og nnnn er et løpenummer som starter på 0+1. diff --git a/htdocs/langs/nb_NO/categories.lang b/htdocs/langs/nb_NO/categories.lang index b271bec3e57..95b0f6ba77d 100644 --- a/htdocs/langs/nb_NO/categories.lang +++ b/htdocs/langs/nb_NO/categories.lang @@ -10,13 +10,13 @@ modify=endre Classify=Klassifiser CategoriesArea=Merker/Kategorier-område ProductsCategoriesArea=Område for varer/tjenester, merker/kategorier -SuppliersCategoriesArea=Vendors tags/categories area +SuppliersCategoriesArea=Område for leverandørkoder/-kategorier CustomersCategoriesArea=Område for kunde-merker/kategorier MembersCategoriesArea=Område for medlems-merker/kategorier ContactsCategoriesArea=Område for kontakters merker/kategorier AccountsCategoriesArea=Område for kontomerker/-kategorier ProjectsCategoriesArea=Prosjekters merker/kategori-område -UsersCategoriesArea=Users tags/categories area +UsersCategoriesArea=Område for brukertagger/-kategorier SubCats=Underkategorier CatList=Liste over merker/kategorier NewCategory=Nytt merke/kategori @@ -32,7 +32,7 @@ WasAddedSuccessfully=%s ble lagt til. ObjectAlreadyLinkedToCategory=Elementet er allerede lenket til dette merket/kategorien ProductIsInCategories=Vare/tjeneste er lenket til følgende merker/kategorier CompanyIsInCustomersCategories=Denne tredjeparten er lenket til følgende kunders/prospekters merker/kategorier -CompanyIsInSuppliersCategories=This third party is linked to following vendors tags/categories +CompanyIsInSuppliersCategories=Denne tredjeparten er knyttet til følgende leverandører/kategorier MemberIsInCategories=Dette medlemmet er lenket til følgende medlems-merker/kategorier ContactIsInCategories=Denne kontakten er lenket til følgende kunde-merker/kategorier ProductHasNoCategory=Denne varen/tjenesten har ikke noen merker/kategorier @@ -48,29 +48,30 @@ ContentsNotVisibleByAllShort=Innhold ikke synlig for alle DeleteCategory=Slett merke/kategori ConfirmDeleteCategory=Er du sikker på at du vil slette dette merket/kategorien? NoCategoriesDefined=Ingen merke/kategori definert -SuppliersCategoryShort=Vendors tag/category +SuppliersCategoryShort=Leverandør-tag/kategori CustomersCategoryShort=Kundes merke/kategori ProductsCategoryShort=Vare merke/kategori MembersCategoryShort=Medlems merke/kategori -SuppliersCategoriesShort=Vendors tags/categories +SuppliersCategoriesShort=Leverandører koder/kategorier CustomersCategoriesShort=Kunders merker/kategorier ProspectsCategoriesShort=Etiketter/kategorier for prospekter -CustomersProspectsCategoriesShort=Cust./Prosp. tags/categories +CustomersProspectsCategoriesShort=Cust./Prosp. tags/kategorier ProductsCategoriesShort=Varenes merker/kategorier MembersCategoriesShort=Medlemmers merker/kategorier ContactCategoriesShort=Kontakters merker/kategorier AccountsCategoriesShort=Kontomerker/-kategorier ProjectsCategoriesShort=Prosjekter merker/kategorier -UsersCategoriesShort=Users tags/categories +UsersCategoriesShort=Brukere tagger/kategorier +StockCategoriesShort=Lager etiketter/kategorier ThisCategoryHasNoProduct=Denne kategorien inneholder ingen varer. -ThisCategoryHasNoSupplier=This category does not contain any vendor. +ThisCategoryHasNoSupplier=Denne kategorien inneholder ingen leverandør. ThisCategoryHasNoCustomer=Denne kategorien inneholder ingen kunder. ThisCategoryHasNoMember=Denne kategorien inneholder ingen medlemmer. ThisCategoryHasNoContact=Denne kategorien inneholder ikke noen kontakt. ThisCategoryHasNoAccount=Denne kategorien inneholder ingen kontoer ThisCategoryHasNoProject=Denne kategorien er ikke brukt i noen prosjekter CategId=Merke/kategori-ID -CatSupList=List of vendor tags/categories +CatSupList=Liste over selgerkoder/-kategorier CatCusList=Liste over kunde/prospekt merker/kategorier CatProdList=Liste over vare-merker/kategorier CatMemberList=Liste over medlems-merker/kategorier @@ -83,8 +84,11 @@ DeleteFromCat=Fjern fra merker/kategorier ExtraFieldsCategories=Komplementære attributter CategoriesSetup=Oppsett av merker/kategorier CategorieRecursiv=Automatisk lenke til overordnet merke/kategori -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. +CategorieRecursivHelp=Hvis alternativet er på, når du legger til et produkt i en underkategori, vil produktet også bli lagt til i overordnet kategori. AddProductServiceIntoCategory=Legg til følgende vare/tjeneste ShowCategory=Vis merke/kategori ByDefaultInList=Som standard i liste ChooseCategory=Velg kategori +StocksCategoriesArea=Område for lagerkategorier +ActionCommCategoriesArea=Område for hendelseskategorier +UseOrOperatorForCategories=Bruker eller operatør for kategorier diff --git a/htdocs/langs/nb_NO/companies.lang b/htdocs/langs/nb_NO/companies.lang index fb07007520e..5f0f0675601 100644 --- a/htdocs/langs/nb_NO/companies.lang +++ b/htdocs/langs/nb_NO/companies.lang @@ -57,7 +57,7 @@ NatureOfThirdParty=Tredjeparts art NatureOfContact=Kontaktens art Address=Adresse State=Fylke(delstat) -StateCode=State/Province code +StateCode=Stat-/provinskode StateShort=Stat Region=Region Region-State=Region - Stat @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof ID 1 (OGRN) ProfId2RU=Prof ID 2 (INN) ProfId3RU=Prof ID 3 (KPP) @@ -406,6 +412,13 @@ AllocateCommercial=Tildelt salgsrepresentant Organization=Organisasjon FiscalYearInformation=Regnskapsår FiscalMonthStart=Første måned i regnskapsåret +SocialNetworksInformation=Sosiale nettverk +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram-URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Du må opprette en epost for denne brukeren før du kan legge til et e-postvarsel. YouMustCreateContactFirst=For å kunne legge til e-postvarsler, må du først definere kontakter med gyldige e-postadresser hos tredjepart ListSuppliersShort=Liste over leverandører diff --git a/htdocs/langs/nb_NO/compta.lang b/htdocs/langs/nb_NO/compta.lang index ae0a4dd912a..f59c7921d87 100644 --- a/htdocs/langs/nb_NO/compta.lang +++ b/htdocs/langs/nb_NO/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Etter MVA-sats TurnoverbyVatrate=Omsetning fakturert etter MVA-sats TurnoverCollectedbyVatrate=Omsetning etter MVA-sats PurchasebyVatrate=Innkjøp etter MVA-sats +LabelToShow=Kort etikett diff --git a/htdocs/langs/nb_NO/errors.lang b/htdocs/langs/nb_NO/errors.lang index febea2ed6ff..4d1d4631c56 100644 --- a/htdocs/langs/nb_NO/errors.lang +++ b/htdocs/langs/nb_NO/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Bruker med loginn %s kunne ikke bli funnet. ErrorLoginHasNoEmail=Denne brukeren har ingen e-postadresse. Prosess avbrutt. ErrorBadValueForCode=Feil verdi for sikkerhetskode. Prøv igjen med ny verdi ... ErrorBothFieldCantBeNegative=Feltene %s og %s kan ikke begge være negative -ErrorFieldCantBeNegativeOnInvoice=Felt %s kan ikke være negativt på denne typen faktura. Hvis du vil legge til en rabattlinje, opprett rabatten først med link %s på skjermen og bruk den på fakturaen. Du kan også be admin om å angi alternativet FACTURE_ENABLE_NEGATIVE_LINES til 1 for å tillate gammel oppførsel. +ErrorFieldCantBeNegativeOnInvoice=Felt %s kan ikke være negativt på denne typen faktura. Hvis du trenger å legge til en rabattlinje, oppretter du bare rabatten først (fra feltet '%s' i tredjepartskort) og bruker den på fakturaen. Du kan også be administratoren din om å sette alternativet FACTURE_ENABLE_NEGATIVE_LINES til 1 for å tillate den gamle oppførselen. +ErrorLinesCantBeNegativeOnDeposits=Linjer kan ikke være negative i et innskudd. Du vil få problemer når du trenger å bruke innskuddet på sluttfaktura hvis du gjør det. ErrorQtyForCustomerInvoiceCantBeNegative=Kvantum på linjer i kundefakturaer kan ikke være negativ ErrorWebServerUserHasNotPermission=Brukerkonto %s som brukes til å kjøre web-server har ikke tillatelse til det ErrorNoActivatedBarcode=Ingen strekkodetype aktivert @@ -222,8 +223,10 @@ ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Feil, å slette betaling kny ErrorSearchCriteriaTooSmall=For lite søkekriterier. ErrorObjectMustHaveStatusActiveToBeDisabled=Objekter må ha status 'Aktiv' for å være deaktivert ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objekter må ha status 'Utkast' eller 'Deaktivert' for å være aktivert -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ErrorNoFieldWithAttributeShowoncombobox=Ingen felt har egenskapen 'showoncombobox' til definisjon av objektet '%s'. Ingen måte å vise kombinatoren på. +ErrorFieldRequiredForProduct=Felt %ser påkrevd for produktet %s +ProblemIsInSetupOfTerminal=Problemet er under konfigurering av terminal %s. +ErrorAddAtLeastOneLineFirst=Legg til minst en linje først # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP-parameteren upload_max_filesize (%s) er høyere enn PHP-parameteren post_max_size (%s). Dette er ikke et konsistent oppsett. WarningPasswordSetWithNoAccount=Et passord ble satt for dette medlemmet, men ingen brukerkonto ble opprettet. Det fører til at passordet ikke kan benyttes for å logge inn på Dolibarr. Det kan brukes av en ekstern modul/grensesnitt, men hvis du ikke trenger å definere noen innlogging eller passord for et medlem, kan du deaktivere alternativet "opprett en pålogging for hvert medlem" fra medlemsmodul-oppsettet. Hvis du trenger å administrere en pålogging, men ikke trenger noe passord, kan du holde dette feltet tomt for å unngå denne advarselen. Merk: E-post kan også brukes som en pålogging dersom medlemmet er knyttet til en bruker. @@ -249,4 +252,4 @@ WarningAnEntryAlreadyExistForTransKey=En oppføring eksisterer allerede for over WarningNumberOfRecipientIsRestrictedInMassAction=Advarsel, antall forskjellige mottakere er begrenset til %s ved bruk av massehandlinger på lister WarningDateOfLineMustBeInExpenseReportRange=Advarsel, datoen for linjen ligger utenfor tiden til utgiftsrapporten WarningProjectClosed=Prosjektet er stengt. Du må gjenåpne det først. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningSomeBankTransactionByChequeWereRemovedAfter=Noen banktransaksjoner ble fjernet etter at kvitteringen deres ble generert. Antall sjekker og total mottak kan avvike fra antall og total på listen. diff --git a/htdocs/langs/nb_NO/holiday.lang b/htdocs/langs/nb_NO/holiday.lang index ec06c79c711..f35484f54f5 100644 --- a/htdocs/langs/nb_NO/holiday.lang +++ b/htdocs/langs/nb_NO/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type ferie - ID TypeOfLeaveCode=Type feriekode TypeOfLeaveLabel=Ferietype-merke NbUseDaysCP=Antall brukte feriedager +NbUseDaysCPHelp=Beregningen tar hensyn til ikke-arbeidsdager og fridager definert i ordboken. NbUseDaysCPShort=Dager brukt NbUseDaysCPShortInMonth=Dager brukt i måneden +DayIsANonWorkingDay=%s er en ikke arbeidsdag DateStartInMonth=Startdato i måned DateEndInMonth=Sluttdato i måned EditCP=Rediger @@ -128,4 +130,4 @@ TemplatePDFHolidays=PDF-mal for permisjonsforespørsler FreeLegalTextOnHolidays=Fritekst på PDF WatermarkOnDraftHolidayCards=Vannmerke på permisjonsutkast  HolidaysToApprove=Ferier til godkjenning -NobodyHasPermissionToValidateHolidays=Nobody has permission to validate holidays +NobodyHasPermissionToValidateHolidays=Ingen har tillatelse til å validere ferier diff --git a/htdocs/langs/nb_NO/install.lang b/htdocs/langs/nb_NO/install.lang index 61ad1ab45b1..42987f99b91 100644 --- a/htdocs/langs/nb_NO/install.lang +++ b/htdocs/langs/nb_NO/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Denne PHP støtter Curl. PHPSupportCalendar=Denne PHP støtter kalenderutvidelser. PHPSupportUTF8=Denne PHP støtter UTF8 funksjoner. PHPSupportIntl=Dette PHP støtter Intl funksjoner. +PHPSupport=Denne PHP støtter %s-funksjoner. PHPMemoryOK=Din PHP økt-minne er satt til maks.%s bytes. Dette bør være nok. PHPMemoryTooLow=Din PHP max økter-minnet er satt til %s bytes. Dette er for lavt. Endre php.ini å sette memory_limit parameter til minst %s byte. Recheck=Klikk her for en mer detaljert test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Din PHP-installasjon støtter ikke Curl. ErrorPHPDoesNotSupportCalendar=PHP-installasjonen din støtter ikke php-kalenderutvidelser. ErrorPHPDoesNotSupportUTF8=Din PHP installasjon har ikke støtte for UTF8-funksjoner. Dolibarr vil ikke fungere riktig. Løs dette før du installerer Dolibarr. ErrorPHPDoesNotSupportIntl=PHP-installasjonen støtter ikke Intl-funksjoner. +ErrorPHPDoesNotSupport=PHP-installasjonen din støtter ikke %s-funksjoner. ErrorDirDoesNotExists=Mappen %s finnes ikke. ErrorGoBackAndCorrectParameters=Gå tilbake og sjekk/korrigér parametrene. ErrorWrongValueForParameter=Du har kanskje skrevet feil verdi for parameteren '%s'. @@ -205,7 +207,7 @@ MigrationRemiseExceptEntity=Oppdater verdien i enhetsfeltet llx_societe_remise_e MigrationUserRightsEntity=Oppdater enhetens feltverdi av llx_user_rights MigrationUserGroupRightsEntity=Oppdater enhetens feltverdi av llx_usergroup_rights MigrationUserPhotoPath=Migrering av foto-stier for brukere -MigrationFieldsSocialNetworks=Migration of users fields social networks (%s) +MigrationFieldsSocialNetworks=Migrering av felt med brukeres sosiale nettverk (%s) MigrationReloadModule=Last inn modulen %s på nytt MigrationResetBlockedLog=Tilbakestill modul BlockedLog for v7 algoritme ShowNotAvailableOptions=Vis utilgjengelige alternativer diff --git a/htdocs/langs/nb_NO/mails.lang b/htdocs/langs/nb_NO/mails.lang index e0ab0167659..3c29bd69e86 100644 --- a/htdocs/langs/nb_NO/mails.lang +++ b/htdocs/langs/nb_NO/mails.lang @@ -134,7 +134,7 @@ ListOfNotificationsDone=List alle e-postmeldinger sendt MailSendSetupIs=E-postutsendelser er blitt satt opp til '%s'. Denne modusen kan ikke brukes ved masseutsendelser MailSendSetupIs2=Logg på som administrator, gå til menyen %sHjem - Oppsett - E-post%s for å endre parameter '%s' for å bruke '%s' modus. I denne modusen for du tilgang til oppsett av SMTP-server og muligheten til å bruke masseutsendelser. MailSendSetupIs3=Ved spørsmål om hvordan du skal sette opp SMTP-serveren din, kontakt %s -YouCanAlsoUseSupervisorKeyword=Du kan også bruke nøkkelordet __SUPERVISOREMAIL__ for å sende e-post til brukerens supervisor (supervisoren måha e-postadresse) +YouCanAlsoUseSupervisorKeyword=Du kan også bruke nøkkelordet __SUPERVISOREMAIL__ for å sende e-post til brukerens supervisor (supervisoren må ha e-postadresse) NbOfTargetedContacts=Nåværende antall kontakter på mailinglisten UseFormatFileEmailToTarget=Importert fil må følge formatet epost;navn;fornavn:annet UseFormatInputEmailToTarget=Tast inn en streng med format epost;navn;fornavn;annet diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang index a7c0a99dbcf..3ab1102007f 100644 --- a/htdocs/langs/nb_NO/main.lang +++ b/htdocs/langs/nb_NO/main.lang @@ -171,7 +171,7 @@ NotValidated=Ikke validert Save=Lagre SaveAs=Lagre som SaveAndStay=Lagre og bli -SaveAndNew=Save and new +SaveAndNew=Lagre og ny TestConnection=Test tilkobling ToClone=Klon ConfirmClone=Velg hvilke data du vil klone: @@ -741,7 +741,7 @@ NotSupported=Støttes ikke RequiredField=Obligatorisk felt Result=Resultater ToTest=Test -ValidateBefore=Item must be validated before using this feature +ValidateBefore=Punktet må valideres før du bruker denne funksjonen Visibility=Synlighet Totalizable=Totaliserbar TotalizableDesc=Dette feltet er totaliserbart i liste @@ -848,7 +848,7 @@ Progress=Fremdrift ProgressShort=Progr. FrontOffice=Front office BackOffice=Back office -Submit=Submit +Submit=Send View=Vis Export=Eksport Exports=Eksporter @@ -1005,11 +1005,14 @@ ContactDefault_contrat=Kontrakt ContactDefault_facture=Faktura ContactDefault_fichinter=Intervensjon ContactDefault_invoice_supplier=Leverandørfaktura -ContactDefault_order_supplier=Leverandørordre +ContactDefault_order_supplier=Bestilling ContactDefault_project=Prosjekt ContactDefault_project_task=Oppgave ContactDefault_propal=Tilbud ContactDefault_supplier_proposal=Leverandørtilbud ContactDefault_ticketsup=Billett ContactAddedAutomatically=Kontakt lagt til fra kontaktperson-roller -More=More +More=Mer +ShowDetails=Vis detaljer +CustomReports=Tilpassede rapporter +SelectYourGraphOptionsFirst=Velg alternativer for å lage en graf diff --git a/htdocs/langs/nb_NO/modulebuilder.lang b/htdocs/langs/nb_NO/modulebuilder.lang index 72171ea06a5..8e3647b441b 100644 --- a/htdocs/langs/nb_NO/modulebuilder.lang +++ b/htdocs/langs/nb_NO/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Liste over ordbokinnføringer ListOfPermissionsDefined=Liste over definerte tillatelser SeeExamples=Se eksempler her EnabledDesc=Betingelse for å ha dette feltet aktivt (Eksempler: 1 eller $conf->global->MYMODULE_MYOPTION) -VisibleDesc=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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +VisibleDesc=Er feltet synlig? (Eksempler: 0=Aldri synlig, 1=Synlig på liste og opprett/oppdater/vis skjemaer, 2=Synlig bare på liste, 3=Synlig bare på opprett/oppdater/vis skjema (ikke liste), 4=Synlig bare på liste og oppdaterings-/visningsskjema (ikke opprett), 5=Synlig på listens sluttformular (ikke opprett, ikke oppdatering). Bruk av negativ verdi betyr at feltet ikke vises som standard på listen, men kan velges for visning). Det kan være et uttrykk, for eksempel:
preg_match ('public/',$_SERVER['PHP_SELF'])?0:1
($ user->rights->holiday>define_holiday ? 1: 0) IsAMeasureDesc=Kan verdien av feltet bli kumulert for å få en total i listen? (Eksempler: 1 eller 0) SearchAllDesc=Er feltet brukt til å søke fra hurtigsøkingsverktøyet? (Eksempler: 1 eller 0) SpecDefDesc=Skriv inn all dokumentasjon du vil gi med modulen din, som ikke allerede er definert av andre faner. Du kan bruke .md eller bedre, .asciidoc-syntaksen. @@ -135,3 +135,5 @@ CSSClass=CSS klasse NotEditable=Ikke redigerbar ForeignKey=Fremmed nøkkel TypeOfFieldsHelp=Type felt:
varchar (99), dobbel (24,8), ekte, tekst, html, datetime, tidstempel, heltall, heltall:ClassName:relativepath/to/classfile.class.php [:1[:filter]] ('1' betyr at vi legger til en + -knapp etter kombinasjonsboksen for å opprette posten, 'filter' kan være 'status=1 OG fk_user=__USER_ID OG enhet IN (__SHARED_ENTITIES__)' for eksempel) +AsciiToHtmlConverter=Ascii til HTML konverter +AsciiToPdfConverter=Ascii til PDF konverter diff --git a/htdocs/langs/nb_NO/mrp.lang b/htdocs/langs/nb_NO/mrp.lang index ed351f36519..dfc54367682 100644 --- a/htdocs/langs/nb_NO/mrp.lang +++ b/htdocs/langs/nb_NO/mrp.lang @@ -44,22 +44,25 @@ StatusMOProduced=Produsert QtyFrozen=Låst antall QuantityFrozen=Låst mengde QuantityConsumedInvariable=Når dette flagget er satt, er forbrukt mengde alltid definert verdi og er ikke i forhold til produsert mengde. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed +DisableStockChange=Varemengdeendring deaktivert +DisableStockChangeHelp=Når dette flagget er satt, er det ingen lagerendringer på dette produktet, uansett hvor stor mengde det er brukt BomAndBomLines=BOM og linjer BOMLine=Linje på BOM WarehouseForProduction=Varehus for produksjon CreateMO=Lag MO -ToConsume=To consume -ToProduce=To produce -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services +ToConsume=Å forbruke +ToProduce=Å produsere +QtyAlreadyConsumed=Antall allerede forbrukt +QtyAlreadyProduced=Antall allerede produsert +ConsumeOrProduce=Forbruk eller produser +ConsumeAndProduceAll=Forbruk og produser alt +Manufactured=Produsert +TheProductXIsAlreadyTheProductToProduce=Varen du vil legge til er allerede varen du vil produsere. +ForAQuantityOf1=For å produsere 1 +ConfirmValidateMo=Er du sikker på at du vil validere denne produksjonsordren? +ConfirmProductionDesc=Ved å klikke på '%s', vil du validere forbruket og/eller produksjonen for angitte mengder. Dette vil også oppdatere lagermengde og registrere lagerebevegelser. +ProductionForRef=Produksjon av %s +AutoCloseMO=Lukk produksjonsordren automatisk hvis mengder som skal konsumeres og produseres oppnås +NoStockChangeOnServices=Ingen lagerendring på tjenester +ProductQtyToConsumeByMO=Produktmengde som fremdeles skal forbrukes av åpen MO +ProductQtyToProduceByMO=Produktmengde som fremdeles skal produseres for åpen MO diff --git a/htdocs/langs/nb_NO/orders.lang b/htdocs/langs/nb_NO/orders.lang index 8cf547c0a73..550f74ff5be 100644 --- a/htdocs/langs/nb_NO/orders.lang +++ b/htdocs/langs/nb_NO/orders.lang @@ -69,7 +69,7 @@ ValidateOrder=Valider ordre UnvalidateOrder=Fjern validering på ordre DeleteOrder=Slett ordre CancelOrder=Avbryt ordre -OrderReopened= Ordre %s gjenåpnet +OrderReopened= Ordre%s gjenåpnet AddOrder=Opprett ordre AddPurchaseOrder=Opprett innkjøpsordre AddToDraftOrders=Legg til ordreutkast @@ -141,10 +141,10 @@ OrderByEMail=E-post OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=En komplett ordremodell (logo...) -PDFEratostheneDescription=En komplett ordremodell (logo...) +PDFEinsteinDescription=En komplett ordremodell +PDFEratostheneDescription=En komplett ordremodell PDFEdisonDescription=En enkel ordremodell -PDFProformaDescription=En komplett proforma faktura (logo ...) +PDFProformaDescription=En komplett Proforma-fakturamal CreateInvoiceForThisCustomer=Fakturer ordrer NoOrdersToInvoice=Ingen fakturerbare ordrer CloseProcessedOrdersAutomatically=Klassifiser alle valgte bestillinger "Behandlet". diff --git a/htdocs/langs/nb_NO/other.lang b/htdocs/langs/nb_NO/other.lang index ee2ee9148d4..8cf191fb6b4 100644 --- a/htdocs/langs/nb_NO/other.lang +++ b/htdocs/langs/nb_NO/other.lang @@ -24,7 +24,7 @@ MessageOK=Melding på retursiden for en godkjent betaling MessageKO=Melding på retursiden for en kansellert betaling ContentOfDirectoryIsNotEmpty=Denne katalogen er ikke tom. DeleteAlsoContentRecursively=Sjekk om du vil slette alt innhold rekursivt - +PoweredBy=Drevet av YearOfInvoice=År av fakturadato PreviousYearOfInvoice=Forrige års fakturadato NextYearOfInvoice=Følgende år av fakturadato @@ -104,7 +104,8 @@ DemoFundation=Håndtere medlemmer i en organisasjon DemoFundation2=Håndtere medlemmer og bankkonti i en organisasjon DemoCompanyServiceOnly=Firma som kun selger tjenester DemoCompanyShopWithCashDesk=Administrer en butikk med kontantomsetning/kasse -DemoCompanyProductAndStocks=Firma som selger varer via butikk +DemoCompanyProductAndStocks=Handle varer med Point Of Sales +DemoCompanyManufacturing=Selskapets varer DemoCompanyAll=Firma med mange aktiviteter (alle hovedmoduler) CreatedBy=Laget av %s ModifiedBy=Endret av %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=Side-URL WEBSITE_TITLE=Tittel WEBSITE_DESCRIPTION=Beskrivelse WEBSITE_IMAGE=Bilde -WEBSITE_IMAGEDesc=Relativ bane til bildemedia. Du kan holde dette tomt, da dette sjelden brukes (det kan brukes av dynamisk innhold for å vise en forhåndsvisning av en liste over blogginnlegg). +WEBSITE_IMAGEDesc=Relativ bane for bildemediet. Du kan holde dette tomt da dette sjelden blir brukt (det kan brukes av dynamisk innhold for å vise et miniatyrbilde i en liste over blogginnlegg). Bruk __WEBSITEKEY__ i banen hvis banen avhenger av nettstedets navn. WEBSITE_KEYWORDS=Nøkkelord LinesToImport=Linjer å importere diff --git a/htdocs/langs/nb_NO/projects.lang b/htdocs/langs/nb_NO/projects.lang index 05f40937a94..b86f5b61633 100644 --- a/htdocs/langs/nb_NO/projects.lang +++ b/htdocs/langs/nb_NO/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Område for mine prosjekt DurationEffective=Effektiv varighet ProgressDeclared=Erklært progresjon TaskProgressSummary=Oppgavens fremdrift -CurentlyOpenedTasks=Nåværende åpne oppgaver +CurentlyOpenedTasks=Åpne oppgaver TheReportedProgressIsLessThanTheCalculatedProgressionByX=Den viste fremdriften er mindre %s enn den beregnede progresjonen TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Den viste fremdriften er mer %s enn den beregnede progresjonen ProgressCalculated=Kalkulert progresjon @@ -249,9 +249,13 @@ TimeSpentForInvoice=Tid brukt OneLinePerUser=Én linje per bruker ServiceToUseOnLines=Tjeneste for bruk på linjer InvoiceGeneratedFromTimeSpent=Faktura %s er generert fra tid brukt på prosjekt -ProjectBillTimeDescription=Sjekk om du oppgir timeiiste på prosjektoppgaver OG du planlegger å generere faktura(er) fra timelisten for å fakturere kunden til prosjektet (ikke sjekk om du planlegger å opprette en faktura som ikke er basert på innlagte timelister). +ProjectBillTimeDescription=Sjekk om du legger inn timeliste på prosjektoppgaver, OG planlegger å generere faktura (er) fra timelisten for å fakturere kunden til prosjektet (ikke kryss av om du planlegger å opprette faktura som ikke er basert på innlagte timelister). Merk: For å generere faktura, gå til fanen 'Tidsbruk' av prosjektet og velg linjer du vil inkludere. ProjectFollowOpportunity=Følg mulighet ProjectFollowTasks=Følg oppgaver UsageOpportunity=Bruk: Mulighet UsageTasks=Bruk: Oppgaver UsageBillTimeShort=Bruk: Fakturer tid +InvoiceToUse=Fakturamal som skal brukes +NewInvoice=Ny faktura +OneLinePerTask=Én linje per oppgave +OneLinePerPeriod=Én linje per periode diff --git a/htdocs/langs/nb_NO/propal.lang b/htdocs/langs/nb_NO/propal.lang index 2d019d163a3..66d249e077d 100644 --- a/htdocs/langs/nb_NO/propal.lang +++ b/htdocs/langs/nb_NO/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Vis tilbud PropalsDraft=Kladder PropalsOpened=Åpent PropalStatusDraft=Kladd (trenger validering) -PropalStatusValidated=Validert (tilbud er åpnet) +PropalStatusValidated=Godkjent (tilbudet er åpent) PropalStatusSigned=Akseptert(kan faktureres) PropalStatusNotSigned=Ikke akseptert(lukket) PropalStatusBilled=Fakturert @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Kundekontakt faktura TypeContact_propal_external_CUSTOMER=Kundens tilbudsoppfølger TypeContact_propal_external_SHIPPING=Kundekontakt for levering # Document models -DocModelAzurDescription=En fullstendig tilbudsmodell (logo...) -DocModelCyanDescription=En fullstendig tilbudsmodell (logo...) +DocModelAzurDescription=En komplett tilbudsmodell +DocModelCyanDescription=En komplett tilbudsmodell DefaultModelPropalCreate=Standard modellbygging DefaultModelPropalToBill=Standardmal når du lukker et tilbud (som skal faktureres) DefaultModelPropalClosed=Standardmal når du lukker et tilbud (ufakturert) ProposalCustomerSignature=Skriftlig aksept, firmastempel, dato og signatur ProposalsStatisticsSuppliers=Leverandørs tilbudsstatistikk +CaseFollowedBy=Sak fulgt av diff --git a/htdocs/langs/nb_NO/stocks.lang b/htdocs/langs/nb_NO/stocks.lang index 71eb3c971e5..1ca57110f1b 100644 --- a/htdocs/langs/nb_NO/stocks.lang +++ b/htdocs/langs/nb_NO/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Bevegelse eller varelager IsInPackage=Innhold i pakken WarehouseAllowNegativeTransfer=Lagerbeholdning kan ikke være negativ qtyToTranferIsNotEnough=Du har ikke nok varer fra ditt kildelager, og oppsettet tillater ikke negativt lager. +qtyToTranferLotIsNotEnough=Du har ikke nok varelager for dette varenummeret fra kildelageret ditt, og oppsettet tillater ikke negativ beholdning (Antall for vare '%s' med partiet '%s' er %s på lager '%s'). ShowWarehouse=Vis lager MovementCorrectStock=Lagerkorreksjon for var %s MovementTransferStock=Lageroverførsel av vare %s til annet lager @@ -192,6 +193,7 @@ TheoricalQty=Teoretisk antall TheoricalValue=Teoretisk antall LastPA=Siste BP CurrentPA=Gjeldende BP +RecordedQty=Registrert antall RealQty=Virkelig antall RealValue=Virkelig verdi RegulatedQty=Regulert antall @@ -215,4 +217,4 @@ StockDecrease=Lagerreduksjon InventoryForASpecificWarehouse=Varetelling for et spesifikt lager InventoryForASpecificProduct=Varetelling for en spesifikk vare StockIsRequiredToChooseWhichLotToUse=Det kreves lagerbeholdning for å velge hvilken lot du vil bruke -ForceTo=Force to +ForceTo=Tving til diff --git a/htdocs/langs/nl_BE/admin.lang b/htdocs/langs/nl_BE/admin.lang index 670a1d2e7c7..b0cb5806c82 100644 --- a/htdocs/langs/nl_BE/admin.lang +++ b/htdocs/langs/nl_BE/admin.lang @@ -121,8 +121,44 @@ InfDirExample=
Verklaar het dan in het bestand conf YouCanSubmitFile=Als alternatief kunt u het module .zip-bestandspakket uploaden: LastStableVersion=Nieuwste stabiele versie GenericMaskCodes2={cccc} de clientcode van n tekens
{cccc000} de klantcode op n tekens wordt gevolgd door een teller voor de klant. Deze teller die aan de klant is toegewezen, wordt tegelijkertijd opnieuw ingesteld als de globale teller.
{tttt} De code van het type van een derde partij op n tekens (zie menu Home - Instellingen - Woordenboek - Typen derde partijen). Als u deze tag toevoegt, verschilt de teller voor elk type derde partij.
+GenericMaskCodes4a=Voorbeeld op de 99e %s van de derde partij TheCompany, met datum 31-01-2007:
+GenericMaskCodes5=ABC {jj} {mm} - {000000} geeft ABC0701-000099
{0000 + 100 @ 1} -ZZZ / {dd} / XXX geeft 0199-ZZZ / 31 / XXX
IN {jj} {mm} - {0000} - {t} geeft IN0701-0099-A als het type bedrijf 'Responsable Inscripto' is met code voor het type dat 'A_RI' is +DisableLinkToHelp=Link naar online help "%s" verbergen +AddCRIfTooLong=Er is geen automatische tekst terugloop, tekst die te lang is, wordt niet weergegeven op documenten. Voeg indien nodig regeleinden in het tekstgebied toe. +ConfirmPurge=Weet u zeker dat u deze zuivering wilt uitvoeren?
Hiermee worden al uw gegevensbestanden permanent verwijderd zonder dat u ze kunt herstellen (ECM-bestanden, bijgevoegde bestanden ...). +LanguageFile=Bestandstaal +ListOfDirectoriesForModelGenODT=Lijst met mappen die sjablonenbestanden met OpenDocument-indeling bevatten.

Plaats hier het volledige pad van mappen.
Voeg een regelterugloop toe tussen elke directory.
Voeg hier een map van de GED-module toe DOL_DATA_ROOT/ecm/yourdirectoryname .

Bestanden in die mappen moeten eindigen op .odt of .ods. +NumberOfModelFilesFound=Aantal ODT / ODS-sjabloonbestanden gevonden in deze mappen +DescWeather=De volgende afbeeldingen worden op het dashboard weergegeven wanneer het aantal late acties de volgende waarden bereikt: +ConnectionTimeout=Time-out verbinding +ModuleMustBeEnabledFirst=Module %s moet eerst worden ingeschakeld als u deze functie nodig hebt. +NoSmsEngine=Geen SMS-afzenderbeheerder beschikbaar. Een SMS-afzenderbeheer is niet geïnstalleerd met de standaarddistributie omdat deze afhankelijk zijn van een externe leverancier, maar u kunt er enkele vinden op %s +PDFDesc=Wereldwijde opties voor het genereren van PDF's. +PDFAddressForging=Regels voor adresvakken +HideAnyVATInformationOnPDF=Verberg alle informatie met betrekking tot omzetbelasting / btw +PDFRulesForSalesTax=Regels voor omzetbelasting / btw +HideLocalTaxOnPDF=Tarief %s verbergen in de kolom Belastinguitverkoop +HideDescOnPDF=Productbeschrijving verbergen +HideRefOnPDF=Verberg ref. producten +HideDetailsOnPDF=Verberg details van productlijnen +PlaceCustomerAddressToIsoLocation=Gebruik de Franse standaardpositie (La Poste) voor de positie van het klantadres +ButtonHideUnauthorized=Knoppen verbergen voor niet-beheerders voor ongeautoriseerde acties in plaats van grijze uitgeschakelde knoppen te tonen +MassConvert=Start bulkconversie +Boolean=Boolean (één selectievakje) +ExtrafieldUrl =url +ExtrafieldSeparator=Separator (geen veld) ExtrafieldPassword=Paswoord +ExtrafieldRadio=Radioknoppen (slechts één keuze) +ExtrafieldCheckBox=checkboxes +ExtrafieldCheckBoxFromList=Selectievakjes uit tabel +ComputedFormulaDesc=U kunt hier een formule invoeren met andere eigenschappen van het object of een willekeurige PHP-codering om een dynamische berekende waarde te krijgen. U kunt alle PHP-compatibele formules gebruiken, inclusief de "?" voorwaarde-operator en het volgende globale object: $db, $conf, $langs, $mysoc, $user, $object .
WAARSCHUWING: Mogelijk zijn slechts enkele eigenschappen van $ object beschikbaar. Als u eigenschappen nodig hebt die niet zijn geladen, haalt u het object gewoon in uw formule op zoals in het tweede voorbeeld.
Als u een berekend veld gebruikt, kunt u geen waarde invoeren via de interface. Als er een syntaxisfout is, kan de formule ook niets retourneren.

Voorbeeld van formule:
$object->id < 10 ? round($object->id / 2, 2): ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

Voorbeeld om een object opnieuw te laden
(($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'

Ander voorbeeld van een formule om de belasting van het object en het bovenliggende object te forceren:
(($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' LibraryToBuildPDF=Bibliotheek om PDF bestanden te genereren. +SetAsDefault=Instellen als standaard +NoDetails=Geen aanvullende details in voettekst +DisplayCompanyInfo=Bedrijfsadres weergeven +DisplayCompanyManagers=Namen van beheerders weergeven +DisplayCompanyInfoAndManagers=Bedrijfsadres en namen van managers weergeven +ModuleCompanyCodePanicum=Retourneer een lege boekhoudcode. Module40Name=Verkoper Module1780Name=Labels/Categorien Module1780Desc=Label/categorie maken (producten, klanten, leveranciers, contacten of leden) @@ -137,3 +173,6 @@ MailToSendProposal=Klant voorstellen MailToSendInvoice=Klantfacturen AddBoxes=Widgets toevoegen OperationParamDesc=Define values to use for action, or how to extract values. For example:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +GeneralOptions=Algemene opties +ExportSetup=Installatie van module Exporteren +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. diff --git a/htdocs/langs/nl_BE/bills.lang b/htdocs/langs/nl_BE/bills.lang index 65b4e272aaf..342d138fb72 100644 --- a/htdocs/langs/nl_BE/bills.lang +++ b/htdocs/langs/nl_BE/bills.lang @@ -10,6 +10,7 @@ DoPaymentBack=Doe een terugbetaling StatusOfGeneratedInvoices=Lijst van genereerde facturen BillStatusDraft=Conceptfactuur (moet worden gevalideerd) BillShortStatusClosedUnpaid=Afgesloten +ErrorVATIntraNotConfigured=Intracommunautair btw-nummer nog niet gedefinieerd LastCustomersBills=Laatste %s klantfacturen AmountOfBillsByMonthHT=Factuurbedrag per maand (ex BTW) ShowInvoiceSituation=Toon situatie factuur diff --git a/htdocs/langs/nl_BE/companies.lang b/htdocs/langs/nl_BE/companies.lang index d8554b469d8..2cb3ef0e33b 100644 --- a/htdocs/langs/nl_BE/companies.lang +++ b/htdocs/langs/nl_BE/companies.lang @@ -47,12 +47,17 @@ ProfId2TN=Prof. id 2 (Fiscale inschrijving) ProfId2DZ=Kunst. VATReturn=BTW teruggave SupplierRelativeDiscount=Relatieve leverancierskorting +HasRelativeDiscountFromSupplier=U heeft een standaardkorting van %s%% van deze verkoper HasNoRelativeDiscountFromSupplier=U heeft standaard geen relatieve korting van deze leverancier CompanyHasCreditNote=Deze afnemer heeft nog creditnota's of eerdere stortingen voor %s %s +HasDownPaymentOrCommercialDiscountFromSupplier=U hebt kortingen beschikbaar (commercieel, aanbetalingen) voor %s %s van deze verkoper +HasCreditNoteFromSupplier=U hebt creditnota's voor %s %s van deze verkoper CustomerAbsoluteDiscountAllUsers=Absolute klantkortingen (toegekend door alle gebruikers) CustomerAbsoluteDiscountMy=Absolute klantkortingen (door uzelf verleend) SupplierAbsoluteDiscountAllUsers=Absolute leverancierskortingen (ingevoerd door alle gebruikers) SupplierAbsoluteDiscountMy=Absolute verkopers-kortingen (zelf ingevoerd) +Vendor=Verkoper +Supplier=Verkoper AccountancyCode=Boekhouder account CustomerCode=Klantcode SupplierCode=Leverancierscode @@ -68,7 +73,6 @@ ContactForContracts=Contactpersoon contracten ContactForInvoices=Contactpersoon facturen NoContactForAnyOrderOrShipments=Dit contact is geen contact voor een bestelling of verzending NewContactAddress=Nieuw contact / adres -ThisUserIsNot=Deze gebruiker is geen prospect, klant of verkoper VATIntraManualCheck=U kunt ook handmatig controleren op de website van de Europese Commissie %s ErrorVATCheckMS_UNAVAILABLE=Controle niet mogelijk. Controledienst wordt niet verleend door lidstaat (%s). ContactOthers=Ander @@ -99,3 +103,5 @@ SaleRepresentativeFirstname=Voornaam van de verkoopsverantwoordelijke SaleRepresentativeLastname=Familienaam van de verkoopsverantwoordelijke ErrorThirdpartiesMerge=Er is een fout opgetreden bij het verwijderen van de derde partijen. Controleer het logboek. Wijzigingen zijn teruggedraaid. NewCustomerSupplierCodeProposed=Klant- of leverancierscode die al is gebruikt, wordt een nieuwe code voorgesteld +PaymentTermsSupplier=Betalingstermijn - Verkoper +PaymentTypeBoth=Betalingswijze - Klant en verkoper diff --git a/htdocs/langs/nl_BE/main.lang b/htdocs/langs/nl_BE/main.lang index e7fbbcfae2e..1baa044da70 100644 --- a/htdocs/langs/nl_BE/main.lang +++ b/htdocs/langs/nl_BE/main.lang @@ -20,19 +20,55 @@ FormatDateHourSecShort=%d/%m/%Y %I:%M:%S %p FormatDateHourTextShort=%d %b %Y %H:%M FormatDateHourText=%d %B %Y %H:%M NoRecordFound=Geen record gevonden +ErrorCanNotCreateDir=Kan dir %s niet maken +ErrorCanNotReadDir=Kan dir %s niet lezen +ErrorGoToGlobalSetup=Ga naar 'Bedrijf/Organisatie' om dit te verhelpen ErrorFileNotUploaded=Bestand is niet geüpload. Controleer of de grootte niet meer is dan maximaal toegestaan, of er vrije ruimte beschikbaar is op de schijf en of er niet al een bestand met dezelfde naam in deze map bestaat. ErrorWrongHostParameter=Verkeerde host instelling +ErrorRecordIsUsedByChild=Kan dit record niet verwijderen. Dit record wordt gebruikt door ten minste één child-record. +ErrorServiceUnavailableTryLater=Dienst momenteel niet beschikbaar. Probeer het later nog eens. +ErrorCannotAddThisParentWarehouse=U probeert een bovenliggend magazijn toe te voegen dat al een 'child' van een bestaand magazijn is NotAuthorized=U bent niet toegelaten om dat te doen. +FileRenamed=Het bestand is succesvol hernoemd +FileGenerated=Het bestand is succesvol gegenereerd FileWasNotUploaded=Een bestand is geselecteerd als bijlage, maar is nog niet geupload. Klik hiervoor op "Bevestig dit bestand". +GoToWikiHelpPage=Online Help lezen (internettoegang vereist) GoToHelpPage=Contacteer helpdesk RecordSaved=Tabelregel opgeslagen RecordDeleted=Record verwijderd +DolibarrInHttpAuthenticationSoPasswordUseless=Dolibarr-authenticatiemodus is ingesteld op %s in configuratiebestand conf.php.
Dit betekent dat de wachtwoorddatabase extern is van Dolibarr, dus het wijzigen van dit veld heeft mogelijk geen effect. +LastConnexion=Laatste login +AuthenticationMode=Verificatiemodus +RequestedUrl=Gevraagde URL +RequestLastAccessInError=Laatste database toegangsaanvraag fout +LineID=Regel ID +Resiliate=Beëindigen +Hide=Verbergen +NewObject=Nieuwe %s +Model=Doc-sjabloon +DefaultModel=Standaard doc-sjabloon DateToday=Datum van vandaag DateReference=Referentie datum DateStart=Start datum DateEnd=Eind datum DateCreationShort=Aanmaak datum DateApprove2=Goedkeurings datum (tweede goedkeuring) +UserCreation=Creatie gebruiker +UserModification=Modificatie gebruiker +UserCreationShort=Creat. gebruiker +UserModificationShort=Modif. gebruiker +UserValidationShort=Geldig. gebruiker +CurrencyRate=Wisselkoers van valuta +UserModif=Gebruiker van laatste update +PriceUHTCurrency=UP (valuta) +AmountHT=Bedrag (excl. BTW) +MulticurrencyRemainderToPay=Blijf betalen, oorspronkelijke valuta +MulticurrencyPaymentAmount=Betalingsbedrag, oorspronkelijke valuta +MulticurrencyAmountHT=Bedrag (excl. Btw), oorspronkelijke valuta +MulticurrencyAmountTTC=Bedrag (incl. Btw), oorspronkelijke valuta +MulticurrencyAmountVAT=Bedragsbelasting, oorspronkelijke valuta +PriceQtyMinHT=Prijs hoeveelheid min. (excl. BTW) +PriceQtyMinHTCurrency=Prijs hoeveelheid min. (excl. BTW) (valuta) ActionRunningShort=Bezig Running=Bezig Categories=Tags / categorieën @@ -53,4 +89,3 @@ SearchIntoProductsOrServices=Producten of diensten SearchIntoCustomerInvoices=Klant facturen SearchIntoCustomerProposals=Klant voorstellen SearchIntoExpenseReports=Uitgaven rapporten -ContactDefault_order_supplier=Supplier Order diff --git a/htdocs/langs/nl_BE/orders.lang b/htdocs/langs/nl_BE/orders.lang index 96bf6f289a6..29099451dfa 100644 --- a/htdocs/langs/nl_BE/orders.lang +++ b/htdocs/langs/nl_BE/orders.lang @@ -7,5 +7,10 @@ StatusOrderSentShort=In uitvoering StatusOrderDelivered=Geleverd StatusOrderDeliveredShort=Geleverd UnvalidateOrder=Maak validatie bestelling ongedaan -OrderReopened=Bestelling %s heropend SecondApprovalAlreadyDone=Tweede controle reeds uitgevoerd +StatusSupplierOrderSentShort=In uitvoering +StatusSupplierOrderDelivered=Geleverd +StatusSupplierOrderDeliveredShort=Geleverd +StatusSupplierOrderToBillShort=Geleverd +StatusSupplierOrderDraft=Conceptfactuur (moet worden gevalideerd) +StatusSupplierOrderToBill=Geleverd diff --git a/htdocs/langs/nl_BE/projects.lang b/htdocs/langs/nl_BE/projects.lang index a6538578348..bad8b15e9d1 100644 --- a/htdocs/langs/nl_BE/projects.lang +++ b/htdocs/langs/nl_BE/projects.lang @@ -1,4 +1,18 @@ # Dolibarr language file - Source file is en_US - projects ProjectsArea=Project Omgeving +AllAllowedProjects=Alle projecten die ik kan lezen (mijn + openbaar) +MyProjectsDesc=Deze weergave is beperkt tot projecten waarvoor u een contactpersoon bent +TasksOnProjectsPublicDesc=Deze weergave geeft alle taken weer van projecten die u mag lezen. +TasksOnProjectsDesc=In deze weergave worden alle taken voor alle projecten weergegeven (uw gebruikersrechten geven u toestemming om alles te bekijken). +ImportDatasetTasks=Taken van projecten +ProjectCategories=Project tags / categorieën OpenedProjects=Open projecten +OpportunitiesStatusForOpenedProjects=Aantal open projecten van leads op status +OpportunitiesStatusForProjects=Aantal projecten van leads op status +BillTime=Factureer de tijd besteed +AddTimeSpent=Maak de tijd besteed +AddHereTimeSpentForDay=Voeg hier de besteedde tijd voor deze dag / taak toe +MyProjectsArea=Mijn projectengebied +CurentlyOpenedTasks=Actueel openstaande taken +WhichIamLinkedToProject=waaraan ik ben gekoppeld aan het project ProjectModifiedInDolibarr=Project %s gewijzigd diff --git a/htdocs/langs/nl_BE/propal.lang b/htdocs/langs/nl_BE/propal.lang index 4426dfc72cf..972cbd72625 100644 --- a/htdocs/langs/nl_BE/propal.lang +++ b/htdocs/langs/nl_BE/propal.lang @@ -3,7 +3,6 @@ ProposalsOpened=Openstaande offertes ConfirmValidateProp=Weet u zeker dat u deze offerte met naam %s wilt valideren? LastModifiedProposals=Laatste %s gewijzigde offertes NoProposal=Geen offerte -PropalStatusValidated=Gevalideerd (offerte staat open) CloseAs=Zet de status op SetAcceptedRefused=Zet op goedgekeurd/geweigerd CreateEmptyPropal=Creëer een lege commerciële offerte uit de lijst van producten / diensten diff --git a/htdocs/langs/nl_NL/accountancy.lang b/htdocs/langs/nl_NL/accountancy.lang index 5f48bfc7a98..e1b73d6f1ad 100644 --- a/htdocs/langs/nl_NL/accountancy.lang +++ b/htdocs/langs/nl_NL/accountancy.lang @@ -3,7 +3,7 @@ Accountancy=Boekhouden Accounting=Boekhouding ACCOUNTING_EXPORT_SEPARATORCSV=Kolom separator voor export bestand ACCOUNTING_EXPORT_DATE=Datumnotatie voor exportbestand -ACCOUNTING_EXPORT_PIECE=Export the number of piece +ACCOUNTING_EXPORT_PIECE=Exporteer het aantal stuks ACCOUNTING_EXPORT_GLOBAL_ACCOUNT=Export with global account ACCOUNTING_EXPORT_LABEL=Export label ACCOUNTING_EXPORT_AMOUNT=Export bedrag @@ -224,6 +224,7 @@ ListAccounts=List of the accounting accounts UnknownAccountForThirdparty=Onbekende relatie-rekening. Gebruikt wordt 1%s UnknownAccountForThirdpartyBlocking=Blokkeringsfout. Onbekende relatierekening. ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Derdenaccount niet gedefinieerd of derde partij onbekend. We zullen %s gebruiken +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Onbekende relatie en sub-administrator niet gedefinieerd op de betaling. Er zal geen waarde worden weggeschreven in de sub-administratierekening. ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Tegenrekening relatie niet gedefinieerd of relatie onbekend. Blokkeringsfout. UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Onbekend account van derden en wachtaccount niet gedefinieerd. Blokkeerfout PaymentsNotLinkedToProduct=Betaling niet gekoppeld aan een product / dienst diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang index f9c11733b3c..0ac0071e824 100644 --- a/htdocs/langs/nl_NL/admin.lang +++ b/htdocs/langs/nl_NL/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Verkooporder beheer Module30Name=Facturen Module30Desc=Beheer van facturen en creditnota's voor klanten. Beheer van facturen en creditnota's voor leveranciers Module40Name=Leveranciers -Module40Desc=Leveranciers en inkoopbeheer (inkooporders en facturering) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug logs Module42Desc=Mogelijkheden voor een log (file,syslog, ...). Deze log-files zijn voor technische/debug ondersteuning. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP-directorysynchronisatie Module210Name=PostNuke Module210Desc='PostNuke'-integratie Module240Name=Uitvoer gegevens (exporteren) -Module240Desc=Gereedschap om Dolibarr data te exporteren (met hulp) +Module240Desc=Tool om Dolibarr-gegevens te exporteren (met hulp) Module250Name=Invoer gegevens (importeren) -Module250Desc=Hulpmiddel om gegevens in Dolibarr te importeren (met assistenten) +Module250Desc=Tool om gegevens in Dolibarr te importeren (met hulp) Module310Name=Leden Module310Desc=Ledenbeheer (van een vereniging) Module320Name=RSS-feeds @@ -878,7 +878,7 @@ Permission1251=Voer massale invoer van externe gegevens in de database uit (data Permission1321=Exporteer afnemersfacturen, attributen en betalingen Permission1322=Open een betaalde factuur Permission1421=Verkooporders en attributen exporteren -Permission2401=Lees acties (evenementen of taken) gekoppeld aan zijn gebruikersaccount (indien eigenaar van evenement) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Acties (evenementen of taken) maken / wijzigen die zijn gekoppeld aan zijn gebruikersaccount (als eigenaar van een evenement) Permission2403=Acties (evenementen of taken) verwijderen die zijn gekoppeld aan zijn gebruikersaccount (indien eigenaar van evenement) Permission2411=Inzien van acties (gebeurtenissen of taken) van anderen @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Er is geen beveiligingsgebeurtenis vastgelegd. Dit is norm NoEventFoundWithCriteria=Er zijn geen beveiligingsgebeurtenissen gevonden voor deze zoekcriteria. SeeLocalSendMailSetup=Controleer de instellingen van uw lokale "sendmail"-programma BackupDesc=Een complete back-up van een Dolibarr-installatie vereist twee stappen. -BackupDesc2=Maak een back-up van de inhoud van de map "Documenten" ( %s ) met alle geüploade en gegenereerde bestanden. Dit omvat ook alle dumpbestanden die in stap 1 zijn gegenereerd. +BackupDesc2=Maak een back-up van de inhoud van de map "documenten" ( %s ) met alle geüploade en gegenereerde bestanden. Dit omvat ook alle dumpbestanden die in stap 1 zijn gegenereerd. Deze bewerking kan enkele minuten duren. BackupDesc3=Maak een back-up van de structuur en inhoud van uw database ( %s ) in een dumpbestand. Hiervoor kunt u de volgende assistent gebruiken. BackupDescX=De gearchiveerde map moet op een veilige plaats worden opgeslagen. BackupDescY=De gemaakte dump bestand moet op een veilige plaats worden opgeslagen. @@ -1167,6 +1167,7 @@ RestoreDesc3=Herstel de databasestructuur en gegevens van een back-up dumpbestan RestoreMySQL=MySQL import ForcedToByAModule= Geforceerd tot %s door een geactiveerde module PreviousDumpFiles=Bestaande back-upbestanden +PreviousArchiveFiles=Bestaande archiefbestanden WeekStartOnDay=Eerste dag van de week RunningUpdateProcessMayBeRequired=Het uitvoeren van het upgradeproces lijkt vereist (programmaversie %s verschilt van databaseversie %s) YouMustRunCommandFromCommandLineAfterLoginToUser=U dient dit commando vanaf de opdrachtregel uit te voeren, na ingelogd te zijn als gebruiker %s. Of u dient het commando uit te breiden door de -W optie mee te geven zodat u het wachtwoord kunt opgeven. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Vraag de gewenste verzendmethode voor derden. FieldEdition=Wijziging van het veld %s FillThisOnlyIfRequired=Voorbeeld: +2 (alleen invullen als tijdzone offset problemen worden ervaren) GetBarCode=Haal barcode +NumberingModules=Nummeringsmodellen ##### Module password generation PasswordGenerationStandard=Geeft een wachtwoord terug dat gegenereerd is volgens het interne Dolibarr algoritme: 8 karakters met gedeelde nummers en tekens in kleine letters. PasswordGenerationNone=Stel geen gegenereerd wachtwoord voor. Wachtwoord moet handmatig worden ingevoerd. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Controleer ontvangstnummeringsmodule MultiCompanySetup=Multi-Bedrijfmoduleinstellingen ##### Suppliers ##### SuppliersSetup=Installatie van leveranciersmodule -SuppliersCommandModel=Volledige sjabloon van bestelling (logo ...) -SuppliersInvoiceModel=Volledige sjabloon van leveranciersfactuur (logo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Nummeringsmodellen voor leveranciersfacturen IfSetToYesDontForgetPermission=Als deze is ingesteld op een niet-nulwaarde, vergeet dan niet om machtigingen te verstrekken aan groepen of gebruikers die zijn toegestaan voor de tweede goedkeuring ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=Lijst met automatische meldingen per gebruiker * ListOfNotificationsPerUserOrContact=Lijst met mogelijke automatische meldingen (bij zakelijk evenement) beschikbaar per gebruiker * of per contact ** ListOfFixedNotifications=Lijst met automatische vaste meldingen GoOntoUserCardToAddMore=Ga naar het tabblad "Meldingen" van een gebruiker om meldingen voor gebruikers toe te voegen of te verwijderen -GoOntoContactCardToAddMore=Ga naar het tabblad "Meldingen" bij een relatie om meldingen voor contacten/adressen toe te voegen of te verwijderen +GoOntoContactCardToAddMore=Ga naar het tabblad "Meldingen" van een relatie om meldingen voor contacten/adressen toe te voegen of te verwijderen Threshold=Drempel -BackupDumpWizard=Wizard om het back-upbestand te bouwen +BackupDumpWizard=Wizard om een database-dumpbestand aan te maken +BackupZipWizard=Wizard om een archief met documentenmap te maken SomethingMakeInstallFromWebNotPossible=Installatie van externe module is niet mogelijk via de webinterface om de volgende reden: SomethingMakeInstallFromWebNotPossible2=Om deze reden is het hier beschreven upgradeproces een handmatig proces dat alleen een bevoorrechte gebruiker mag uitvoeren. InstallModuleFromWebHasBeenDisabledByFile=Installeren van externe module van toepassing is uitgeschakeld door uw beheerder. Je moet hem vragen om het bestand %s te verwijderen om deze functie mogelijk te maken. @@ -1953,6 +1957,8 @@ SmallerThan=Kleiner dan LargerThan=Groter dan IfTrackingIDFoundEventWillBeLinked=Houd er rekening mee dat als een tracking-ID wordt gevonden in inkomende e-mail, de gebeurtenis automatisch wordt gekoppeld aan de gerelateerde objecten. WithGMailYouCanCreateADedicatedPassword=Als u bij een GMail-account de validatie in 2 stappen hebt ingeschakeld, wordt aanbevolen om een speciaal tweede wachtwoord voor de toepassing te maken in plaats van uw eigen wachtwoord van https://myaccount.google.com/. +EmailCollectorTargetDir=Het kan een wenselijk zijn om de e-mail naar een andere markeer/map te verplaatsen wanneer deze met succes is verwerkt. Stel hier een waarde in om deze functie te gebruiken. Let op: u moet ook een lees/schrijf-inlogaccount gebruiken. +EmailCollectorLoadThirdPartyHelp=U kunt deze actie gebruiken om de e-mailinhoud te gebruiken om een bestaande relatie in uw database te zoeken en te laden. De gevonden (of gecreëerde) relatie zal worden gebruikt voor het volgen van acties die het nodig hebben. In het parameterveld kunt u bijvoorbeeld 'EXTRACT: BODY: Name: \\ s ([^ \\ s] *)' gebruiken als u de naam van de relatie wilt extraheren uit een string 'Name: name to find' gevonden in de bron. EndPointFor=Eindpunt voor %s: %s DeleteEmailCollector=E-mailverzamelaar verwijderen ConfirmDeleteEmailCollector=Weet je zeker dat je deze e-mailverzamelaar wilt verwijderen? diff --git a/htdocs/langs/nl_NL/agenda.lang b/htdocs/langs/nl_NL/agenda.lang index 7ca2a37ecf3..7ef9ca0fba9 100644 --- a/htdocs/langs/nl_NL/agenda.lang +++ b/htdocs/langs/nl_NL/agenda.lang @@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=Abonnement %s voor lid %s gewijzigd MemberSubscriptionDeletedInDolibarr=Abonnement %s voor lid %s verwijderd ShipmentValidatedInDolibarr=Verzending %s gevalideerd ShipmentClassifyClosedInDolibarr=Verzending %s geclassificeerd als gefactureerd -ShipmentUnClassifyCloseddInDolibarr=Verzending %s geclassificeerd als heropend +ShipmentUnClassifyCloseddInDolibarr=Zending %s geclassificeerd, opnieuw openen ShipmentBackToDraftInDolibarr=Zending %s ga terug naar conceptstatus ShipmentDeletedInDolibarr=Verzending %s verwijderd OrderCreatedInDolibarr=Bestelling %s aangemaakt diff --git a/htdocs/langs/nl_NL/banks.lang b/htdocs/langs/nl_NL/banks.lang index 26cb6760b6c..c2cb9275a4f 100644 --- a/htdocs/langs/nl_NL/banks.lang +++ b/htdocs/langs/nl_NL/banks.lang @@ -154,7 +154,7 @@ RejectCheck=Teruggekeerde cheque ConfirmRejectCheck=Weet u zeker dat u deze controle wilt markeren als afgewezen? RejectCheckDate=Teruggave datum cheque CheckRejected=Teruggekeerde cheque -CheckRejectedAndInvoicesReopened=Cheque teruggekeerd en facturen heropend +CheckRejectedAndInvoicesReopened=Cheque geretourneerd en facturen worden opnieuw geopend BankAccountModelModule=Documentsjablonen voor bankrekeningen DocumentModelSepaMandate=Sjabloon van SEPA-mandaat. Alleen bruikbaar voor Europese landen in de Europese Unie. DocumentModelBan=Sjabloon om een pagina met BAN-informatie af te drukken. diff --git a/htdocs/langs/nl_NL/bills.lang b/htdocs/langs/nl_NL/bills.lang index 05362fad4f9..1ce183cfcd4 100644 --- a/htdocs/langs/nl_NL/bills.lang +++ b/htdocs/langs/nl_NL/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dagen PaymentCondition14D=14 dagen PaymentConditionShort14DENDMONTH=Einde maand over 14 dagen PaymentCondition14DENDMONTH=Binnen 14 dagen na het einde van de maand -FixAmount=Vast bedrag +FixAmount=Vast bedrag - 1 regel met label '%s' VarAmount=Variabel bedrag (%% tot.) VarAmountOneLine=Variabel aantal (%% tot.) - 1 regel met label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Taxzegel YouMustCreateInvoiceFromThird=Deze optie is alleen beschikbaar wanneer u een factuur maakt op het tabblad "Klant" van een relatie YouMustCreateInvoiceFromSupplierThird=Deze optie is alleen beschikbaar bij het maken van een factuur op het tabblad "Leverancier" bij relatie YouMustCreateStandardInvoiceFirstDesc=Maak eerst een standaard factuur en converteer naar een sjabloon om deze als sjabloon te gebruiken -PDFCrabeDescription=Model van complete factuur (Beheert de mogelijkheid van de BTW-heffingsbelasting, de keuze van de regels display, logo, etc) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Factuur PDF-sjabloon Sponge. Een complete sjabloon voor een factuur PDFCrevetteDescription=Factuur PDF-sjabloon 'Crevette'. Een compleet sjabloon voor facturen TerreNumRefModelDesc1=Geeft een getal in de vorm van %syymm-nnnn voor standaard facturen en %syymm-nnnn voor creditnota's, met yy voor jaar, mm voor maand en nnnn als opeenvolgende getallenreeks die niet terug op 0 komt diff --git a/htdocs/langs/nl_NL/categories.lang b/htdocs/langs/nl_NL/categories.lang index 308b801c94b..d75a200d41a 100644 --- a/htdocs/langs/nl_NL/categories.lang +++ b/htdocs/langs/nl_NL/categories.lang @@ -90,4 +90,5 @@ ShowCategory=Toon label/categorie ByDefaultInList=Standaard in de lijst ChooseCategory=Kies categorie StocksCategoriesArea=Magazijnen Categorieën +ActionCommCategoriesArea=Gebeurtenissen categorieën omgeving UseOrOperatorForCategories=Gebruik of operator voor categorieën diff --git a/htdocs/langs/nl_NL/companies.lang b/htdocs/langs/nl_NL/companies.lang index 6fdbdb3fac1..8b94a7f7749 100644 --- a/htdocs/langs/nl_NL/companies.lang +++ b/htdocs/langs/nl_NL/companies.lang @@ -83,8 +83,8 @@ VATIsUsed=Gebruikte BTW VATIsUsedWhenSelling=Dit bepaalt of deze derde een verkoopbelasting omvat of niet wanneer hij een factuur aan zijn eigen klanten maakt VATIsNotUsed=BTW wordt niet gebruikt CopyAddressFromSoc=Adres kopiëren van gegevens van relatie -ThirdpartyNotCustomerNotSupplierSoNoRef=Relatie is noch klant, noch verkoper, geen beschikbare verwijzende objecten -ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Relatie is noch klant, noch verkoper, kortingen zijn niet beschikbaar +ThirdpartyNotCustomerNotSupplierSoNoRef=Relatie is noch klant, noch leverancier, geen beschikbare verwijzende objecten +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Relatie is noch klant, noch leverancier, kortingen zijn niet beschikbaar PaymentBankAccount=Bank voor te ontvangen betaling OverAllProposals=Zakelijke voorstellen / Offertes OverAllOrders=Orders @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -271,23 +277,23 @@ CustomerRelativeDiscountShort=Kortingspercentage CustomerAbsoluteDiscountShort=Kortingsbedrag CompanyHasRelativeDiscount=Voor deze afnemer geldt een kortingspercentage van %s%% CompanyHasNoRelativeDiscount=Voor deze afnemer geldt geen kortingspercentage -HasRelativeDiscountFromSupplier=U heeft een standaardkorting van %s%% van deze verkoper +HasRelativeDiscountFromSupplier=U heeft een standaardkorting van %s%% van deze leverancier HasNoRelativeDiscountFromSupplier=U heeft geen standaard relatieve korting van deze leverancier CompanyHasAbsoluteDiscount=Deze klant heeft kortingen beschikbaar ( tegoedbonnen of aanbetalingen) voor %s %s CompanyHasDownPaymentOrCommercialDiscount=Deze klant heeft kortingen beschikbaar (commercieel, aanbetalingen) voor %s %s CompanyHasCreditNote=Deze afnemer heeft nog creditnota's of eerder stortingen voor %s %s HasNoAbsoluteDiscountFromSupplier=U heeft geen kortingstegoed van deze leverancier -HasAbsoluteDiscountFromSupplier=U hebt kortingen beschikbaar ( tegoedbonnen of aanbetalingen) voor %s %s van deze verkoper -HasDownPaymentOrCommercialDiscountFromSupplier=U hebt kortingen beschikbaar (commercieel, aanbetalingen) voor %s %s van deze verkoper -HasCreditNoteFromSupplier=U hebt creditnota's voor %s %s van deze verkoper +HasAbsoluteDiscountFromSupplier=U hebt kortingen beschikbaar ( tegoedbonnen of aanbetalingen) voor %s %s van deze leverancier +HasDownPaymentOrCommercialDiscountFromSupplier=U hebt kortingen beschikbaar (commercieel, aanbetalingen) voor %s %s van deze leverancier +HasCreditNoteFromSupplier=U hebt creditnota's voor %s %s van deze leverancier CompanyHasNoAbsoluteDiscount=Voor deze afnemer is geen kortingsbedrag ingesteld CustomerAbsoluteDiscountAllUsers=Vastgelegde klant kortingen (toegekend door alle gebruikers) CustomerAbsoluteDiscountMy=Vastgelegde klant kortingen (toegekend door uzelf) SupplierAbsoluteDiscountAllUsers=Vastgelegde leverancier kortingen (toegekend door alle gebruikers) SupplierAbsoluteDiscountMy=Vastgelegde klant kortingen (toegekend door uzelf) DiscountNone=Geen -Vendor=Verkoper -Supplier=Verkoper +Vendor=Leverancier +Supplier=Leverancier AddContact=Nieuwe contactpersoon AddContactAddress=Nieuw contact/adres EditContact=Bewerk contact / adres @@ -339,7 +345,7 @@ MyContacts=Mijn contacten Capital=Kapitaal CapitalOf=Kapitaal van %s EditCompany=Bedrijf bewerken -ThisUserIsNot=Deze gebruiker is geen prospect, klant of leverancier. +ThisUserIsNot=Deze gebruiker is geen prospect, klant of leverancier VATIntraCheck=Controleren VATIntraCheckDesc=Het btw-nummer moet het landnummer bevatten. De link %s maakt gebruik van de European VAT checker service (VIES) die internettoegang vanaf de Dolibarr-server vereist. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Toegekend aan vertegenwoordiger Organization=Organisatie FiscalYearInformation=Fiscaal jaar FiscalMonthStart=Startmaand van het fiscale jaar +SocialNetworksInformation=Sociale netwerken +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=YouTube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=U moet een e-mail voor deze gebruiker maken voordat u een e-mailmelding kunt toevoegen. YouMustCreateContactFirst=U moet eerst een e-mail voor deze contactpersoon aanmaken om e-mail meldingen voor deze te kunnen toevoegen. ListSuppliersShort=Leverancierslijst @@ -438,7 +451,7 @@ NewCustomerSupplierCodeProposed=Klant- of leverancierscode die al wordt gebruikt PaymentTypeCustomer=Betalingswijze - Klant PaymentTermsCustomer=Betalingsvoorwaarden - Klant PaymentTypeSupplier=Type betaling - Leverancier -PaymentTermsSupplier=Betalingstermijn - Verkoper -PaymentTypeBoth=Betalingswijze - Klant en verkoper +PaymentTermsSupplier=Betalingstermijn - Leverancier +PaymentTypeBoth=Betalingswijze - Klant en leverancier MulticurrencyUsed=Gebruik meerdere valuta MulticurrencyCurrency=Valuta diff --git a/htdocs/langs/nl_NL/compta.lang b/htdocs/langs/nl_NL/compta.lang index 4508b8a9304..52f8a29e7ff 100644 --- a/htdocs/langs/nl_NL/compta.lang +++ b/htdocs/langs/nl_NL/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Per verkoop belastingtarief TurnoverbyVatrate=Omzet gefactureerd per omzetbelasting-tarief TurnoverCollectedbyVatrate=Omzet per BTW tarief PurchasebyVatrate=Aankoop bij verkoop belastingtarief +LabelToShow=Kort label diff --git a/htdocs/langs/nl_NL/errors.lang b/htdocs/langs/nl_NL/errors.lang index 5efaea3accf..69f9f30c8e4 100644 --- a/htdocs/langs/nl_NL/errors.lang +++ b/htdocs/langs/nl_NL/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Gebruiker met gebruikersnaam %s kon niet worden g ErrorLoginHasNoEmail=Deze gebruiker heeft geen e-mail adres. Proces afgebroken. ErrorBadValueForCode=Onjuist waardetypen voor code. Probeer het opnieuw met een nieuwe waarde ErrorBothFieldCantBeNegative=Velden %s %s en kan niet beide negatief -ErrorFieldCantBeNegativeOnInvoice=Veld %s kan niet negatief zijn voor dit type factuur. Als u een kortingsregel wilt toevoegen, maakt u eerst de korting met koppeling %s op het scherm en past u deze toe op de factuur. Je kunt ook je beheerder vragen om optie FACTURE_ENABLE_NEGATIVE_LINES op 1 in te stellen om het oude gedrag toe te staan. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Aantal voor regel in klantfacturen kan niet negatief zijn ErrorWebServerUserHasNotPermission=User account %s gebruikt om web-server uit te voeren heeft geen toestemming voor die ErrorNoActivatedBarcode=Geen geactiveerde barcode soort @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objecten moeten de status 'Actie ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objecten moeten de status 'Concept' of 'Uitgeschakeld' hebben om te worden ingeschakeld ErrorNoFieldWithAttributeShowoncombobox=Geen velden hebben eigenschap 'showoncombobox' in de definitie van object '%s'. Geen manier om de combolist te laten zien. ErrorFieldRequiredForProduct=Veld '1%s' is vereist voor product 1%s +ProblemIsInSetupOfTerminal=Probleem is bij het instellen van terminal %s. +ErrorAddAtLeastOneLineFirst=Voeg eerst minimaal één regel toe # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Uw PHP-parameter upload_max_filesize (%s) is hoger dan PHP-parameter post_max_size (%s). Dit is geen consistente opstelling. WarningPasswordSetWithNoAccount=Er is een wachtwoord ingesteld voor dit lid. Er is echter geen gebruikersaccount gemaakt. Dus dit wachtwoord is opgeslagen maar kan niet worden gebruikt om in te loggen bij Dolibarr. Het kan worden gebruikt door een externe module / interface, maar als u geen gebruikersnaam of wachtwoord voor een lid hoeft aan te maken, kunt u de optie "Beheer een login voor elk lid" in de module-setup van Member uitschakelen. Als u een login moet beheren maar geen wachtwoord nodig heeft, kunt u dit veld leeg houden om deze waarschuwing te voorkomen. Opmerking: e-mail kan ook worden gebruikt als login als het lid aan een gebruiker is gekoppeld. diff --git a/htdocs/langs/nl_NL/holiday.lang b/htdocs/langs/nl_NL/holiday.lang index b2064935585..ef20014ca2b 100644 --- a/htdocs/langs/nl_NL/holiday.lang +++ b/htdocs/langs/nl_NL/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type verlof-ID TypeOfLeaveCode=Type verlofcode TypeOfLeaveLabel=Soort verloflabel NbUseDaysCP=Aantal verbruikte verlofdagen +NbUseDaysCPHelp=De berekening houdt rekening met de niet-werkdagen en de feestdagen gedefinieerd in het woordenboek. NbUseDaysCPShort=Dagen verbruikt NbUseDaysCPShortInMonth=Dagen verbruikt in maand +DayIsANonWorkingDay=%s is een niet-werkdag DateStartInMonth=Startdatum in maand DateEndInMonth=Einddatum in maand EditCP=Bewerken diff --git a/htdocs/langs/nl_NL/install.lang b/htdocs/langs/nl_NL/install.lang index fbd0bdd62eb..9a97e1b19b1 100644 --- a/htdocs/langs/nl_NL/install.lang +++ b/htdocs/langs/nl_NL/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Deze PHP ondersteunt Curl. PHPSupportCalendar=Deze PHP ondersteunt kalendersextensies. PHPSupportUTF8=Deze PHP ondersteunt UTF8-functies. PHPSupportIntl=Deze PHP ondersteunt Intl-functies. +PHPSupport=Deze PHP ondersteunt %s-functies. PHPMemoryOK=Het maximale sessiegeheugen van deze PHP installatie is ingesteld op %s. Dit zou genoeg moeten zijn. PHPMemoryTooLow=Uw PHP max sessie-geheugen is ingesteld op %s bytes. Dit is te laag. Wijzig uw php.ini om de parameter memory_limit in te stellen op ten minste %s bytes. Recheck=Klik hier voor een meer gedetailleerde test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Uw PHP versie ondersteunt geen Curl. ErrorPHPDoesNotSupportCalendar=Uw PHP-installatie ondersteunt geen php-agenda-extensies. ErrorPHPDoesNotSupportUTF8=Uw PHP-installatie ondersteunt geen UTF8-functies. Dolibarr kan niet correct werken. Los dit op voordat u Dolibarr installeert. ErrorPHPDoesNotSupportIntl=Uw PHP-installatie ondersteunt geen Intl-functies. +ErrorPHPDoesNotSupport=Uw PHP-installatie ondersteunt geen %s-functies. ErrorDirDoesNotExists=De map %s bestaat niet. ErrorGoBackAndCorrectParameters=Ga terug en controleer / corrigeer de parameters. ErrorWrongValueForParameter=U heeft de parameter '%s' mogelijk verkeerd ingesteld. diff --git a/htdocs/langs/nl_NL/main.lang b/htdocs/langs/nl_NL/main.lang index 5895378fac7..06f763a4e08 100644 --- a/htdocs/langs/nl_NL/main.lang +++ b/htdocs/langs/nl_NL/main.lang @@ -471,7 +471,7 @@ TotalDuration=Totale duur Summary=Samenvatting DolibarrStateBoard=Database statistieken DolibarrWorkBoard=Open voorwerpen -NoOpenedElementToProcess=Geen geopend element om te verwerken +NoOpenedElementToProcess=Geen open element om te verwerken Available=Beschikbaar NotYetAvailable=Nog niet beschikbaar NotAvailable=Niet beschikbaar @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Factuur ContactDefault_fichinter=Interventie ContactDefault_invoice_supplier=Leveranciersfactuur -ContactDefault_order_supplier=Bestelling leverancier +ContactDefault_order_supplier=Bestelling ContactDefault_project=Project ContactDefault_project_task=Taak ContactDefault_propal=Offerte @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Voorstel van leverancier ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact toegevoegd vanuit contactpersonen More=Meer +ShowDetails=Toon details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/nl_NL/modulebuilder.lang b/htdocs/langs/nl_NL/modulebuilder.lang index 741e5c3869b..a71d676f238 100644 --- a/htdocs/langs/nl_NL/modulebuilder.lang +++ b/htdocs/langs/nl_NL/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Lijst met woordenboekingangen ListOfPermissionsDefined=Lijst met gedefinieerde machtigingen SeeExamples=Zie hier voorbeelden EnabledDesc=Voorwaarde om dit veld actief te hebben (voorbeelden: 1 of $ conf-> global-> MYMODULE_MYOPTION) -VisibleDesc=Is het veld zichtbaar? (Voorbeelden: 0 = Nooit zichtbaar, 1 = Zichtbaar op lijst en formulieren maken / bijwerken / bekijken, 2 = Alleen zichtbaar op lijst, 3 = Zichtbaar op alleen formulier maken / bijwerken / bekijken (niet lijst), 4 = Zichtbaar op lijst en update / weergave alleen formulier (niet aanmaken). Het gebruik van een negatieve waarde betekent dat het veld niet standaard in de lijst wordt weergegeven, maar kan worden geselecteerd om te bekijken). Het kan een uitdrukking zijn, bijvoorbeeld:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ user-> rights-> holiday-> define_holiday? 1: 0) +VisibleDesc=Is het veld zichtbaar? (Voorbeelden: 0 = Nooit zichtbaar, 1 = Zichtbaar op lijst en formulieren maken / bijwerken / bekijken, 2 = Alleen zichtbaar op lijst, 3 = Zichtbaar op alleen formulier maken / bijwerken / bekijken (niet lijst), 4 = Zichtbaar op lijst en update / weergave alleen formulier (niet aanmaken), 5 = Alleen zichtbaar op lijst eindweergave formulier (niet maken, niet bijwerken) Het gebruik van een negatief waarde betekent dat veld niet standaard wordt weergegeven in de lijst, maar kan worden geselecteerd voor weergave). Het kan een uitdrukking zijn, bijvoorbeeld:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ user-> rights-> holiday-> define_holiday? 1: 0) IsAMeasureDesc=Kan de waarde van het veld worden gecumuleerd om een totaal in de lijst te krijgen? (Voorbeelden: 1 of 0) SearchAllDesc=Wordt het veld gebruikt om een zoekopdracht uit het snelzoekprogramma te doen? (Voorbeelden: 1 of 0) SpecDefDesc=Voer hier alle documentatie in die u met uw module wilt verstrekken die nog niet door andere tabbladen is gedefinieerd. U kunt .md of beter gebruiken, de rijke .asciidoc-syntaxis. @@ -135,3 +135,5 @@ CSSClass=CSS-klasse NotEditable=Niet bewerkbaar ForeignKey=Vreemde sleutel TypeOfFieldsHelp=Type velden:
varchar (99), dubbel (24,8), real, tekst, html, datetime, timestamp, integer, integer: ClassName: relativepath / to / classfile.class.php [: 1 [: filter]] ('1' betekent we voegen een + -knop toe na de combo om het record te maken, 'filter' kan 'status = 1 EN fk_user = __USER_ID EN entiteit IN (bijvoorbeeld __SHARED_ENTITIES__)' zijn) +AsciiToHtmlConverter=Ascii naar HTML converter +AsciiToPdfConverter=Ascii naar PDF converter diff --git a/htdocs/langs/nl_NL/mrp.lang b/htdocs/langs/nl_NL/mrp.lang index e26c678d6c8..fb0de8ef6c2 100644 --- a/htdocs/langs/nl_NL/mrp.lang +++ b/htdocs/langs/nl_NL/mrp.lang @@ -54,12 +54,15 @@ ToConsume=Consumeren ToProduce=Produceren QtyAlreadyConsumed=Aantal al verbruikt QtyAlreadyProduced=Aantal al geproduceerd +ConsumeOrProduce=Consumeren of produceren ConsumeAndProduceAll=Alles consumeren en produceren Manufactured=geproduceerd TheProductXIsAlreadyTheProductToProduce=Het toe te voegen product is al het te produceren product. ForAQuantityOf1=Voor een te produceren hoeveelheid van 1 ConfirmValidateMo=Weet u zeker dat u deze productieorder wilt valideren? ConfirmProductionDesc=Door op '1%s' te klikken, valideert u het verbruik en / of de productie voor de ingestelde hoeveelheden. Hiermee worden ook de voorraad- en recordbewegingen bijgewerkt. -ProductionForRefAndDate=Productie 1%s - 1%s +ProductionForRef=Productie van %s AutoCloseMO=Sluit de productie order automatisch als hoeveelheid en hoeveelheid te produceren is bereikt NoStockChangeOnServices=Geen voorraad aanpassing op deze service +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/nl_NL/orders.lang b/htdocs/langs/nl_NL/orders.lang index 8700d98d2a4..5ea64e26c9c 100644 --- a/htdocs/langs/nl_NL/orders.lang +++ b/htdocs/langs/nl_NL/orders.lang @@ -69,7 +69,7 @@ ValidateOrder=Valideer opdracht UnvalidateOrder=Unvalidate order DeleteOrder=Verwijder opdracht CancelOrder=Annuleer opdracht -OrderReopened= Order %s opnieuw geopend +OrderReopened= Order %s opnieuw openen AddOrder=Nieuwe bestelling AddPurchaseOrder=Maak inkooporder AddToDraftOrders=Voeg toe aan order in aanmaak @@ -141,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Telefoon # Documents models -PDFEinsteinDescription=Een compleet opdrachtenmodel (incl. logo, etc) -PDFEratostheneDescription=Een compleet opdrachtenmodel (incl. logo, etc) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Een eenvoudig opdrachtenmodel -PDFProformaDescription=Een volledige pro forma factuur (logo...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Factureer orders NoOrdersToInvoice=Geen te factureren orders CloseProcessedOrdersAutomatically=Alle geselecteerde orders zijn afgehandeld diff --git a/htdocs/langs/nl_NL/other.lang b/htdocs/langs/nl_NL/other.lang index 4edd48427b5..27f94dfc9e8 100644 --- a/htdocs/langs/nl_NL/other.lang +++ b/htdocs/langs/nl_NL/other.lang @@ -24,7 +24,7 @@ MessageOK=Bericht op de retourpagina voor een gevalideerde betaling MessageKO=Bericht op de retourpagina voor een geannuleerde betaling ContentOfDirectoryIsNotEmpty=De inhoud van deze map is niet leeg. DeleteAlsoContentRecursively=Vink aan om alle inhoud recursief te verwijderen - +PoweredBy=Powered by YearOfInvoice=Jaar van factuurdatum PreviousYearOfInvoice=Voorgaand jaar van factuurdatum NextYearOfInvoice=Volgend jaar van factuurdatum @@ -104,7 +104,8 @@ DemoFundation=Ledenbeheer van een stichting DemoFundation2=Beheer van de leden en de bankrekening van een stichting DemoCompanyServiceOnly=Bedrijf of freelance verkoopservice alleen DemoCompanyShopWithCashDesk=Beheren van een winkel met een kassa -DemoCompanyProductAndStocks=Bedrijf dat producten verkoopt met een winkel +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Bedrijf met meerdere activiteiten (alle hoofdmodules) CreatedBy=Gecreëerd door %s ModifiedBy=Gewijzigd door %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL van pagina WEBSITE_TITLE=Titel WEBSITE_DESCRIPTION=Omschrijving WEBSITE_IMAGE=Beeld -WEBSITE_IMAGEDesc=Relatief pad van de beeldmedia. Je kunt dit leeg laten, omdat dit zelden wordt gebruikt (het kan door dynamische inhoud worden gebruikt om een voorbeeld van een lijst met blogberichten weer te geven). +WEBSITE_IMAGEDesc=Relatief pad van de beeldmedia. Je kunt dit leeg laten, omdat dit zelden wordt gebruikt (het kan door dynamische inhoud worden gebruikt om een miniatuur in een lijst met blogberichten weer te geven). Gebruik __WEBSITEKEY__ in het pad als pad afhankelijk is van de naam van de website. WEBSITE_KEYWORDS=Sleutelwoorden LinesToImport=Regels om te importeren diff --git a/htdocs/langs/nl_NL/projects.lang b/htdocs/langs/nl_NL/projects.lang index 920c501e950..28de65e7da8 100644 --- a/htdocs/langs/nl_NL/projects.lang +++ b/htdocs/langs/nl_NL/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Mijn projecten omgeving DurationEffective=Effectieve duur ProgressDeclared=Ingegeven voorgang TaskProgressSummary=Taakvoortgang -CurentlyOpenedTasks=Actueel geopende taken +CurentlyOpenedTasks=Momenteel openstaande taken TheReportedProgressIsLessThanTheCalculatedProgressionByX=De aangegeven voortgang is minder %s dan de berekende voortgang TheReportedProgressIsMoreThanTheCalculatedProgressionByX=De aangegeven voortgang is meer %s dan de berekende voortgang ProgressCalculated=Berekende voorgang @@ -249,9 +249,13 @@ TimeSpentForInvoice=Bestede tijd OneLinePerUser=Eén regel per gebruiker ServiceToUseOnLines=Service voor gebruik op lijnen InvoiceGeneratedFromTimeSpent=Factuur %s is gegenereerd op basis van de tijd besteed aan het project -ProjectBillTimeDescription=Controleer of u urenregistratie invoert voor taken van het project EN u van plan bent factuur (en) te genereren vanuit de urenstaat om de klant van het project te factureren (controleer niet of u een factuur wilt maken die niet is gebaseerd op ingevoerde urenstaten). +ProjectBillTimeDescription=Controleer of u urenstaat invoert voor taken van het project EN u van plan bent om facturen uit de urenstaat te genereren om de klant van het project te factureren (controleer niet of u een factuur wilt creëren die niet is gebaseerd op ingevoerde urenstaten). Opmerking: Om de factuur te genereren, gaat u naar het tabblad 'Bestede tijd' van het project en selecteert u de regels die u wilt opnemen. ProjectFollowOpportunity=Volg gelegenheid ProjectFollowTasks=Taken volgen UsageOpportunity=Gebruik: Kans UsageTasks=Gebruik: Taken UsageBillTimeShort=Gebruik: Factuurtijd +InvoiceToUse=Te gebruiken factuur +NewInvoice=Nieuwe factuur +OneLinePerTask=Eén regel per taak +OneLinePerPeriod=Eén regel per periode diff --git a/htdocs/langs/nl_NL/propal.lang b/htdocs/langs/nl_NL/propal.lang index 703017bab65..607503cd0f5 100644 --- a/htdocs/langs/nl_NL/propal.lang +++ b/htdocs/langs/nl_NL/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Toon offerte PropalsDraft=Concepten PropalsOpened=Open PropalStatusDraft=Concept (moet worden gevalideerd) -PropalStatusValidated=Goedgekeurd (offerte is geopend) +PropalStatusValidated=Gevalideerd (Offerte staat open) PropalStatusSigned=Ondertekend (te factureren) PropalStatusNotSigned=Niet ondertekend (gesloten) PropalStatusBilled=Gefactureerd @@ -76,8 +76,8 @@ TypeContact_propal_external_BILLING=Afnemersfactuurcontactpersoon TypeContact_propal_external_CUSTOMER=Afnemerscontactpersoon follow-up voorstel TypeContact_propal_external_SHIPPING=Klant contact voor levering # Document models -DocModelAzurDescription=Een compleet offertemodel (logo, etc) -DocModelCyanDescription=Een compleet offertemodel (logo, etc) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Standaard model aanmaken DefaultModelPropalToBill=Standaard sjabloon bij het sluiten van een zakelijk voorstel (te factureren) DefaultModelPropalClosed=Standaard sjabloon bij het sluiten van een zakelijk voorstel (nog te factureren) diff --git a/htdocs/langs/nl_NL/stocks.lang b/htdocs/langs/nl_NL/stocks.lang index ad1081f216b..ae5dd2271f3 100644 --- a/htdocs/langs/nl_NL/stocks.lang +++ b/htdocs/langs/nl_NL/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Verplaatsing of inventaris code IsInPackage=Vervat in pakket WarehouseAllowNegativeTransfer=Negatieve voorraad is mogelijk qtyToTranferIsNotEnough=Er is onvoldoende voorraad in uw magazijn en uw instellingen staan ​​geen negatieve voorraad toe. +qtyToTranferLotIsNotEnough=U hebt niet genoeg voorraad, voor dit partijnummer uit uw bronmagazijn. Uw installatie staat geen negatieve voorraden toe (aantal voor product '%s' met partij '%s' is %s in magazijn '%s'). ShowWarehouse=Toon magazijn MovementCorrectStock=Voorraad correctie product %s MovementTransferStock=Voorraad overdracht van het product %s in een ander magazijn @@ -192,6 +193,7 @@ TheoricalQty=Theoretisch aantal TheoricalValue=Theoretisch aantal LastPA=Laatste BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Echte aantal RealValue=Werkelijke waarde RegulatedQty=Gereguleerde aantal diff --git a/htdocs/langs/nl_NL/ticket.lang b/htdocs/langs/nl_NL/ticket.lang index 20faa029087..8c047d0b5f4 100644 --- a/htdocs/langs/nl_NL/ticket.lang +++ b/htdocs/langs/nl_NL/ticket.lang @@ -197,7 +197,7 @@ TicketGoIntoContactTab=Ga naar het tabblad "Contacten" om ze te selecteren TicketMessageMailIntro=Introductie TicketMessageMailIntroHelp=Deze tekst wordt alleen aan het begin van de e-mail toegevoegd en zal niet worden opgeslagen. TicketMessageMailIntroLabelAdmin=Inleiding tot het bericht bij het verzenden van e-mail -TicketMessageMailIntroText=Hallo,
Er is een nieuw antwoord verzonden op een ticket waarmee u contact hebt. Dit is het bericht:
+TicketMessageMailIntroText=Hallo,
Er is een nieuw antwoord verzonden op een ticket. Dit is het bericht:
TicketMessageMailIntroHelpAdmin=Deze tekst wordt ingevoegd vóór de tekst van het antwoord op een ticket. TicketMessageMailSignature=Handtekening TicketMessageMailSignatureHelp=Deze tekst wordt alleen aan het einde van de e-mail toegevoegd en wordt niet opgeslagen. diff --git a/htdocs/langs/nl_NL/website.lang b/htdocs/langs/nl_NL/website.lang index 0eb903d6c14..db088f76de5 100644 --- a/htdocs/langs/nl_NL/website.lang +++ b/htdocs/langs/nl_NL/website.lang @@ -56,7 +56,7 @@ NoPageYet=Nog geen pagina's YouCanCreatePageOrImportTemplate=U kunt een nieuwe pagina maken of een volledige websitesjabloon importeren SyntaxHelp=Help bij specifieke syntax-tips YouCanEditHtmlSourceckeditor=U kunt HTML-broncode bewerken met de knop "Bron" in de editor. -YouCanEditHtmlSource=
U kunt PHP-code in deze bron opnemen met behulp van tags <? Php?> . De volgende globale variabelen zijn beschikbaar: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs.

U kunt ook inhoud van een andere pagina / container met de volgende syntaxis opnemen:
<? php includeContainer ('alias_of_container_to_include'); ?>

U kunt een omleiding maken naar een andere pagina / container met de volgende syntaxis (Opmerking: voer geen inhoud uit vóór een omleiding):
<? php redirectToContainer ('alias_of_container_to_redirect_to'); ?>

Gebruik de syntaxis om een link naar een andere pagina toe te voegen:
<a href="alias_of_page_to_link_to.php"> mylink <a>

Gebruik de document.php wrapper om een link op te nemen om een bestand te downloaden dat is opgeslagen in de documentenmap :
Voor een bestand in documenten / ecm (moet worden vastgelegd) is de syntaxis:
<a href="/document.php?modulepart=ecm&file= cialisrelative_dir/Buchfilename.ext">
Voor een bestand in documenten / media (map openen voor openbare toegang) is syntaxis:
<a href="/document.php?modulepart=medias&file= cialisrelative_dir/Buchfilename.ext">
Voor een bestand dat wordt gedeeld met een deellink (open toegang met de gedeelde hash-sleutel van het bestand), is de syntaxis:
<a href="/document.php?hashp=publicsharekeyoffile">

Gebruik de viewimage.php wrapper om een afbeelding op te nemen die is opgeslagen in de documentenmap :
Voor een afbeelding in documenten / media (open directory voor openbare toegang) is de syntaxis:
<img src = "/ viewimage.php? modulepart = medias & file = [relative_dir /] bestandsnaam.ext">

Meer voorbeelden van HTML of dynamische code beschikbaar in de wikidocumentatie
. +YouCanEditHtmlSource=
U kunt PHP-code in deze bron opnemen met behulp van tags <? Php?> . De volgende globale variabelen zijn beschikbaar: $ conf, $ db, $ mysoc, $ user, $ website, $ websitepage, $ weblangs.

U kunt ook inhoud van een andere pagina / container met de volgende syntaxis opnemen:
<? php includeContainer ('alias_of_container_to_include'); ?>

U kunt een omleiding maken naar een andere pagina / container met de volgende syntaxis (Opmerking: voer geen inhoud uit vóór een omleiding):
<? php redirectToContainer ('alias_of_container_to_redirect_to'); ?>

Gebruik de syntaxis om een link naar een andere pagina toe te voegen:
<a href="alias_of_page_to_link_to.php"> mylink <a>

Gebruik de document.php wrapper om een link op te nemen om een bestand te downloaden dat is opgeslagen in de documentenmap :
Voor een bestand in documenten / ecm (moet worden vastgelegd) is de syntaxis:
<a href="/document.php?modulepart=ecm&file= cialisrelative_dir/Buchfilename.ext">
Voor een bestand in documenten / media (map openen voor openbare toegang) is syntaxis:
<a href="/document.php?modulepart=medias&file= cialisrelative_dir/Buchfilename.ext">
Voor een bestand dat wordt gedeeld met een deellink (open toegang met de gedeelde hash-sleutel van het bestand), is de syntaxis:
<a href="/document.php?hashp=publicsharekeyoffile">

Gebruik de viewimage.php wrapper om een afbeelding op te nemen die is opgeslagen in de documentenmap :
Voor een afbeelding in documenten / media (open directory voor openbare toegang) is de syntaxis:
<img src = ";/ viewimage.php? modulepart = medias & file = [relative_dir /] bestandsnaam.ext">

Meer voorbeelden van HTML of dynamische code beschikbaar in de wikidocumentatie
. ClonePage=Kloon pagina/container CloneSite=Klonen site SiteAdded=Website toegevoegd diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang index ab8bc48a898..ceb6fa560de 100644 --- a/htdocs/langs/pl_PL/admin.lang +++ b/htdocs/langs/pl_PL/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Faktury Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Dostawcy -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Edytory @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=Integracja PostNuke Module240Name=Eksport danych -Module240Desc=Narzędzie do eksportu danych w Dolibarr (z asystentami) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Import danych -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Członkowie Module310Desc=Zarządzanie członkami fundacji Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Uruchom masowy import danych zewnętrznych do bazy danych (wgrywa Permission1321=Eksport faktur klienta, atrybutów oraz płatności Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Czytaj działania (zdarzenia lub zadania) innych osób @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Zobacz lokalnej konfiguracji sendmaila BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=Wygenerowany plik zrzutu powinny być przechowywane w bezpiecznym miejscu. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=Import MySQL ForcedToByAModule= Ta zasada jest zmuszona do %s przez aktywowany modułu PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Należy uruchomić to polecenie z wiersza polecenia po zalogowaniu się do powłoki z %s użytkownika. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edycja pola% s FillThisOnlyIfRequired=Przykład: +2 (wypełnić tylko w przypadku strefy czasowej w stosunku problemy są doświadczeni) GetBarCode=Pobierz kod kreskowy +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Wróć hasło generowane zgodnie z wewnętrznym Dolibarr algorytmu: 8 znaków zawierających cyfry i znaki udostępniony w małe. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Firma Multi-Moduł konfiguracji ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Próg -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Instalacja zewnętrznych modułów za pomocą interfejsu sieciowego nie jest możliwa z powodu następujących przyczyn: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Instalacja zewnętrznych modułów z poziomu aplikacji została wyłączona przez administratora. Musisz poprosić go o usunięcie pliku %s aby włączyć odpowiednią funkcję. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/pl_PL/bills.lang b/htdocs/langs/pl_PL/bills.lang index f14428434d3..10f4e993dc2 100644 --- a/htdocs/langs/pl_PL/bills.lang +++ b/htdocs/langs/pl_PL/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dni PaymentCondition14D=14 dni PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Zmienna ilość (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Znaczek skarbowy YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Faktura Crabe modelu. Pełna faktura modelu (VAT Wsparcie opcji, rabaty, warunki płatności, logo, itp. ..) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Zwróć numer w formacie %srrmm-nnnn dla standardowych faktur i %srrmm-nnnn dla not kredytowych, gdzie rr oznacza rok, mm to miesiąc, a nnnn to kolejny niepowtarzalny numer rozpoczynający się od 0 diff --git a/htdocs/langs/pl_PL/categories.lang b/htdocs/langs/pl_PL/categories.lang index 10df5723d37..af879e299c5 100644 --- a/htdocs/langs/pl_PL/categories.lang +++ b/htdocs/langs/pl_PL/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Kontakt tagów / kategorii AccountsCategoriesShort=Tagi / kategorie kont ProjectsCategoriesShort=Tagi / kategorie projektów UsersCategoriesShort=Znaczniki/kategorie użytkowników +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Ta kategoria nie zawiera żadnych produktów. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Ta kategoria nie zawiera żadnych klientów. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Dodaj następujący produkt / usługę ShowCategory=Pokaż tag / kategoria ByDefaultInList=Domyśłnie na liście ChooseCategory=Wybrane kategorie +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/pl_PL/companies.lang b/htdocs/langs/pl_PL/companies.lang index 759f8d9c260..68d0f5cdc9c 100644 --- a/htdocs/langs/pl_PL/companies.lang +++ b/htdocs/langs/pl_PL/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Moje kontakty Capital=Kapitał CapitalOf=Kapitał %s EditCompany=Edycja firmy -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Sprawdź VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do?locale=pl @@ -406,6 +412,13 @@ AllocateCommercial=Przypisać do przedstawiciela Organization=Organizacja FiscalYearInformation=Fiscal Year FiscalMonthStart=Pierwszy miesiąc roku podatkowego +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=Żeby dodać powiadomienia email, najpierw musisz określić kontakty z ważnymi adresami email dla kontrahentów ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/pl_PL/compta.lang b/htdocs/langs/pl_PL/compta.lang index c32699a8a16..601a0312dd6 100644 --- a/htdocs/langs/pl_PL/compta.lang +++ b/htdocs/langs/pl_PL/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=Zakupy IRPF LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT zebrane -ToPay=Do zapłaty +StatusToPay=Do zapłaty SpecialExpensesArea=Obszar dla wszystkich specjalnych płatności SocialContribution=Opłata ZUS lub podatek SocialContributions=Opłaty ZUS lub podatki @@ -112,7 +112,7 @@ ShowVatPayment=Pokaż płatności za podatek VAT TotalToPay=Razem do zapłaty BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Kod księg. klienta SupplierAccountancyCodeShort=Kod rach. dost. AccountNumber=Numer konta @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Krótka etykieta diff --git a/htdocs/langs/pl_PL/errors.lang b/htdocs/langs/pl_PL/errors.lang index 51ae27ae3bd..767680e0d8a 100644 --- a/htdocs/langs/pl_PL/errors.lang +++ b/htdocs/langs/pl_PL/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Użytkownik %s nie został znaleziony. ErrorLoginHasNoEmail=Ten użytkownik nie ma adresu e-mail. Proces przerwany. ErrorBadValueForCode=Zła wartość kody zabezpieczeń. Wprowadź nową wartość... ErrorBothFieldCantBeNegative=Pola %s i %s nie może być zarówno negatywny -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Ilość linii do faktur dla klientów nie może być ujemna ErrorWebServerUserHasNotPermission=Konto użytkownika %s wykorzystywane do wykonywania serwer WWW nie ma zgody na który ErrorNoActivatedBarcode=Nie Typ aktywny kodów kreskowych @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=Hasło zostało ustawione dla tego użytkownika. Jednakże nie Konto użytkownika zostało utworzone. Więc to hasło jest przechowywane, ale nie mogą być używane do logowania do Dolibarr. Może być stosowany przez zewnętrzny moduł / interfejsu, ale jeśli nie trzeba definiować dowolną logowania ani hasła do członka, można wyłączyć opcję "Zarządzaj login dla każdego członka" od konfiguracji modułu użytkownika. Jeśli potrzebujesz zarządzać logowanie, ale nie wymagają hasła, możesz zachować to pole puste, aby uniknąć tego ostrzeżenia. Uwaga: E może być również stosowany jako login, jeśli element jest połączony do użytkownika. diff --git a/htdocs/langs/pl_PL/holiday.lang b/htdocs/langs/pl_PL/holiday.lang index 3542e94b28a..92e616a4a2f 100644 --- a/htdocs/langs/pl_PL/holiday.lang +++ b/htdocs/langs/pl_PL/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Liczba dni urlopu spożywane +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edytuj diff --git a/htdocs/langs/pl_PL/install.lang b/htdocs/langs/pl_PL/install.lang index 1b469247c9e..5c0903b8d43 100644 --- a/htdocs/langs/pl_PL/install.lang +++ b/htdocs/langs/pl_PL/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Maksymalna ilość pamięci sesji PHP ustawiona jest na %s. Powinno wystarczyć. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Twoja instalacja PHP nie wspiera Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Katalog %s nie istnieje. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Możliwe, że wprowadzono nieprawidłową wartość dla parametru '%s'. diff --git a/htdocs/langs/pl_PL/main.lang b/htdocs/langs/pl_PL/main.lang index edfbca7236e..976b074852d 100644 --- a/htdocs/langs/pl_PL/main.lang +++ b/htdocs/langs/pl_PL/main.lang @@ -471,7 +471,7 @@ TotalDuration=Łączny czas trwania Summary=Podsumowanie DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=Brak otwartego elementu do przetwarzania +NoOpenedElementToProcess=No open element to process Available=Dostępny NotYetAvailable=Nie są jeszcze dostępne NotAvailable=Niedostępne @@ -878,7 +878,7 @@ BulkActions=Masowe działania ClickToShowHelp=Kliknij, aby wyświetlić etykietę pomocy WebSite=Website WebSites=Strony internetowe -WebSiteAccounts=Website accounts +WebSiteAccounts=Konta witryny ExpenseReport=Raport kosztów ExpenseReports=Raporty kosztów HR=Dział personalny @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Kontrakt ContactDefault_facture=Faktura ContactDefault_fichinter=Interwencja ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Zadanie ContactDefault_propal=Oferta @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/pl_PL/modulebuilder.lang b/htdocs/langs/pl_PL/modulebuilder.lang index 2f1ee7f9fd9..b975ccc4484 100644 --- a/htdocs/langs/pl_PL/modulebuilder.lang +++ b/htdocs/langs/pl_PL/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/pl_PL/mrp.lang b/htdocs/langs/pl_PL/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/pl_PL/mrp.lang +++ b/htdocs/langs/pl_PL/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/pl_PL/orders.lang b/htdocs/langs/pl_PL/orders.lang index 26a288b0943..4705c1b057c 100644 --- a/htdocs/langs/pl_PL/orders.lang +++ b/htdocs/langs/pl_PL/orders.lang @@ -11,6 +11,7 @@ OrderDate=Data zamówienia OrderDateShort=Data zamówienia OrderToProcess=Zamówienia do przetworzenia NewOrder=Nowe zamówienie +NewOrderSupplier=New Purchase Order ToOrder=Stwórz zamówienie MakeOrder=Stwórz zamówienie SupplierOrder=Zamówienie @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Zamówienia do przetworzenia +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Anulowano StatusOrderDraftShort=Szkic StatusOrderValidatedShort=Zatwierdzone @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Dostarczone StatusOrderToBillShort=Dostarczone StatusOrderApprovedShort=Zatwierdzone StatusOrderRefusedShort=Odmowa -StatusOrderBilledShort=Rozliczone StatusOrderToProcessShort=Do przetworzenia StatusOrderReceivedPartiallyShort=Częściowo otrzymano StatusOrderReceivedAllShort=Produkty otrzymane @@ -50,7 +52,6 @@ StatusOrderProcessed=Przetworzone StatusOrderToBill=Dostarczone StatusOrderApproved=Przyjęto StatusOrderRefused=Odrzucono -StatusOrderBilled=Rozliczone StatusOrderReceivedPartially=Częściowo otrzymano StatusOrderReceivedAll=Wszystkie produkty otrzymane ShippingExist=Przesyłka istnieje @@ -68,8 +69,9 @@ ValidateOrder=Zatwierdź zamówienie UnvalidateOrder=Niezatwierdzone zamówienie DeleteOrder=Usuń zamówienie CancelOrder=Anuluj zamówienie -OrderReopened= Zamówienie %s ponownie otwarte +OrderReopened= Order %s re-open AddOrder=Stwórz zamówienie +AddPurchaseOrder=Create purchase order AddToDraftOrders=Dodaj do szkicu zamówienia ShowOrder=Pokaż zamówienie OrdersOpened=Zamówienia do przygotowania @@ -139,10 +141,10 @@ OrderByEMail=Adres e-mail OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Pełna kolejność modelu (logo. ..) -PDFEratostheneDescription=Pełna kolejność modelu (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Prosty model celu -PDFProformaDescription=Pełna faktura proforma (logo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Zamówienia na banknoty NoOrdersToInvoice=Brak zleceń rozliczanych CloseProcessedOrdersAutomatically=Sklasyfikować "przetwarzane" wszystkie wybrane zamówienia. @@ -152,7 +154,35 @@ OrderCreated=Twoje zamówienia zostały utworzone OrderFail=Podczas tworzenia zamówienia wystąpił błąd CreateOrders=Tworzenie zamówień ToBillSeveralOrderSelectCustomer=Aby utworzyć fakturę za kilka rzędów, kliknij pierwszy na klienta, a następnie wybrać "% 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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Zamknij zamówienie do "%s" automatycznie jeżeli wszystkie produkty są odebrane +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Anulowany +StatusSupplierOrderDraftShort=Projekt +StatusSupplierOrderValidatedShort=Zatwierdzony +StatusSupplierOrderSentShort=W przygotowaniu +StatusSupplierOrderSent=Wysyłka w trakcie +StatusSupplierOrderOnProcessShort=Zamówione +StatusSupplierOrderProcessedShort=Przetwarzany +StatusSupplierOrderDelivered=Dostarczone +StatusSupplierOrderDeliveredShort=Dostarczone +StatusSupplierOrderToBillShort=Dostarczone +StatusSupplierOrderApprovedShort=Przyjęto +StatusSupplierOrderRefusedShort=Odrzucony +StatusSupplierOrderToProcessShort=Do przetworzenia +StatusSupplierOrderReceivedPartiallyShort=Częściowo otrzymano +StatusSupplierOrderReceivedAllShort=Produkty otrzymane +StatusSupplierOrderCanceled=Anulowany +StatusSupplierOrderDraft=Projekt (do zatwierdzonia) +StatusSupplierOrderValidated=Zatwierdzony +StatusSupplierOrderOnProcess=Zamówione - odbiór czuwania +StatusSupplierOrderOnProcessWithValidation=Zamówione - odbiór lub walidacji czuwania +StatusSupplierOrderProcessed=Przetwarzany +StatusSupplierOrderToBill=Dostarczone +StatusSupplierOrderApproved=Przyjęto +StatusSupplierOrderRefused=Odrzucony +StatusSupplierOrderReceivedPartially=Częściowo otrzymano +StatusSupplierOrderReceivedAll=Wszystkie produkty otrzymane diff --git a/htdocs/langs/pl_PL/other.lang b/htdocs/langs/pl_PL/other.lang index 7fb0992c56a..02d2189d638 100644 --- a/htdocs/langs/pl_PL/other.lang +++ b/htdocs/langs/pl_PL/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Zarządzanie członkami fundacji DemoFundation2=Zarządzanie członkami i kontami bankowymi fundacji DemoCompanyServiceOnly=Firma lub freelancer sprzedający tylko swoje usługi DemoCompanyShopWithCashDesk=Zarządzanie sklepem z kasy -DemoCompanyProductAndStocks=Firma sprzedająca produkty w sklepie +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Firma z kilkoma aktywnościami (wszystkie główne moduły) CreatedBy=Utworzone przez %s ModifiedBy=Zmodyfikowane przez %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=Link strony WEBSITE_TITLE=Tytuł WEBSITE_DESCRIPTION=Opis WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Słowa kluczowe LinesToImport=Lines to import diff --git a/htdocs/langs/pl_PL/projects.lang b/htdocs/langs/pl_PL/projects.lang index 2f4c5d0fc20..aab0b604482 100644 --- a/htdocs/langs/pl_PL/projects.lang +++ b/htdocs/langs/pl_PL/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Obszar moich projektów DurationEffective=Efektywny czas trwania ProgressDeclared=Deklarowany postęp TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Obliczony postęp @@ -249,9 +249,13 @@ TimeSpentForInvoice=Czas spędzony OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Nowa faktura +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/pl_PL/propal.lang b/htdocs/langs/pl_PL/propal.lang index 08d5ab40b6b..980ae30bf5f 100644 --- a/htdocs/langs/pl_PL/propal.lang +++ b/htdocs/langs/pl_PL/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Pokaż oferty PropalsDraft=Szkice PropalsOpened=Otwarte PropalStatusDraft=Szkic (musi zostać zatwierdzony) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Zatwierdzona (oferta jest otwarta) PropalStatusSigned=Podpisano (do rachunku) PropalStatusNotSigned=Nie podpisały (zamknięte) PropalStatusBilled=zapowiadane @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Kontakt do klienta w sprawie faktury TypeContact_propal_external_CUSTOMER=kontakt klienta w ślad za wniosek TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Kompletny wniosek modelu (logo. ..) -DocModelCyanDescription=Kompletny wniosek modelu (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Domyślny model kreacji. DefaultModelPropalToBill=Domyślny szablon po zamknięciu wniosku biznesowego ( do zafakturowania) DefaultModelPropalClosed=Domyślny szablon po zamknięciu projektu biznesowego ( weryfikowane ) ProposalCustomerSignature=Wpisany akceptacji i pieczęć firmy, data i podpis ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/pl_PL/stocks.lang b/htdocs/langs/pl_PL/stocks.lang index 2f2d1a43ce5..98db8675c53 100644 --- a/htdocs/langs/pl_PL/stocks.lang +++ b/htdocs/langs/pl_PL/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Ruch lub kod inwentaryzacji IsInPackage=Zawarte w pakiecie WarehouseAllowNegativeTransfer=Zapas może być ujemny qtyToTranferIsNotEnough=Nie masz wystarczającego zapasu w magazynie źródłowym i twoje ustawienie nie pozwala na zapas ujemny. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Pokaż magazyn MovementCorrectStock=Korekta zapasu dla artykułu %s MovementTransferStock=Transferuj zapas artykułu %s do innego magazynu @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/pl_PL/website.lang b/htdocs/langs/pl_PL/website.lang index 7cc6329e2e4..aa68c53a50c 100644 --- a/htdocs/langs/pl_PL/website.lang +++ b/htdocs/langs/pl_PL/website.lang @@ -1,123 +1,123 @@ # Dolibarr language file - Source file is en_US - website Shortname=Kod -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. +WebsiteSetupDesc=Tu utwórz witryny, które chcesz użyć. Następnie, przejdź do menu Witryny, aby je edytować. DeleteWebsite=Skasuj stronę -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example +ConfirmDeleteWebsite=Czy na pewno zamierzasz usunąć tę witrynę? Wszystkie jej strony i zawartość również zostaną usunięte. Pozostawione zostaną wszelkie pliki dosłane (np. do katalogu mediów, moduł ECM, ...). +WEBSITE_TYPE_CONTAINER=Typ strony/pojemnika +WEBSITE_PAGE_EXAMPLE=Strona internetowa do użycia jako przykład WEBSITE_PAGENAME=Nazwa strony -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
alternativename1, alternativename2, ... +WEBSITE_ALIASALT=Alternatywne nazwy/aliasy strony +WEBSITE_ALIASALTDesc=Użyj tutaj listy innych nazw/aliasów, aby uzyskać dostęp do web strony za pomocą tych innych nazw/aliasów (na przykład: po zmianie nazwy/aliasu dostęp do web strony po starej nazwie/aliasie byłby niemożliwy. Taka lista temu zapobiega). Składnia jest następująca:
innanazwa1, innanazwa2, ... 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=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. +WEBSITE_CSS_INLINE=Zawartość pliku CSS (wspólna dla wszystkich stron) +WEBSITE_JS_INLINE=Zawartość pliku JavaScript (wspólna dla wszystkich stron) +WEBSITE_HTML_HEADER=Dodanie nagłówka HTML u dołu (wspólne dla wszystkich stron) +WEBSITE_ROBOT=Plik robota (robots.txt) +WEBSITE_HTACCESS=Plik .htaccess witryny +WEBSITE_MANIFEST_JSON=Plik manifest.json witryny +WEBSITE_README=Plik README.md +EnterHereLicenseInformation=Tu wprowadź metadane lub informacje licencyjne, które wypełnią plik README.md. Przy rozprowadzaniu Twej witryny jako szablonu, plik ten zostanie dołączony do pakietu tego szablonu. +HtmlHeaderPage=Nagłówek HTML (tylko dla tej strony) +PageNameAliasHelp=Nazwa lub alias strony.
Ten alias służy również do tworzenia adresu URL wspierającego SEO, gdy witrynę obsługuje web serwer (taki jak Apacke, Nginx, ...). Użyj przycisku „%s”, aby edytować ten alias. +EditTheWebSiteForACommonHeader=Uwaga: Jeśli chcesz zdefiniować nagłówek dla wszystkich stron, edytuj nagłówek na poziomie witryny zamiast na poziomie strony/pojemnika. MediaFiles=Biblioteka mediów -EditCss=Edit website properties +EditCss=Edytuj właściwości witryny EditMenu=Edytuj Menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container +EditMedias=Edytuj media +EditPageMeta=Edytuj właściwości strony/pojemnika +EditInLine=Edytuj w linii +AddWebsite=Dodaj witrynę +Webpage=Strona/pojemnik AddPage=Dodaj stronę HomePage=Strona główna -PageContainer=Page/container -PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added +PageContainer=Strona/pojemnik +PreviewOfSiteNotYetAvailable=Podgląd Twej witryny %s nie jest jeszcze dostępny. Użyj wpierw 'Załaduj szablon witryny' lub 'Dodaj stronę/pojemnik'. +RequestedPageHasNoContentYet=Żądana strona o identyfikatorze %s nie ma jeszcze treści lub plik pamięci podręcznej .tpl.php został usunięty. Edytuj zawartość strony, aby to rozwiązać. +SiteDeleted=Witryna '%s' usunięta +PageContent=Strona/pojemnik +PageDeleted=Strona/Pojemnik '%s' witryny %s usunięta/-y +PageAdded=Strona/pojemnik '%s' dodana/-y ViewSiteInNewTab=Zobacz stronę w nowej zakładce ViewPageInNewTab=Zobacz stronę w nowej zakładce SetAsHomePage=Ustaw jako stronę domową -RealURL=Prawdziwy link +RealURL=Prawdziwy adres URL ViewWebsiteInProduction=Zobacz stronę używając linków ze strony głównej -SetHereVirtualHost=Use with Apache/NGinx/...
If you can create, on your web server (Apache, Nginx, ...), a dedicated Virtual Host with PHP enabled and a Root directory on
%s
then set the name of the virtual host you have created in the properties of web site, so the preview can be done also using this dedicated web server access instead of the internal Dolibarr server. -YouCanAlsoTestWithPHPS=Use with PHP embedded server
On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
php -S 0.0.0.0:8080 -t %s -YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that virtual host has permission %s on files into
%s -ReadPerm=Czytać -WritePerm=Write -TestDeployOnWeb=Test/deploy on web -PreviewSiteServedByWebServer=Preview %s in a new tab.

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

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

To use your own external web server to serve this web site, create a virtual host on your web server that point on directory
%s
then enter the name of this virtual server and click on the other preview button. -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined +SetHereVirtualHost=Gdy Twój rzeczywisty web serwer to Apache/NGinx/...
Jeśli na Twym rzeczywistym web serwerze masz uprawnienia do tworzenia wirtualnego web serwera (Virtual Host), to utwórz go i odpowiednio skonfiguruj - np. włącz obsługę PHP, wskaż katalog Root na
%s
, ustaw kontrolę dostępu. Następnie, jego URL podaj w Dolibarr jako wartość właściwości Virtualhost witryny, przez co podgląd witryny będzie możliwy również poprzez ten dedykowany web serwerze, a nie tylko przez wewnętrzny web serwer w Dolibarr. +YouCanAlsoTestWithPHPS= Używaj z wbudowanym serwerem PHP
Gdy w środowisku rozwojowym preferujesz testowanie web strony z web serwerem wbudowanym w PHP (wymagane PHP 5.5 lub nowsze), to uruchamiaj
php -S 0.0.0.0:8080 -t %s +YouCanAlsoDeployToAnotherWHP=Uruchom swoją witrynę u innego dostawcy wystąpień Dolibarr
Jeśli nie masz dostępnego w internecie web serwera, takiego jak Apache lub NGinx, to możesz eksportować i importować swoją witrynę do innego wystąpienia Dolibarr u kogoś oferującego wystąpienia Dolibarr mające moduł Website w pełni zintegrowany z web serwerem. Listę niektórych dostawców wystąpień Dolibarr znajdziesz w https://saas.dolibarr.org +CheckVirtualHostPerms=Sprawdź także, czy host wirtualny ma uprawnienia %s do plików
%s +ReadPerm=Czytanie +WritePerm=Zapis +TestDeployOnWeb=Testuj/wdróż na web serwerze +PreviewSiteServedByWebServer=Podgląd %s w nowej zakładce.

%s będzie obsługiwana przez zewnętrzny web serwer (np. Apache, Nginx, IIS). Musisz zainstalować i skonfigurować taki web serwer, zanim wskazanie do katalogu:
%s
URL obsługiwany przez zewnętrzny web serwer:
%s +PreviewSiteServedByDolibarr=Podgląd %s w nowej zakładce.

%s będzie obsługiwany przez wewnętrzny - zawarty w Dolibarr - web serwer, przez co żaden dodatkowy web serwer nie musi być instalowany/używany.
Niedogodnością takiego rozwiązania są adresy URL stron web, które wtedy rozpoczynając się od ścieżki Twego wystąpienia Dolibarr są przez to nieprzyjazne użytkownikowi.
Adres URL obsługiwany przez Dolibarr:
%s

By do obsługi tej web witryny używać zewnętrznego - wobec Twego wystąpienia Dolibarr, ale jednak na tym samym komputerze - web serwera, to musi on działać i być skonfigurowany do obsługi katalogu
%s
jako swego katalogu głównego. Zatem, w swym lokalnym rzeczywistym web serwerze (jak Apache, Nginx, IIS) dla każdej swej web witryny utwórz i skonfiguruj wirtualny web serwer, po czym podaj jego nazwę i kliknij na inny przycisk do podglądu. +VirtualHostUrlNotDefined=Adres URL wirtualnego hosta obsługiwanego przez zewnętrzny web serwer nie został zdefiniowany NoPageYet=Brak stron -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. -YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs.

You can also include content of another Page/Container with the following syntax:
<?php includeContainer('alias_of_container_to_include'); ?>

You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

To add a link to another page, use the syntax:
<a href="alias_of_page_to_link_to.php">mylink<a>

To include a link to download a file stored into the documents directory, use the document.php wrapper:
Example, for a file into documents/ecm (need to be logged), syntax is:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
For a file shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">

To include an image stored into the documents directory, use the viewimage.php wrapper:
Example, for an image into documents/medias (open directory for public access), syntax is:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">

More examples of HTML or dynamic code available on the wiki documentation
. -ClonePage=Clone page/container +YouCanCreatePageOrImportTemplate=Możesz utworzyć nową stronę albo załadować pełny szablon witryny +SyntaxHelp=Pomoc na temat określonych wskazówek dotyczących składni +YouCanEditHtmlSourceckeditor=Możesz edytować kod źródłowy HTML używając przycisku „Źródło” w edytorze. +YouCanEditHtmlSource=
Możesz dołączyć kod PHP do tego źródła używając znaczników <?php ?>. Dostępne są następujące zmienne globalne: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs.

Możesz także dołączyć zawartość innej web strony/pojemnika o następującej składni:
<?php includeContainer('alias_of_container_to_include'); ?>

Można zrobić przekierowanie do innej web strony/pojemnika z następującą składnią (Uwaga: nie wyprowadzaj jakiejkolwiek zawartości przed przekierowaniem):
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

Aby dodać link do innej web strony użyj składni:
<a href="alias_of_page_to_link_to.php">mylink<a>

Aby umieścić odsyłacz do pobrania pliku przechowywanego w katalogu documents, użyj funkcji opakowującej document.php :
Na przykład, dla pliku w documents/ecm składnia to:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
Dla pliku w documents/medias (katalog otwarty na dostęp publiczny) składnia to:
<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">

By dołączyć obraz przechowywany w katalogu documents użyj funkcji opakowującej viewimage.php:
Na przykład, dla obrazu w documents/medias (katalog otwarty na dostęp publiczny) składnia to:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">

Więcej przykładów HTML lub kodu dynamicznego dostępnych jest wdokumentacji typu wiki
. +ClonePage=Powiel stronę/pojemnik CloneSite=Duplikuj stronę -SiteAdded=Website added -ConfirmClonePage=Please enter code/alias of new page and if it is a translation of the cloned page. -PageIsANewTranslation=The new page is a translation of the current page ? -LanguageMustNotBeSameThanClonedPage=You clone a page as a translation. The language of the new page must be different than language of source page. -ParentPageId=Parent page ID -WebsiteId=Website ID -CreateByFetchingExternalPage=Create page/container by fetching page from external URL... -OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page -Banner=Banner -BlogPost=Blog post -WebsiteAccount=Website account -WebsiteAccounts=Website accounts -AddWebsiteAccount=Create web site account -BackToListOfThirdParty=Back to list for Third Party -DisableSiteFirst=Disable website first -MyContainerTitle=My web site title -AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) -SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... -WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table -WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Enable the table to store web site accounts (login/pass) for each website / third party -YouMustDefineTheHomePage=You must first define the default Home page +SiteAdded=Dodano witrynę +ConfirmClonePage=Proszę wskazać kod/alias nowej web strony i czy jest to tłumaczenie powielonej web strony. +PageIsANewTranslation=Nowa strona jest tłumaczeniem bieżącej strony? +LanguageMustNotBeSameThanClonedPage=Powielasz stronę jako tłumaczenie. Język nowej strony musi być inny niż język strony źródłowej. +ParentPageId=ID strony nadrzędnej +WebsiteId=ID witryny +CreateByFetchingExternalPage=Utwórz stronę/pojemnik pobierając stronę z zewnętrznego adresu URL ... +OrEnterPageInfoManually=Lub utwórz stronę od zera lub z szablonu strony... +FetchAndCreate=Pobierz i utwórz +ExportSite=Eksportuj witrynę +ImportSite=Załaduj szablon witryny +IDOfPage=ID strony +Banner=Transparent +BlogPost=Post na blogu +WebsiteAccount=Konto witryny +WebsiteAccounts=Konta witryny +AddWebsiteAccount=Utwórz konto witryny +BackToListOfThirdParty=Wróć do listy Stron Trzecich +DisableSiteFirst=Najpierw wyłącz witrynę +MyContainerTitle=Tytuł mojej witryny +AnotherContainer=W ten sposób można dołączyć zawartość innej web strony/pojemnika (może pojawić się błąd, gdy włączysz obsługę kodu dynamicznego a wbudowany podrzędny pojemnik nie istnieje) +SorryWebsiteIsCurrentlyOffLine=Przepraszamy, ta witryna jest obecnie niedostępna. Proszę wrócić później... +WEBSITE_USE_WEBSITE_ACCOUNTS=Włącz tabelę kont witryny +WEBSITE_USE_WEBSITE_ACCOUNTSTooltip=Włącz tabelę kont witryny (login/hasło) dla każdej witryny/strony trzeciej +YouMustDefineTheHomePage=Najpierw musisz zdefiniować domyślną stronę główną OnlyEditionOfSourceForGrabbedContentFuture=Warning: Creating a web page by importing an external web page is reserved for experienced users. Depending on the complexity of source page, the result of importation may differ from the original. Also if the source page uses common CSS styles or conflicting javascript, it may break the look or features of the Website editor when working on this page. This method is a quicker way to create a page but it is recommended to create your new page from scratch or from a suggested page template.
Note also that edits of HTML source will be possible when page content has been initialized by grabbing it from an external page ("Online" editor will NOT be available) -OnlyEditionOfSourceForGrabbedContent=Only edition of HTML source is possible when content was grabbed from an external site -GrabImagesInto=Grab also images found into css and page. -ImagesShouldBeSavedInto=Images should be saved into directory -WebsiteRootOfImages=Root directory for website images -SubdirOfPage=Sub-directory dedicated to page -AliasPageAlreadyExists=Alias page %s already exists -CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// -ZipOfWebsitePackageToImport=Upload the Zip file of the website template package -ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Include dynamic content -InternalURLOfPage=Internal URL of page -ThisPageIsTranslationOf=This page/container is a translation of -ThisPageHasTranslationPages=This page/container has translation -NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to -DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

#mycssselector, input.myclass:hover { ... }
must be
.bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. +OnlyEditionOfSourceForGrabbedContent=Po zaciągnięciu zawartości z zewnętrznej web witryny możliwa jest jedynie edycja kodu źródłowego HTML +GrabImagesInto=Przechwyć także obrazy znalezione w CSS i na stronie. +ImagesShouldBeSavedInto=Obrazy powinny być zapisane w katalogu +WebsiteRootOfImages=Katalog główny dla obrazów witryny +SubdirOfPage=Podkatalog przeznaczony stronie +AliasPageAlreadyExists=Alias strony %s już istnieje +CorporateHomePage=Strona główna firmy +EmptyPage=Pusta strona +ExternalURLMustStartWithHttp=Zewnętrzny adres URL musi zaczynać się od http:// lub https:// +ZipOfWebsitePackageToImport=Prześlij plik Zip pakietu szablonu witryny +ZipOfWebsitePackageToLoad=lub Wybierz jakiś dostępny wbudowany pakiet szablonu web witryny +ShowSubcontainers=Uwzględnij zawartość dynamiczną +InternalURLOfPage=Wewnętrzny adres URL strony +ThisPageIsTranslationOf=Ta strona/pojemnik to tłumaczenie +ThisPageHasTranslationPages=Ta strona/pojemnik ma tłumaczenie +NoWebSiteCreateOneFirst=Nie utworzono jeszcze żadnej witryny. Utwórz pierwszą. +GoTo=Idź do +DynamicPHPCodeContainsAForbiddenInstruction=Dodajesz dynamiczny kod PHP zawierający instrukcję PHP '%s' co jest domyślnie zabronione (podejrzyj ukryte opcje WEBSITE_PHP_ALLOW_xxx w celu powiększenia listy dozwolonych poleceń). +NotAllowedToAddDynamicContent=Nie masz uprawnień do dodawania/edytowania kodu PHP w witrynie. Uzyskaj uprawnienia lub po prostu nie zmieniaj kodu PHP. +ReplaceWebsiteContent=Wyszukaj lub Zamień zawartość witryny +DeleteAlsoJs=Czy usunąć też wszelkie pliki JavaScript tej witryny? +DeleteAlsoMedias=Czy usunąć też wszelkie pliki mediów tej witryny? +MyWebsitePages=Strony mej witryny +SearchReplaceInto=Szukaj | Zamień na +ReplaceString=Nowy łańcuch +CSSContentTooltipHelp=Tu wprowadź kod CSS. W celu uniknięcia konfliktu tego kodu z kodem CSS aplikacji, każdą wprowadzoną tu deklarację poprzedź prefiksem .bodywebsite. Na przykład:

#mycssselector, input.myclass:hover { ... }
zamień na
.bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

Uwaga: Jeżeli masz duży plik z deklaracjami bez tego prefiksu, to możesz użyć 'lessc' do ich konwersji na nowe, poprzedzone prefiksem. LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters +Dynamiccontent=Próbka web strony z dynamiczną zawartością +ImportSite=Załaduj szablon witryny +EditInLineOnOff=Tryb „Edytuj w linii” jest %s +ShowSubContainersOnOff=Tryb wykonywania „zawartości dynamicznej” jest %s +GlobalCSSorJS=Globalny plik CSS/JS/Header witryny +BackToHomePage=Powrót do strony głównej... +TranslationLinks=Linki do tłumaczeń +YouTryToAccessToAFileThatIsNotAWebsitePage=Próbujesz uzyskać dostęp do strony, która nie jest stroną witryny +UseTextBetween5And70Chars=Aby uzyskać dobre praktyki SEO, użyj tekstu od 5 do 70 znaków diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang index 616767ea17d..1b3276ebd8d 100644 --- a/htdocs/langs/pt_BR/admin.lang +++ b/htdocs/langs/pt_BR/admin.lang @@ -352,6 +352,7 @@ DisplayCompanyManagers=Exibir nomes dos gerentes DisplayCompanyInfoAndManagers=Exibir o endereço da empresa e os nomes dos gerentes ModuleCompanyCodeSupplierAquarium=%s seguido pelo código do fornecedor para um código de contabilidade do fornecedor ModuleCompanyCodePanicum=Retornar um código contábil vazio +ModuleCompanyCodeDigitaria=Retorna um código contábil composto de acordo com nome de terceiros. O código consiste em um prefixo que pode ser definido na primeira posição, seguido pelo número de caracteres definidos no código de terceiros. Use3StepsApproval=Por padrão, os Pedidos de Compra necessitam ser criados e aprovados por 2 usuários diferentes (uma etapa para a criação e a outra etapa para a aprovação. Note que se o usuário possui ambas permissões para criar e aprovar, uma única etapa por usuário será suficiente). Você pode pedir, com esta opção, para introduzir uma terceira etapa para aprovação por outro usuário, se o montante for superior a um determinado valor (assim 3 etapas serão necessárias : 1=validação, 2=primeira aprovação e 3=segunda aprovação se o montante for suficiente).
Defina como vazio se uma aprovação (2 etapas) é suficiente, defina com um valor muito baixo (0.1) se uma segunda aprovação (3 etapas) é sempre exigida. UseDoubleApproval=Usar uma aprovação de 3 etapas quando o valor (sem taxa) é maior do que ... WarningPHPMail=AVISO: Muitas vezes, é melhor configurar e-mails enviados para usar o servidor de e-mail do seu provedor, em vez da configuração padrão. Alguns provedores de e-mail (como o Yahoo) não permitem que você envie um e-mail de outro servidor além do seu próprio servidor. Sua configuração atual usa o servidor do aplicativo para enviar e-mail e não o servidor do seu provedor de e-mail, então alguns destinatários (aquele compatível com o protocolo restritivo do DMARC) perguntarão ao seu provedor de e-mail se eles podem aceitar seu e-mail e alguns provedores de e-mail (como o Yahoo) pode responder "não" porque o servidor não é deles, portanto poucos dos seus e-mails enviados podem não ser aceitos (tome cuidado também com a cota de envio do seu provedor de e-mail).
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 inserir o servidor SMTP e as credenciais fornecidas pelo seu provedor de e-mail. @@ -387,7 +388,6 @@ Module23Desc=Monitoramento de Consumo de Energia Module25Name=Ordens de venda Module25Desc=Gerenciamento de pedidos de vendas Module40Name=Vendedores -Module40Desc=Fornecedores e gerenciamento de compras (pedidos e faturamento) Module42Name=Notas de depuração Module42Desc=Recursos de registro (arquivo, syslog, ...). Tais registros são para propósitos técnicos/debug. Module49Desc=Gestor de Editores @@ -418,9 +418,9 @@ Module105Name=Carteiro e SPIP Module105Desc=Carteiro ou Interface SPIP para Módulo MembroMailman or SPIP interface for member module Module200Desc=Sincronização de diretório LDAP Module240Name=Exportações de Dados -Module240Desc=Ferramenta para exportar dados do Dolibarr (com assistentes) +Module240Desc=Ferramenta para exportar dados Dolibarr (com assistência) Module250Name=Importação de Dados -Module250Desc=Ferramenta para importar dados para o Dolibarr (com assistentes) +Module250Desc=Ferramenta para importar dados para Dolibarr (com assistência) Module310Desc=Gestor de Associação de Membros Module320Desc=Adicionar um feed RSS às páginas do Dolibarr Module330Name=Marcadores e atalhos @@ -687,6 +687,8 @@ Permission1251=Rodar(run) Importações Massivas de Dados Externos para o Banco Permission1321=Exportar Faturas de Clientes, Atributos e Pagamentos Permission1322=Reabrir uma nota paga Permission1421=Exportar ordens de venda e atributos +Permission2402=Criar / modificar ações (eventos ou tarefas) vinculadas à sua conta de usuário (se for proprietário do evento) +Permission2403=Excluir ações (eventos ou tarefas) vinculadas à sua conta de usuário (se for proprietário do evento) Permission2411=Ler Ações (eventos ou tarefas) dos Outros Permission2412=Criar/Modificar Ações (eventos ou tarefas) dos Outros Permission2413=Excluir ações (eventos ou tarefas) dos outros @@ -724,6 +726,10 @@ Permission50401=Vincular produtos e faturas com contas contábeis Permission50411=Ler operações no livro de registros Permission50412=Gravar/ edirar operações no livro de registros Permission50414=Excluir operações no livro de registros +Permission50415=Excluir todas as operações por ano e livro razão +Permission50418=Operações de exportação do livro razão +Permission50420=Relatórios e relatórios para exportação (rotatividade, saldo, diários, livro razão) +Permission50430=Definir períodos fiscais. Validar transações e fechar períodos fiscais. Permission50440=Gerenciar plano de contas, configuração da contabilidade Permission51001=Ler ativos Permission51002=Criar / atualizar ativos @@ -834,6 +840,7 @@ CompanyTown=Município IDCountry=ID do país LogoDesc=Logotipo principal da empresa. Será usado em documentos gerados (PDF, ...) LogoSquarred=Logotipo (quadrado) +LogoSquarredDesc=Deve ser um ícone quadrado (largura = altura). Este logotipo será usado como o ícone favorito ou outra necessidade da barra de menus superior (se não estiver desativado na configuração do monitor). NoActiveBankAccountDefined=Nenhuma conta bancária ativa está definida BankModuleNotActive=O módulo de contas bancárias não está habilitado ShowBugTrackLink=Mostrar link "%s" @@ -884,6 +891,7 @@ TriggerAlwaysActive=Triggers neste arquivo está sempre ativo, não importando o TriggerActiveAsModuleActive=Triggers neste arquivo são ativos quando módulo %s está ativado. GeneratedPasswordDesc=Escolha o método a ser usado para senhas geradas automaticamente. DictionaryDesc=Inserir todos os dados de referência. Você pode adicionar seus valores ao padrão. +ConstDesc=Esta página permite editar (substituir) parâmetros não disponíveis em outras páginas. Estes são parâmetros reservados principalmente para desenvolvedores / solução de problemas avançados. MiscellaneousDesc=Todos os outros parâmetros relacionados com a segurança são definidos aqui. LimitsSetup=Configurações de Limites/Precisões MAIN_MAX_DECIMALS_UNIT=Max. decimais para preços unitários @@ -896,7 +904,6 @@ ParameterActiveForNextInputOnly=Parâmetro efetivo somente para a próxima entra NoEventOrNoAuditSetup=Nenhum evento de segurança foi registrado. Isso é normal se a Auditoria não tiver sido ativada na página "Configuração - Segurança - Eventos". SeeLocalSendMailSetup=Ver sua configuração local de envio de correspondência BackupDesc=Um backup completo de uma instalação do Dolibarr requer duas etapas. -BackupDesc2=Faça backup do conteúdo do diretório "documents" ( %s ) contendo todos os arquivos carregados e gerados. Isso também incluirá todos os arquivos de despejo gerados na Etapa 1. BackupDesc3=Faça backup da estrutura e do conteúdo do banco de dados ( %s ) em um arquivo de despejo. Para isso, você pode usar o assistente a seguir. BackupDescX=O diretório arquivado deve ser armazenado em um local seguro. BackupDescY=O arquivo de despeja gerado deverá ser armazenado em um local seguro. @@ -906,6 +913,7 @@ RestoreDesc3=Restaure a estrutura do banco de dados e os dados de um arquivo de RestoreMySQL=Importar MySQL ForcedToByAModule=Essa Regra é forçada para %s by um módulo ativado PreviousDumpFiles=Arquivos de backup existentes +PreviousArchiveFiles=Arquivos existentes WeekStartOnDay=Primeiro dia da semana RunningUpdateProcessMayBeRequired=A execução do processo de atualização parece ser necessária (a versão do programa %s é diferente da versão do banco de dados %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Você deve rodar esse comando na linha de comando (CLI) depois de logar no shell com o usuário %s ou você deve adicionar a opção -W no final da linha de comando para fornecer a senha %s. @@ -960,6 +968,7 @@ PreloadOPCode=O OPCode pré-carregado está em uso AddRefInList=Mostrar ref. Cliente / fornecedor lista de informações (lista de seleção ou caixa de combinação) e a maior parte do hiperlink.
Terceiros aparecerão com um formato de nome "CC12345 - SC45678 - Empresa X." em vez de "Empresa X.". AddAdressInList=Exibir lista de informações de endereço do cliente / fornecedor (lista de seleção ou caixa de combinação)
Terceiros aparecerão com um formato de nome de "Empresa X. - Rua tal, n°:21, sala: 123456, Cidade/Estado - Brasil" em vez de "Empresa X". FillThisOnlyIfRequired=Exemplo: +2 (Preencha somente se compensar o problema do timezone é experiente) +NumberingModules=Modelos de numeração PasswordGenerationStandard=Retorna uma senha gerara de acordo com o algorítimo interno do Dolibarr: 8 caracteres contendo números e letras em letras minusculas. PasswordGenerationPerso=Retornar uma senha de acordo com a configuração definida para a sua personalidade. PasswordPatternDesc=Descrição do padrão de senha @@ -1217,6 +1226,7 @@ FCKeditorForProductDetails=WYSIWIG criação / edição de produtos detalha linh FCKeditorForMailing=Criação/edição do WYSIWIG nos E-Mails massivos (ferramentas->emailing) FCKeditorForUserSignature=criação/edição do WYSIWIG nas assinaturas de usuários FCKeditorForMail=Criação/Edição WYSIWIG para todos os e-mails (exceto Ferramentas->eMailing) +FCKeditorForTicket=Criação / edição WYSIWIG para tickets StockSetup=Configuração do módulo de estoque MenuDeleted=Menu Deletado NotTopTreeMenuPersonalized=Menus personalizados não conectados à uma entrada do menu superior @@ -1293,6 +1303,7 @@ ChequeReceiptsNumberingModule=Verificar módulo de numeração de recibos MultiCompanySetup=Configurações do módulo multi-empresas SuppliersSetup=Configuração do módulo de fornecedor SuppliersInvoiceNumberingModel=Modelos de numeração de faturas de fornecedores +IfSetToYesDontForgetPermission=Se definido como um valor não nulo, não se esqueça de fornecer permissões a grupos ou usuários com permissão para a segunda aprovação GeoIPMaxmindSetup=Configurações do módulo GeoIP Maxmind NoteOnPathLocation=Nota que seu ip para o arquivo de dados do país deve estar dentro do diretório do seu PHP que possa ser lido (Verifique a configuração do seu PHP open_basedir e o sistema de permissões). YouCanDownloadFreeDatFileTo=Você pode baixar uma Versão demo do arquivo Maxmind GeoIP do seu país no %s. @@ -1326,9 +1337,11 @@ ExpenseReportNumberingModules=Módulo de numeração dos relatórios de despesas NoModueToManageStockIncrease=Nenhum módulo disponível foi ativado para gerenciar o aumento automático do estoque. O aumento do estoque será feito apenas de forma manual. YouMayFindNotificationsFeaturesIntoModuleNotification=Você pode encontrar opções para notificações por e-mail ativando e configurando o módulo "Notificação" ListOfNotificationsPerUser=Lista de notificações automáticas por usuário +ListOfNotificationsPerUserOrContact=Lista de possíveis notificações automáticas (no evento de negócios) disponíveis por usuário * ou por contato ** ListOfFixedNotifications=Lista de notificações fixas automáticas -GoOntoContactCardToAddMore=Ir para a aba "Notificações" de um terceiro para adicionar ou remover as notificações para contatos/endereços -BackupDumpWizard=Assistente para criar o arquivo de backup +GoOntoContactCardToAddMore=Vá para guia "Notificações" de terceiros para adicionar ou remover notificações de contatos / endereços +BackupDumpWizard=Assistente para criar arquivo de backup do banco de dados +BackupZipWizard=Assistente para criar arquivo do diretório de documentos SomethingMakeInstallFromWebNotPossible=A instalação do módulo externo não é possível a partir da interface web pelo seguinte motivo: SomethingMakeInstallFromWebNotPossible2=Por esse motivo, o processo de atualização descrito aqui é um processo manual que somente um usuário privilegiado pode executar. InstallModuleFromWebHasBeenDisabledByFile=A instalação do módulo externo do aplicativo foi desabilitada pelo seu Administrador. Você deve pedir que ele remova o arquivo %s para permitir esta funcionalidade. @@ -1401,6 +1414,7 @@ NothingToSetup=Não há configuração específica necessária para este módulo SetToYesIfGroupIsComputationOfOtherGroups=Defina isto como yes se este grupo for um cálculo de outros grupos SeveralLangugeVariatFound=Várias variantes de idioma encontradas RemoveSpecialChars=Remover caracteres especiais +COMPANY_DIGITARIA_CLEAN_REGEX=Filtro Regex para valor limpo (COMPANY_DIGITARIA_CLEAN_REGEX) COMPANY_DIGITARIA_UNIQUE_CODE=Duplicação não permitida GDPRContactDesc=Se você armazenar dados sobre empresas / cidadãos europeus, poderá nomear o contato responsável pelo regulamento geral de proteção de dados aqui HelpOnTooltipDesc=Coloque texto ou uma chave de conversão aqui para o texto ser exibido em uma dica de ferramenta quando esse campo aparecer em um formulário @@ -1464,10 +1478,16 @@ SmallerThan=Menor que LargerThan=Maior que IfTrackingIDFoundEventWillBeLinked=Observe que, se um ID de rastreamento for encontrado no e-mail recebido, o evento será automaticamente vinculado aos objetos relacionados. WithGMailYouCanCreateADedicatedPassword=Com uma conta do GMail, se você ativou a validação de 2 etapas, é recomendável criar uma segunda senha dedicada para o aplicativo, em vez de usar sua própria senha da conta em https://myaccount.google.com/. +EmailCollectorTargetDir=Pode ser um comportamento desejado mover o e-mail para outra tag / diretório quando o mesmo foi processado com êxito. Basta definir um valor aqui para usar este recurso. Observe que você também deve usar uma conta de logon de leitura / gravação. +EndPointFor=Ponto final para %s : %s DeleteEmailCollector=Excluir coletor de e-mail ConfirmDeleteEmailCollector=Tem certeza de que deseja excluir este coletor de e-mail? RecipientEmailsWillBeReplacedWithThisValue=Os e-mails dos destinatários sempre serão substituídos por este valor AtLeastOneDefaultBankAccountMandatory=Pelo menos uma (01) conta bancária padrão deve ser definida +RESTRICT_API_ON_IP=Permitir APIs disponíveis apenas para algum IP do host (curinga não permitido, use espaço entre valores). Vazio significa que todos os hosts podem usar as APIs disponíveis. +RESTRICT_ON_IP=Permitir acesso apenas a alguns IPs do host (curinga não permitido, use espaço entre valores). Vazio significa que todos os hosts podem acessar. BaseOnSabeDavVersion=Com base na versão da biblioteca SabreDAV NotAPublicIp=Não é um IP público +MakeAnonymousPing=Faça um ping anônimo '+1' no servidor de base Dolibarr (feito apenas uma vez após a instalação) para permitir que a base conte o número de instalações do Dolibarr. +FeatureNotAvailableWithReceptionModule=Recurso não disponível quando a recepção do módulo está ativada EmailTemplate=Modelo para e-mail diff --git a/htdocs/langs/pt_BR/agenda.lang b/htdocs/langs/pt_BR/agenda.lang index d1b41d9e6e1..9eb2efd346c 100644 --- a/htdocs/langs/pt_BR/agenda.lang +++ b/htdocs/langs/pt_BR/agenda.lang @@ -41,7 +41,7 @@ MemberSubscriptionModifiedInDolibarr=Modificada %s inscrição para %smembro MemberSubscriptionDeletedInDolibarr=Deletada inscrição %spara membro %s ShipmentValidatedInDolibarr=Envio %s validado ShipmentClassifyClosedInDolibarr=Expedição%s classificado(s) e faturado(s) -ShipmentUnClassifyCloseddInDolibarr=Expedição%s classificado(s) reaberto(s) +ShipmentUnClassifyCloseddInDolibarr=Remessa %s classificada como reaberta ShipmentBackToDraftInDolibarr=Embarque %s voltou à situação rascunho ShipmentDeletedInDolibarr=Envio %s cancelado OrderCreatedInDolibarr=Pedido %s criado diff --git a/htdocs/langs/pt_BR/bills.lang b/htdocs/langs/pt_BR/bills.lang index 22441867a2b..41d6530f8a9 100644 --- a/htdocs/langs/pt_BR/bills.lang +++ b/htdocs/langs/pt_BR/bills.lang @@ -279,7 +279,6 @@ PaymentCondition60DENDMONTH=Dentro de 60 dias após o fim do mês PaymentConditionShortPT_DELIVERY=Na entrega PaymentConditionPT_ORDER=No pedido PaymentConditionPT_5050=50%% adiantado e 50%% na entrega -FixAmount=Quantia fixa VarAmount=Variavel valor (%% total) PaymentTypePRE=Pedido com pagamento em Débito direto PaymentTypeShortPRE=Pedido com pagamento por débito @@ -346,7 +345,6 @@ RevenueStamp=Selo de receita YouMustCreateInvoiceFromThird=Esta opção só está disponível ao criar uma fatura na guia "Cliente" de terceiros YouMustCreateInvoiceFromSupplierThird=Essa opção só está disponível ao criar uma fatura na guia "Fornecedor" de terceiros YouMustCreateStandardInvoiceFirstDesc=Você deve criar antes uma fatura padrão e convertê-la em um "tema" para criar um novo tema de fatura -PDFCrabeDescription=Template PDF de fatura Caranguejo. Um completo template de fatura (template recomendado) PDFCrevetteDescription=Tema Crevette para fatura em PDF. Um tema completo para a situação das faturas TerreNumRefModelDesc1=Retorna número com formato %syymm-nnnn para padrão de faturas e %syymm-nnnn para notas de crédito onde yy é ano, mm é mês e nnnn é uma sequência numérica sem quebra e sem retorno para 0 MarsNumRefModelDesc1=Número de retorno com o formato %syymm-nnnn para faturas padrão, %syymm-nnnn para faturas de substituição, %syymm-nnnn para faturas de adiantamento e %syymm-nnnn para notas de crédito onde yy é ano, mm é mês e nnnn é uma seqüência sem interrupção e não retornar para 0 diff --git a/htdocs/langs/pt_BR/boxes.lang b/htdocs/langs/pt_BR/boxes.lang index a3fe792caa0..6d8c6cb4ea8 100644 --- a/htdocs/langs/pt_BR/boxes.lang +++ b/htdocs/langs/pt_BR/boxes.lang @@ -75,7 +75,10 @@ BoxTitleUserBirthdaysOfMonth=Aniversários deste mês (usuários) BoxLastManualEntries=Últimas entradas manuais em contabilidade BoxTitleLastManualEntries=%s últimas entradas manuais NoRecordedManualEntries=Nenhuma entrada manual registrada na contabilidade +BoxSuspenseAccount=Operação de contabilidade com conta suspensa BoxTitleSuspenseAccount=Número de linhas não alocadas +NumberOfLinesInSuspenseAccount=Número de linha na conta suspensa SuspenseAccountNotDefined=A conta suspensa não está definida BoxLastCustomerShipments=Últimos envios de clientes +BoxTitleLastCustomerShipments=%s remessas de clientes mais recentes NoRecordedShipments=Nenhuma remessa de cliente registrada diff --git a/htdocs/langs/pt_BR/cashdesk.lang b/htdocs/langs/pt_BR/cashdesk.lang index 1108dbc3aa5..7af01359574 100644 --- a/htdocs/langs/pt_BR/cashdesk.lang +++ b/htdocs/langs/pt_BR/cashdesk.lang @@ -53,3 +53,5 @@ InvoiceIsAlreadyValidated=A fatura já está validada NoLinesToBill=Nenhuma linha para cobrança CustomReceipt=Recibo personalizado ReceiptName=Nome do recibo +ProductSupplements=Suplementos ao produto +SupplementCategory=Categoria de suplemento diff --git a/htdocs/langs/pt_BR/categories.lang b/htdocs/langs/pt_BR/categories.lang index 3ef0b06e498..4d6beb8961b 100644 --- a/htdocs/langs/pt_BR/categories.lang +++ b/htdocs/langs/pt_BR/categories.lang @@ -57,6 +57,7 @@ ContactCategoriesShort=Contatos tags / categorias AccountsCategoriesShort=Tags/categorias Contas ProjectsCategoriesShort=Projetos tags/categorias UsersCategoriesShort=Tags / categorias de usuários +StockCategoriesShort=Tags / categorias de armazém ThisCategoryHasNoProduct=Esta categoria não contém nenhum produto. ThisCategoryHasNoSupplier=Esta categoria não contém nenhum fornecedor ThisCategoryHasNoCustomer=Esta categoria não contém a nenhum cliente. @@ -80,3 +81,5 @@ CategorieRecursivHelp=Se a opção estiver ativada, quando você adicionar um pr AddProductServiceIntoCategory=Adicione o seguinte produto / serviço ShowCategory=Mostrar tag / categoria ChooseCategory=Escolher categoria +StocksCategoriesArea=Área categorias de armazéns +UseOrOperatorForCategories=Use operador para categorias diff --git a/htdocs/langs/pt_BR/companies.lang b/htdocs/langs/pt_BR/companies.lang index f481d34b7e1..e60767cde2c 100644 --- a/htdocs/langs/pt_BR/companies.lang +++ b/htdocs/langs/pt_BR/companies.lang @@ -179,7 +179,7 @@ NewContactAddress=Novo contato / endereço MyContacts=Meus contatos CapitalOf=Capital de %s EditCompany=Editar empresa -ThisUserIsNot=O usuário não é um possível cliente, cliente, nem fornecedor +ThisUserIsNot=Este usuário não é um cliente em potencial, cliente ou fornecedor VATIntraCheckDesc=O ID do IVA deve incluir o prefixo do país. O link %s usa o serviço europeu de verificação de IVA (VIES), que requer acesso à Internet do servidor Dolibarr. VATIntraCheckableOnEUSite=Verifique o ID do IVA intracomunitário no site da Comissão Europeia ErrorVATCheckMS_UNAVAILABLE=Verificação não é possível. Verifique o serviço não é necessário por um membro de estado (%s). diff --git a/htdocs/langs/pt_BR/errors.lang b/htdocs/langs/pt_BR/errors.lang index 55dde5f8a7c..b3188611618 100644 --- a/htdocs/langs/pt_BR/errors.lang +++ b/htdocs/langs/pt_BR/errors.lang @@ -93,7 +93,6 @@ ErrorLoginDoesNotExists=Não existe um usuário com login %s. ErrorLoginHasNoEmail=Este usuário não tem endereço de e-mail. Processo abortado. ErrorBadValueForCode=Valor inadequado para código de segurança. Tente novamente com um novo valor... ErrorBothFieldCantBeNegative=Os campos %s e %s não podem ser ambos negativos -ErrorFieldCantBeNegativeOnInvoice=O campo %s não pode ser negativo neste tipo de fatura. Se você quiser adicionar uma linha de desconto, basta criar o desconto primeiro com o link %s na tela e aplicá-lo à fatura. Você também pode solicitar que seu administrador defina a opção FACTURE_ENABLE_NEGATIVE_LINES como 1 para permitir o comportamento antigo. ErrorQtyForCustomerInvoiceCantBeNegative=A quantidade nas linhas das notas de clientes não pode ser negativa ErrorWebServerUserHasNotPermission=A conta de usuário %s usada para executar o servidor web não possui permissão para isto ErrorNoActivatedBarcode=Nenhum tipo de código de barras foi ativado @@ -142,6 +141,13 @@ ErrorBadSyntaxForParamKeyForContent=Má sintaxe para o parâmetro keyforcontent ErrorVariableKeyForContentMustBeSet=Erro, a constante com nome %s (com conteúdo de texto para mostrar) ou %s (com URL externo para mostrar) deve ser definida. ErrorURLMustStartWithHttp=O URL %s deve começar com http:// ou https:// ErrorNewRefIsAlreadyUsed=Erro, a nova referência já está sendo usada +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Erro, não é possível excluir o pagamento vinculado a uma fatura fechada. +ErrorSearchCriteriaTooSmall=Critérios de pesquisa muito pequenos. +ErrorObjectMustHaveStatusActiveToBeDisabled=Os objetos devem ter o status 'Ativo' para serem desativados +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Os objetos devem ter o status 'Rascunho' ou 'Desativado' para serem ativados +ErrorFieldRequiredForProduct=O campo '%s' é obrigatório para o produto %s +ProblemIsInSetupOfTerminal=Problema na configuração do terminal %s. +ErrorAddAtLeastOneLineFirst=Adicione pelo menos uma linha primeiro WarningPasswordSetWithNoAccount=A senha foi definida para esse membro. No entanto, nenhuma conta de usuário foi criada. Portanto, esta senha é armazenada, mas não pode ser usado para acessar Dolibarr. Ele pode ser usado por um módulo / interface externa, mas se você não precisa definir qualquer login nem palavra-passe para um membro, você pode desabilitar a opção "Gerenciar um login para cada membro" da configuração do módulo-Membro. Se você precisa para gerenciar um login, mas não precisa de qualquer senha, você pode manter este campo em branco para evitar este aviso. Nota: E-mail pode também ser utilizado como uma entre o membro se está ligado a um utilizador. WarningMandatorySetupNotComplete=Clique aqui para configurar os parâmetros obrigatórios WarningEnableYourModulesApplications=Clique aqui para ativar seus módulos e aplicativos @@ -160,3 +166,4 @@ WarningTooManyDataPleaseUseMoreFilters=Dados em demasia (mais de %s linhas). Por WarningSomeLinesWithNullHourlyRate=Algumas vezes foram registrados por alguns usuários enquanto sua taxa por hora não foi definida. Um valor de 0 %s por hora foi usado, mas isto pode resultar em uma valoração errada do tempo gasto. WarningYourLoginWasModifiedPleaseLogin=O seu login foi modificado. Por questões de segurança, você terá de autenticar-se com o seu novo login antes da próxima ação. WarningProjectClosed=O projeto está fechado. Você deve reabri-lo primeiro. +WarningSomeBankTransactionByChequeWereRemovedAfter=Algumas transações bancárias foram removidas após geração do recebimento, incluindo elas. Portanto, o número de cheques e o total de recebimento podem diferir do número e do total na lista. diff --git a/htdocs/langs/pt_BR/exports.lang b/htdocs/langs/pt_BR/exports.lang index 672030f9aa2..4b838bbd606 100644 --- a/htdocs/langs/pt_BR/exports.lang +++ b/htdocs/langs/pt_BR/exports.lang @@ -3,6 +3,7 @@ ImportableDatas=Conjunto de dados que podem ser importados SelectExportDataSet=Escolha um conjunto predefinido de dados que deseja exportar... SelectImportDataSet=Escolha um conjunto predefinido de dados que deseja importar... NotImportedFields=Os campos de arquivo de origem não importado +ExportModelSaved=Exportar perfil salvo como %s . ImportModelName=Nome do perfil de importação DatasetToImport=Conjunto de dados a importar FormatedImportDesc1=Este módulo permite atualizar dados existentes ou adicionar novos objetos ao banco de dados a partir de um arquivo sem conhecimento técnico, usando um assistente. @@ -54,7 +55,7 @@ ExportStringFilter=Permite substituir um ou mais caracteres no texto ExportDateFilter=YYYY, YYYYMM, YYYYMMDD: filtra por um ano/mês/dia
YYYY + YYYY, YYYYMM + YYYYMM, YYYYMMDD + YYYYMMDD: filtros ao longo de um intervalo de anos/meses/dias
> YYYY, > YYYYMM, > YYYYMMDD: filtros em todos os anos / meses / dias seguintes
< YYYY, < YYYYMM, < YYYYMMDD: filtros em todos os anos / meses / dias anteriores ExportNumericFilter=filtros NNNNN por um valor
filtros NNNNN+NNNNN acima de uma faixa de valores
< filtros NNNNN por valores mais baixos
> filtros NNNNN por valores mais elevados ImportFromLine=Importar iniciando da linha número -ImportFromToLine=Limite de alcance (De - Para) por exemplo. omitir linha(s) de cabeçalho +ImportFromToLine=Intervalo de limite (de - até). Por exemplo. omitir linhas de cabeçalho. SetThisValueTo2ToExcludeFirstLine=Por exemplo, defina esse valor como 3 para excluir as 2 primeiras linhas.
Se as linhas de cabeçalho NÃO forem omitidas, isso resultará em vários erros na simulação de importação. KeepEmptyToGoToEndOfFile=Mantenha este campo vazio para processar todas as linhas até o final do arquivo. SelectPrimaryColumnsForUpdateAttempt=Selecione coluna(s) para usar como chave primária para uma importação de UPDATE diff --git a/htdocs/langs/pt_BR/holiday.lang b/htdocs/langs/pt_BR/holiday.lang index c48d8072ce1..d5f49deb0a9 100644 --- a/htdocs/langs/pt_BR/holiday.lang +++ b/htdocs/langs/pt_BR/holiday.lang @@ -25,6 +25,8 @@ TitreRequestCP=Solicitação de licença TypeOfLeaveCode=Tipo de licença TypeOfLeaveLabel=Tipo de etiqueta de licença NbUseDaysCP=Número de dias de folga consumidos +NbUseDaysCPHelp=O cálculo leva em consideração os dias não úteis e os feriados definidos no dicionário. +DayIsANonWorkingDay=%s é um dia não útil DeleteCP=Excluir TitleDeleteCP=Excluir a solicitação de licença ConfirmDeleteCP=Confirmar a eliminação da solicitação de licença? diff --git a/htdocs/langs/pt_BR/main.lang b/htdocs/langs/pt_BR/main.lang index e2ed7524db1..9449e674725 100644 --- a/htdocs/langs/pt_BR/main.lang +++ b/htdocs/langs/pt_BR/main.lang @@ -270,6 +270,7 @@ RemoveFilter=Eliminar filtro GeneratedOn=Gerado a %s DolibarrStateBoard=Estatísticas do banco de dados DolibarrWorkBoard=Itens abertos +NoOpenedElementToProcess=Nenhum elemento aberto para processar Available=Disponivel NotYetAvailable=Ainda não disponível NotAvailable=Não disponível @@ -363,6 +364,7 @@ FieldsWithIsForPublic=Os campos com %s são exibidos na lista pública AccordingToGeoIPDatabase=(de acordo com a conversão GeoIP) NotSupported=Não suportado RequiredField=Campo obrigatorio +ValidateBefore=O item deve ser validado antes de usar este recurso Totalizable=Totalizável TotalizableDesc=Este campo é totalizável na lista Hidden=Escondido @@ -522,7 +524,8 @@ NoArticlesFoundForTheCategory=Sem artigos encontrados para a categoria ToAcceptRefuse=Para Aceitar | Recusar ContactDefault_commande=Pedido ContactDefault_invoice_supplier=Fatura do Fornecedor -ContactDefault_order_supplier=Pedido do Fornecedor +ContactDefault_order_supplier=Ordem de Compra ContactDefault_propal=Proposta ContactDefault_supplier_proposal=Proposta do Fornecedor ContactAddedAutomatically=Contato adicionado a partir de informações de terceiros +More=Mais diff --git a/htdocs/langs/pt_BR/mrp.lang b/htdocs/langs/pt_BR/mrp.lang index 409923e39c1..3e9b85900cd 100644 --- a/htdocs/langs/pt_BR/mrp.lang +++ b/htdocs/langs/pt_BR/mrp.lang @@ -6,6 +6,7 @@ MRPArea=Area MRP MrpSetupPage=Configuração do módulo MRP MenuBOM=Lista de materiais LatestBOMModified=Última BOM modificada %s +LatestMOModified=%s pedidos de manufatura mais recentes modificados Bom=Contas de material BillOfMaterials=Lista de materiais BOMsSetup=Configuração do módulo BOM @@ -30,11 +31,31 @@ NewMO=Nova ordem de fabricação QtyToProduce=Qtd. para produzir DateStartPlannedMo=Data início planejada DateEndPlannedMo=Data final planejada +KeepEmptyForAsap=Vazio significa "o mais breve possível" EstimatedDuration=Duração estimada EstimatedDurationDesc=Duração estimada para fabricar este produto usando esta lista técnica +ConfirmCloseBom=Tem certeza de que deseja cancelar esta lista técnica (você não poderá mais usá-la para criar novas ordens de fabricação)? +ConfirmReopenBom=Tem certeza de que deseja reabrir esta lista técnica (você poderá usá-la para criar novas ordens de fabricação) StatusMOProduced=Produzido QtyFrozen=Qtd. congelada QuantityFrozen=Quantidade congelada +QuantityConsumedInvariable=Quando esse sinalizador é definido, a quantidade consumida é sempre o valor definido e não é relativa à quantidade produzida. +DisableStockChange=Alteração de estoque desativada +DisableStockChangeHelp=Quando esse sinalizador é definido, não há alteração de estoque neste produto, seja qual for a quantidade consumida +BomAndBomLines=Listas de materiais e linhas +BOMLine=Linha de BOM WarehouseForProduction=Armazém para fabricação CreateMO=Criar MO +ToConsume=Consumir +ToProduce=Produzir +QtyAlreadyConsumed=Quant. consumida +QtyAlreadyProduced=Quant. produzida +ConsumeOrProduce=Consumir ou Produzir +ConsumeAndProduceAll=Consumir e produzir todos +Manufactured=Fabricado TheProductXIsAlreadyTheProductToProduce=O produto a ser adicionado já é o produto a ser produzido. +ConfirmValidateMo=Tem certeza de que deseja validar esta ordem de fabricação? +ConfirmProductionDesc=Ao clicar em '%s', você validará o consumo e / ou produção para as quantidades definidas. Isso também atualizará o estoque e registrará movimentos de estoque. +ProductionForRef=Produção de %s +AutoCloseMO=Fechar automaticamente a ordem de fabricação se forem atingidas quantidades para consumir e produzir +NoStockChangeOnServices=Nenhuma alteração de estoque em serviços diff --git a/htdocs/langs/pt_BR/orders.lang b/htdocs/langs/pt_BR/orders.lang index 104d03282c7..83771107fae 100644 --- a/htdocs/langs/pt_BR/orders.lang +++ b/htdocs/langs/pt_BR/orders.lang @@ -10,6 +10,7 @@ OrderLine=Linha de Comando OrderDateShort=Data do pedido OrderToProcess=Pedido a processar NewOrder=Novo Pedido +NewOrderSupplier=Novo Pedido de Compra ToOrder=Realizar Pedido MakeOrder=Realizar Pedido SuppliersOrdersRunning=Pedidos de compra atuais @@ -22,6 +23,8 @@ OrdersToBill=Ordens de vendas entregues OrdersInProcess=Pedidos de venda em andamento OrdersToProcess=Ordens de vendas para processar SuppliersOrdersToProcess=Pedidos de compra para processar +SuppliersOrdersAwaitingReception=Ordens de compra aguardando recepção +AwaitingReception=Aguardando recepção StatusOrderSent=Entrega encaminhada StatusOrderOnProcessShort=Pedido StatusOrderToProcessShort=A processar @@ -48,8 +51,9 @@ ValidateOrder=Confirmar o Pedido UnvalidateOrder=Desaprovar pedido DeleteOrder=Eliminar o pedido CancelOrder=Anular o Pedido -OrderReopened=Pedido %s Reaberto +OrderReopened=Pedido %s reaberto AddOrder=Criar ordem +AddPurchaseOrder=Criar pedido AddToDraftOrders=Adicionar a projeto de pedido ShowOrder=Mostrar Pedido OrdersOpened=Pedidos a processar @@ -107,10 +111,7 @@ TypeContact_order_supplier_external_SHIPPING=Contato de remessa do fornecedor TypeContact_order_supplier_external_CUSTOMER=Ordem de acompanhamento de contato do fornecedor Error_OrderNotChecked=Nenhum pedido seleçionado para se faturar OrderByEMail=E-mail -PDFEinsteinDescription=Modelo de pedido completo (logo...) -PDFEratostheneDescription=Modelo de pedido completo (logo...) PDFEdisonDescription=O modelo simplificado do pedido -PDFProformaDescription=A proforma fatura completa (logomarca...) CreateInvoiceForThisCustomer=Faturar pedidos NoOrdersToInvoice=Nenhum pedido faturavel CloseProcessedOrdersAutomatically=Classificar como "processados" todos os pedidos selecionados. @@ -120,5 +121,21 @@ OrderCreated=Seus pedidos foram criados OrderFail=Um erro ocorreu durante a criação de seus pedidos CreateOrders=Criar pedidos ToBillSeveralOrderSelectCustomer=Para criar uma nota fiscal para várias encomendas, clique primeiro no cliente, em seguida, escolha "%s". +OptionToSetOrderBilledNotEnabled=A opção do módulo "Fluxo de Trabalho", para definir pedido como 'Faturado' automaticamente quando a fatura é validada, não está ativada; Portanto, defina o status dos pedidos para 'Faturado' manualmente após geração da fatura. IfValidateInvoiceIsNoOrderStayUnbilled=Se a validação da fatura for 'Não', a ordem permanecerá no status 'Não faturado' até que a fatura seja validada. +CloseReceivedSupplierOrdersAutomatically=Feche o pedido para o status "%s" automaticamente se todos os produtos forem recebidos. SetShippingMode=Definir modo de envio +WithReceptionFinished=Com recepção finalizada +StatusSupplierOrderCanceledShort=Cancelada +StatusSupplierOrderDraftShort=Minuta +StatusSupplierOrderSentShort=Em andamento +StatusSupplierOrderSent=Entrega encaminhada +StatusSupplierOrderOnProcessShort=Pedido +StatusSupplierOrderToProcessShort=A processar +StatusSupplierOrderReceivedPartiallyShort=Recebido Parcialmente +StatusSupplierOrderCanceled=Cancelada +StatusSupplierOrderDraft=Minuta (requer confirmação) +StatusSupplierOrderOnProcess=Pedido - Aguardando Recebimento +StatusSupplierOrderOnProcessWithValidation=Ordenada - recepção Standby ou validação +StatusSupplierOrderReceivedPartially=Recebido Parcialmente +StatusSupplierOrderReceivedAll=Todos os produtos recebidos diff --git a/htdocs/langs/pt_BR/other.lang b/htdocs/langs/pt_BR/other.lang index 17c78abc4dc..434fd4bde09 100644 --- a/htdocs/langs/pt_BR/other.lang +++ b/htdocs/langs/pt_BR/other.lang @@ -68,7 +68,6 @@ DemoFundation=Administração de Membros de uma associação DemoFundation2=Administração de Membros e tesouraria de uma associação DemoCompanyServiceOnly=Venda de servico somente para Empresa ou Freelance DemoCompanyShopWithCashDesk=Administração de uma loja com Caixa -DemoCompanyProductAndStocks=Empresa vendendo produtos com a loja DemoCompanyAll=Empresa com multiplas atividades (todos os principais modulos) ClosedBy=Encerrado por %s CreatedById=Id usuario que criou @@ -165,7 +164,6 @@ LibraryUsed=Biblioteca usada ExportableDatas=dados exportáveis NoExportableData=não existe dados exportáveis (sem módulos com dados exportáveis gastodos, necessitam de permissões) WebsiteSetup=Configuração do módulo website -WEBSITE_IMAGEDesc=Caminho relativo da mídia de imagem. Você pode mantê-lo vazio, pois isso raramente é usado (ele pode ser usado pelo conteúdo dinâmico para mostrar uma visualização de uma lista de postagens do blog). LinesToImport=Linhas para importar MemoryUsage=Uso de memória RequestDuration=Duração do pedido diff --git a/htdocs/langs/pt_BR/products.lang b/htdocs/langs/pt_BR/products.lang index 0beaa035c72..9bb27c28df9 100644 --- a/htdocs/langs/pt_BR/products.lang +++ b/htdocs/langs/pt_BR/products.lang @@ -108,6 +108,7 @@ ShortLabel=Etiqueta curta set=conjunto se=conjunto meter=medidor +unitT=t ProductCodeModel=Modelo de ref. de produto ServiceCodeModel=Modelo de ref. de serviço AlwaysUseNewPrice=Usar sempre preço atual do produto/serviço @@ -117,6 +118,7 @@ PriceByQuantityRange=Intervalo de quantidade MultipriceRules=Regras de preços por segmento PercentVariationOver=%% variação sobre %s PercentDiscountOver=%% disconto sobre %s +VariantRefExample=Exemplos: COR, TAMANHO VariantLabelExample=Exemplos: Cor, Tamanho ProductsMultiPrice=Produtos e preços de cada segmento ProductsOrServiceMultiPrice=Preços de Clientes (de produtos ou serviços, multi-preços) diff --git a/htdocs/langs/pt_BR/projects.lang b/htdocs/langs/pt_BR/projects.lang index 0e22f1da168..ccb427b1c44 100644 --- a/htdocs/langs/pt_BR/projects.lang +++ b/htdocs/langs/pt_BR/projects.lang @@ -32,6 +32,9 @@ NbOfTasks=N°. de tarefas TimeSpent=Dispêndio de tempo TimeSpentByUser=Tempo gasto por usuário TimesSpent=Dispêndio de tempo +TaskId=ID da tarefa +RefTask=Tarefa ref. +LabelTask=Rótulo tarefa TaskTimeSpent=Dispêndio de tempo com tarefas TaskTimeUser=Usuário NewTimeSpent=Dispêndio de tempo @@ -45,8 +48,11 @@ Activities=Tarefas/atividades MyActivities=Minhas Tarefas/Atividades MyProjectsArea=Minha Área de projetos ProgressDeclared=o progresso declarado +TaskProgressSummary=Progresso tarefa +CurentlyOpenedTasks=Tarefas atualmente abertas ProgressCalculated=calculado do progresso GoToListOfTimeConsumed=Ir para a lista de dispêndios de tempo +GoToListOfTasks=Exibir como lista ListOrdersAssociatedProject=Lista de pedidos de vendas relacionadas ao projeto ListSupplierOrdersAssociatedProject=Lista de ordens de compra relacionadas ao projeto ListSupplierInvoicesAssociatedProject=Lista de faturas do fornec. relacionadas ao projeto @@ -131,4 +137,3 @@ TimeSpentForInvoice=Dispêndio de tempo OneLinePerUser=Uma linha por usuário ServiceToUseOnLines=Serviço para usar em linhas InvoiceGeneratedFromTimeSpent=Fatura %s foi gerada a partir do tempo gasto no projeto -ProjectBillTimeDescription=Verifique se você inseriu o quadro de horários nas tarefas do projeto E planeja gerar fatura(s) do quadro de horários para faturar o cliente do projeto (não verifique se planeja criar fatura que não seja baseada em quadros de horas inseridos). diff --git a/htdocs/langs/pt_BR/propal.lang b/htdocs/langs/pt_BR/propal.lang index 85ae18405e8..7ebc052ea98 100644 --- a/htdocs/langs/pt_BR/propal.lang +++ b/htdocs/langs/pt_BR/propal.lang @@ -16,12 +16,11 @@ AllPropals=Todos Os Orçamentos SearchAProposal=Procurar um Orçamento NoProposal=Sem propostas ProposalsStatistics=Estatísticas de Orçamentos -AmountOfProposalsByMonthHT=Valor por mês (sem Imposto) +AmountOfProposalsByMonthHT=Valor por mês (sem imposto) NbOfProposals=Número Orçamentos ShowPropal=Ver Orçamento PropalsOpened=Aberto PropalStatusDraft=Rascunho (a Confirmar) -PropalStatusValidated=Validado (a proposta esta em aberto) PropalStatusSigned=Assinado (A Faturar) PropalStatusNotSigned=Sem Assinar (Encerrado) PropalStatusValidatedShort=Validado (aberto) @@ -56,10 +55,9 @@ TypeContact_propal_internal_SALESREPFOLL=Representante seguindo a proposta TypeContact_propal_external_BILLING=Contato da fatura cliente TypeContact_propal_external_CUSTOMER=Contato cliente seguindo a proposta TypeContact_propal_external_SHIPPING=Contato do cliente para entrega -DocModelAzurDescription=Modelo de orçamento completo (logo...) -DocModelCyanDescription=Modelo de orçamento completo (logo...) DefaultModelPropalCreate=Criaçao modelo padrao DefaultModelPropalToBill=Modelo padrao no fechamento da proposta comercial ( a se faturar) DefaultModelPropalClosed=Modelo padrao no fechamento da proposta comercial (nao faturada) ProposalCustomerSignature=Aceite por escrito, carimbo da empresa, data e assinatura ProposalsStatisticsSuppliers=Estatísticas de propostas de fornecedores +CaseFollowedBy=Caso seguido por diff --git a/htdocs/langs/pt_BR/stocks.lang b/htdocs/langs/pt_BR/stocks.lang index a5c62d1785b..f4611cd42ed 100644 --- a/htdocs/langs/pt_BR/stocks.lang +++ b/htdocs/langs/pt_BR/stocks.lang @@ -96,6 +96,7 @@ MovementLabel=Rótulo de movimentação InventoryCode=Código da movimentação ou do inventário IsInPackage=Contido em pacote WarehouseAllowNegativeTransfer=O estoque pode ser negativo +qtyToTranferLotIsNotEnough=Você não tem estoque suficiente, para este número de lote, em seu armazém de origem e sua configuração não permite estoques negativos (quantidade para o produto '%s' com lote '%s' é %s no armazém '%s'). MovementCorrectStock=Da correção para o produto %s MovementTransferStock=Da transferência de produto %s em um outro armazém InventoryCodeShort=Código mov./inv. @@ -119,3 +120,4 @@ StockSupportServicesDesc=Por padrão, você pode estocar somente produtos do tip InventoryForASpecificWarehouse=Inventário para um armazém específico InventoryForASpecificProduct=Inventário para um produto específico StockIsRequiredToChooseWhichLotToUse=É necessário estoque para escolher qual lote usar +ForceTo=Forçar a diff --git a/htdocs/langs/pt_BR/supplier_proposal.lang b/htdocs/langs/pt_BR/supplier_proposal.lang index 48358a9496e..32b020535af 100644 --- a/htdocs/langs/pt_BR/supplier_proposal.lang +++ b/htdocs/langs/pt_BR/supplier_proposal.lang @@ -31,7 +31,7 @@ SupplierProposalStatusDraftShort=Minuta SupplierProposalStatusClosedShort=Encerrada SupplierProposalStatusSignedShort=Aceita SupplierProposalStatusNotSignedShort=Recusada -CopyAskFrom=Criar uma solicitação de preço copiando uma solicitação existente +CopyAskFrom=Criar solicitação de preço, copiando uma solicitação existente CreateEmptyAsk=Criar solicitação em branco ConfirmCloneAsk=Você tem certeza que deseja clonar a solicitação de preço %s? ConfirmReOpenAsk=Você tem certeza que deseja abrir novamente a solicitação de preço %s? diff --git a/htdocs/langs/pt_BR/ticket.lang b/htdocs/langs/pt_BR/ticket.lang index cdc78939ff2..e212daf4ff0 100644 --- a/htdocs/langs/pt_BR/ticket.lang +++ b/htdocs/langs/pt_BR/ticket.lang @@ -101,10 +101,12 @@ TicketLogMesgReadBy=Tíquete %s lido por %s TicketLogAssignedTo=Tíquete %s assinalado para %s TicketLogPropertyChanged=Tíquete %s modificado : Classificação passou de %s para %s TicketLogClosedBy=íquete %s encerrado por %s -TicketLogReopen=Tíquete %s re-aberto +TicketLogReopen=Ticket %s reaberto TicketSystem=Ticket System ShowListTicketWithTrackId=Exibir lista de bilhetes do ID da faixa YourTicketSuccessfullySaved=O ticket foi salvo com sucesso! +MesgInfosPublicTicketCreatedWithTrackId=Um novo ticket foi criado com ID %s e Ref. %s. +TicketNewEmailSubject=Confirmação de criação de ticket - Ref %s TicketNewEmailBody=Este é um e-mail automático para confirmar que você registrou um novo ticket. TicketNewEmailBodyCustomer=Este é um e-mail automático para confirmar que um novo ticket acaba de ser criado na sua conta. TicketNewEmailBodyInfosTrackId=Número de acompanhamento do tíquete : %s @@ -115,6 +117,7 @@ ErrorTicketNotFound=Tíquete com número %s não encontrado ViewTicket=Visualizar passagem ViewMyTicketList=Ver minha lista de bilhetes ErrorEmailMustExistToCreateTicket=Erro : Endereço de e-mail não encontrado em nosso banco de dados +TicketNewEmailSubjectAdmin=Novo ticket criado - Ref %s TicketNewEmailBodyAdmin=

O ticket acabou de ser criado com a ID #%s, consulte as informações:

TicketPublicInterfaceForbidden=A interface pública dos tickets não foi ativada ErrorEmailOrTrackingInvalid=Valor ruim para o ID ou o e-mail de rastreamento diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang index 1ec1f1cbfcc..b095deb0b70 100644 --- a/htdocs/langs/pt_PT/admin.lang +++ b/htdocs/langs/pt_PT/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Faturas Module30Desc=Gerenciamento de notas fiscais e notas de crédito para clientes. Gerenciamento de notas fiscais e notas de crédito para fornecedores Module40Name=Fornecedores -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Registos Debug Module42Desc=Funções de registo de eventos (ficheiro, registo do sistema, ...). Tais registos, são para fins técnicos/depuração. Module49Name=Editores @@ -561,9 +561,9 @@ Module200Desc=Sincronização da diretoria LDAP Module210Name=PostNuke Module210Desc=Integração com PostNuke Module240Name=Exportações de dados -Module240Desc=Ferramenta para exportação dos dados do Dolibarr +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Importação de dados -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Membros Module310Desc=Gestão de membros de uma fundação Module320Name=Feed RSS @@ -878,7 +878,7 @@ Permission1251=Executar importações em massa de dados externos para a bases de Permission1321=Exportar faturas, atributos e cobranças de clientes Permission1322=Reabrir uma fatura paga Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Consultar ações (eventos ou tarefas) de outros @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=Nenhum evento de segurança foi encontrado para este critério de pesquisa. SeeLocalSendMailSetup=Verifique a configuração local de sendmail BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=A cópia de segurança gerada deve ser armazenada num local seguro. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=Importação MySQL ForcedToByAModule= Esta regra é forçada a a %s, por um módulo ativo PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Deve executar este comando a partir de uma linha de comandos depois de iniciar a sessão, na linha de comandos, com o utilizador %s ou deve adicionar a opção -W no fim da linha de comando para indicar a palavra-passe %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Peça o método de envio preferido para terceiros. FieldEdition=Edição do campo %s FillThisOnlyIfRequired=Exemplo: +2 (para preencher apenas se existir problemas de desvios de fuso horário) GetBarCode=Obter código de barras +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Devolve uma palavra-passe gerada pelo algoritmo interno Dolibarr: 8 caracteres no mínimo, contendo números e letras minúsculas. PasswordGenerationNone=Não sugira uma senha gerada. A senha deve ser digitada manualmente. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Configuração do módulo "Multi-empresa" ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Modelo completo do pedido de compra (logotipo ...) -SuppliersInvoiceModel=Modelo completo de fatura de fornecedor (logotipo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Vá até a guia "Notificações" de um usuário para adicionar ou remover notificações para usuários -GoOntoContactCardToAddMore=Vá ao separador "Notificações" de um terceiro para adicionar ou remover as notificações de contactos/endereços +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Limite -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Instalação do módulo externo não é possível a partir da interface web pelo seguinte motivo: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. 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. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/pt_PT/bills.lang b/htdocs/langs/pt_PT/bills.lang index 3430473a1bf..7c299e0ffc4 100644 --- a/htdocs/langs/pt_PT/bills.lang +++ b/htdocs/langs/pt_PT/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dias PaymentCondition14D=14 dias PaymentConditionShort14DENDMONTH=14 dias do final do mês PaymentCondition14DENDMONTH=Dentro de 14 dias após o final do mês -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Quantidade variável (%% total.) VarAmountOneLine=Quantidade variável (%% tot.) - 1 linha com o rótulo '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Selo fiscal YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=Você precisa criar uma fatura padrão primeiro e convertê-la em "modelo" para criar uma nova fatura modelo -PDFCrabeDescription=Modelo de fatura PDF Crabe. Um modelo completo de fatura (modelo recomendado) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Modelo PDF da fatura Esponja. Um modelo de fatura completo PDFCrevetteDescription=Modelo PDF da fatura Crevette. Um modelo de fatura completo para faturas de situação TerreNumRefModelDesc1=Devolve o número com o formato %syymm-nnnn para facturas standard e %syymm-nnnn para notas de crédito em que yy é ano, mm é mês e nnnn é uma sequência sem pausa e sem retorno a 0 diff --git a/htdocs/langs/pt_PT/categories.lang b/htdocs/langs/pt_PT/categories.lang index 225af9afa1c..94efa736300 100644 --- a/htdocs/langs/pt_PT/categories.lang +++ b/htdocs/langs/pt_PT/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Etiquetas/Catego. de Contactos AccountsCategoriesShort=Etiquetas/Categorias de contas ProjectsCategoriesShort=Etiquetas/Categorias de projetos UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Esta categoria não contem nenhum produto. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Esta categoria não contem a nenhum cliente. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Adicioanr o produto/serviço seguinte ShowCategory=Mostrar etiqueta/categoria ByDefaultInList=Por predefinição na lista ChooseCategory=Escolha a categoria +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/pt_PT/companies.lang b/htdocs/langs/pt_PT/companies.lang index e61e35ecb58..f858136653d 100644 --- a/htdocs/langs/pt_PT/companies.lang +++ b/htdocs/langs/pt_PT/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=ID Prof. 1 (OGRN) ProfId2RU=ID Prof. 2 (INN) ProfId3RU=ID Prof. 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Os Meus Contactos Capital=Capital CapitalOf=Capital Social de %s EditCompany=Modificar Empresa -ThisUserIsNot=Este utilizador não é um potencial cliente, cliente nem fornecedor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Verificar VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Atribuído a representante de vendas Organization=Organismo FiscalYearInformation=Ano fiscal FiscalMonthStart=Mês de Inicio do Exercício +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Você deve criar um email para esse usuário antes de poder adicionar uma notificação por email. YouMustCreateContactFirst=Para adicionar a funcionalidade de notificações por e-mail, você deve definir contactos com e-mails válidos para o terceiro. ListSuppliersShort=Lista de Fornecedores diff --git a/htdocs/langs/pt_PT/compta.lang b/htdocs/langs/pt_PT/compta.lang index 1605882ed6d..3a29e054498 100644 --- a/htdocs/langs/pt_PT/compta.lang +++ b/htdocs/langs/pt_PT/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=Compras IRPF LT2CustomerIN=Vendas do SGST LT2SupplierIN=Compras do SGST VATCollected=IVA Recuperado -ToPay=A pagar +StatusToPay=A pagar SpecialExpensesArea=Área para todos os pagamentos especiais SocialContribution=Imposto social ou fiscal SocialContributions=Impostos sociais ou fiscais @@ -112,7 +112,7 @@ ShowVatPayment=Ver Pagamentos IVA TotalToPay=Total a Pagar BalanceVisibilityDependsOnSortAndFilters=O saldo é visível nesta lista apenas se a tabela estiver classificada como ascendente no %s e filtrada para uma conta bancária CustomerAccountancyCode=Código de contabilidade do cliente -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. conta. código SupplierAccountancyCodeShort=Sup. conta. código AccountNumber=Número de conta @@ -254,3 +254,4 @@ ByVatRate=Por taxa de imposto de venda TurnoverbyVatrate=Volume de negócios faturado por taxa de imposto sobre vendas TurnoverCollectedbyVatrate=Volume de negócios cobrado pela taxa de imposto sobre vendas PurchasebyVatrate=Compra por taxa de imposto sobre vendas +LabelToShow=Short label diff --git a/htdocs/langs/pt_PT/errors.lang b/htdocs/langs/pt_PT/errors.lang index 05a33d9ba6f..1da0be88b84 100644 --- a/htdocs/langs/pt_PT/errors.lang +++ b/htdocs/langs/pt_PT/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=a conta de utilizador de %s não foi encontrado. ErrorLoginHasNoEmail=Este utilizador não tem e-mail. impossivel continuar. ErrorBadValueForCode=Valor incorreto para o código de segurança. Tente novamente com um novo valor... ErrorBothFieldCantBeNegative=Campos %s %s e não pode ser tanto negativo -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=A quantidade de linha nas faturas do cliente não pode ser negativa ErrorWebServerUserHasNotPermission=Conta de usuário utilizada para executar %s servidor web não tem permissão para que ErrorNoActivatedBarcode=Nenhum tipo de código de barras ativado @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=Uma senha foi definida para este membro. No entanto, nenhuma conta de usuário foi criada. Portanto, essa senha é armazenada, mas não pode ser usada para fazer login no Dolibarr. Pode ser usado por um módulo externo / interface, mas se você não precisa definir nenhum login nem senha para um membro, você pode desativar a opção "Gerenciar um login para cada membro" da configuração do módulo de membro. Se você precisar gerenciar um login, mas não precisar de nenhuma senha, poderá manter esse campo vazio para evitar esse aviso. Nota: O email também pode ser usado como um login se o membro estiver vinculado a um usuário. diff --git a/htdocs/langs/pt_PT/holiday.lang b/htdocs/langs/pt_PT/holiday.lang index 64624114be9..0d56632330b 100644 --- a/htdocs/langs/pt_PT/holiday.lang +++ b/htdocs/langs/pt_PT/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Tipo de ID de licença TypeOfLeaveCode=Tipo de licença (código) TypeOfLeaveLabel=Tipo de licença (nome) NbUseDaysCP=Número de dias de férias consumidos +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Dias consumidos NbUseDaysCPShortInMonth=Dias consumidos no mês +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Data de início no mês DateEndInMonth=Data final no mês EditCP=Editar diff --git a/htdocs/langs/pt_PT/install.lang b/htdocs/langs/pt_PT/install.lang index 112874952cc..275fd048fc6 100644 --- a/htdocs/langs/pt_PT/install.lang +++ b/htdocs/langs/pt_PT/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Este PHP suporta o Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=Este PHP suporta funções UTF8. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=A sua memória máxima da sessão PHP está definida para %s. Isto deverá ser suficiente. PHPMemoryTooLow=Sua memória de sessão do PHP max está configurada para %s bytes. Isso é muito baixo. Altere seu php.ini para definir o parâmetro memory_limit para pelo menos %s bytes. Recheck=Clique aqui para um teste mais detalhado @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=A sua instalação PHP não suporta Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Sua instalação do PHP não suporta funções UTF8. Dolibarr não pode funcionar corretamente. Resolva isso antes de instalar o Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=A diretoria %s não existe. ErrorGoBackAndCorrectParameters=Volte e verifique / corrija os parâmetros. ErrorWrongValueForParameter=Pode ter inserido um valor incorreto para o parâmetro ' %s'. diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang index de32abe3ff5..ae404b19a0e 100644 --- a/htdocs/langs/pt_PT/main.lang +++ b/htdocs/langs/pt_PT/main.lang @@ -471,7 +471,7 @@ TotalDuration=Duração total Summary=Resumo DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=Nenhum elemento aberto para processar +NoOpenedElementToProcess=No open element to process Available=Disponível NotYetAvailable=Ainda não disponivel NotAvailable=Não disponivel @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contrato ContactDefault_facture=Fatura ContactDefault_fichinter=Intervenção ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projeto ContactDefault_project_task=Tarefa ContactDefault_propal=Orçamento @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/pt_PT/modulebuilder.lang b/htdocs/langs/pt_PT/modulebuilder.lang index afbe2b3fdea..bd33fe6a97c 100644 --- a/htdocs/langs/pt_PT/modulebuilder.lang +++ b/htdocs/langs/pt_PT/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=Lista de permissões definidas SeeExamples=Veja exemplos aqui EnabledDesc=Condição para ter este campo ativo (Exemplos: 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=O valor do campo pode ser acumulado para obter um total na lista? (Exemplos: 1 ou 0) SearchAllDesc=O campo é usado para fazer uma pesquisa a partir da ferramenta de pesquisa rápida? (Exemplos: 1 ou 0) SpecDefDesc=Digite aqui toda a documentação que você deseja fornecer com seu módulo que ainda não está definido por outras guias. Você pode usar .md ou melhor, a rica sintaxe .asciidoc. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/pt_PT/mrp.lang b/htdocs/langs/pt_PT/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/pt_PT/mrp.lang +++ b/htdocs/langs/pt_PT/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/pt_PT/orders.lang b/htdocs/langs/pt_PT/orders.lang index 8175116508d..2fc1142e59e 100644 --- a/htdocs/langs/pt_PT/orders.lang +++ b/htdocs/langs/pt_PT/orders.lang @@ -11,6 +11,7 @@ OrderDate=Data da encomenda OrderDateShort=Data de encomenda OrderToProcess=Encomenda a processar NewOrder=Nova encomenda +NewOrderSupplier=New Purchase Order ToOrder=Efetuar encomenda MakeOrder=Efetuar encomenda SupplierOrder=Ordem de compra @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Encomendas a fornecedores por processar +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Anulado StatusOrderDraftShort=Rascunho StatusOrderValidatedShort=Validado @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Entregue StatusOrderToBillShort=Entregue StatusOrderApprovedShort=Aprovado StatusOrderRefusedShort=Reprovado -StatusOrderBilledShort=Faturado StatusOrderToProcessShort=Por processar StatusOrderReceivedPartiallyShort=Parcialmente recebido StatusOrderReceivedAllShort=Produtos recebidos @@ -50,7 +52,6 @@ StatusOrderProcessed=Processado StatusOrderToBill=Entregue StatusOrderApproved=Aprovado StatusOrderRefused=Recusada -StatusOrderBilled=Faturado StatusOrderReceivedPartially=Parcialmente recebido StatusOrderReceivedAll=Todos os produtos foram recebidos ShippingExist=Um existe um envio @@ -68,8 +69,9 @@ ValidateOrder=Validar encomenda UnvalidateOrder=Invalidar encomenda DeleteOrder=Eliminar encomenda CancelOrder=Cancelar encomenda -OrderReopened= A encomenda %s foi reaberta +OrderReopened= Order %s re-open AddOrder=Criar encomenda +AddPurchaseOrder=Create purchase order AddToDraftOrders=Adicionar à encomenda rascunho ShowOrder=Mostrar encomenda OrdersOpened=Encomendas por processar @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=On-line OrderByPhone=Telefone # Documents models -PDFEinsteinDescription=Modelo de encomenda completo (logo...) -PDFEratostheneDescription=Modelo de encomenda completo (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Um modelo simples de encomenda -PDFProformaDescription=Uma fatura proforma completa (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Faturar encomendas NoOrdersToInvoice=Sem encomendas por faturar CloseProcessedOrdersAutomatically=Classificar todas as encomendas selecionadas como "Processadas". @@ -152,7 +154,35 @@ OrderCreated=As suas encomendas foram criadas OrderFail=Ocorreu um erro durante a criação das suas encomendas CreateOrders=Criar encomendas ToBillSeveralOrderSelectCustomer=Para criar uma fatura para várias encomendas, clique primeiro num cliente e depois selecione "%s". -OptionToSetOrderBilledNotEnabled=A opção (do módulo Fluxo de Trabalho) para definir encomendas como 'Faturada' automaticamente quando a fatura é validada, está desativada. Como tal terá que definir o estado da encomenda como 'Faturada' manualmente. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=Se a validação da fatura for 'Não', a encomenda permanecerá no estado 'Não faturada' até que a fatura seja validada. -CloseReceivedSupplierOrdersAutomatically=Fechar encomenda para "%s" automaticamente, se todos os produtos tiverem sido recebidos. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Defina o método de expedição +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Cancelado +StatusSupplierOrderDraftShort=Esboço, projeto +StatusSupplierOrderValidatedShort=Validado +StatusSupplierOrderSentShort=Em processo +StatusSupplierOrderSent=Expedição em processo +StatusSupplierOrderOnProcessShort=Encomendado +StatusSupplierOrderProcessedShort=Processado +StatusSupplierOrderDelivered=Entregue +StatusSupplierOrderDeliveredShort=Entregue +StatusSupplierOrderToBillShort=Entregue +StatusSupplierOrderApprovedShort=Aprovado +StatusSupplierOrderRefusedShort=Recusada +StatusSupplierOrderToProcessShort=Por processar +StatusSupplierOrderReceivedPartiallyShort=Parcialmente recebido +StatusSupplierOrderReceivedAllShort=Produtos recebidos +StatusSupplierOrderCanceled=Cancelado +StatusSupplierOrderDraft=Rascunho (necessita de ser validada) +StatusSupplierOrderValidated=Validado +StatusSupplierOrderOnProcess=Encomendado - Aguarda a receção +StatusSupplierOrderOnProcessWithValidation=Encomendada - Aguarde a receção e validação +StatusSupplierOrderProcessed=Processado +StatusSupplierOrderToBill=Entregue +StatusSupplierOrderApproved=Aprovado +StatusSupplierOrderRefused=Recusada +StatusSupplierOrderReceivedPartially=Parcialmente recebido +StatusSupplierOrderReceivedAll=Todos os produtos foram recebidos diff --git a/htdocs/langs/pt_PT/other.lang b/htdocs/langs/pt_PT/other.lang index 7f04d3d18f1..174eaddc866 100644 --- a/htdocs/langs/pt_PT/other.lang +++ b/htdocs/langs/pt_PT/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=O diretório não está vazio. DeleteAlsoContentRecursively=Marque para excluir todo o conteúdo recursivamente - +PoweredBy=Powered by YearOfInvoice=Ano da data da fatura PreviousYearOfInvoice=Ano anterior à data da fatura NextYearOfInvoice=Ano seguinte à data da fatura @@ -104,7 +104,8 @@ DemoFundation=Gestão de Membros de uma associação DemoFundation2=Gestão de Membros e tesouraria de uma associação DemoCompanyServiceOnly=Empresa ou serviço de freelancer apenas DemoCompanyShopWithCashDesk=Gestão de uma loja com Caixa -DemoCompanyProductAndStocks=Empresa que vende produtos com uma loja +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Empresa com múltiplas atividades (todos os módulos principais) CreatedBy=Criado por %s ModifiedBy=Modificado por %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL da página WEBSITE_TITLE=Título WEBSITE_DESCRIPTION=Descrição WEBSITE_IMAGE=Imagem -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Palavras-chave LinesToImport=Linhas a importar diff --git a/htdocs/langs/pt_PT/projects.lang b/htdocs/langs/pt_PT/projects.lang index 773aa185b48..399cedaacd5 100644 --- a/htdocs/langs/pt_PT/projects.lang +++ b/htdocs/langs/pt_PT/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=A Minha Área de Projetos DurationEffective=Duração Efetiva ProgressDeclared=Progresso declarado TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Progresso calculado @@ -249,9 +249,13 @@ TimeSpentForInvoice=Tempos Dispendidos OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Nova fatura +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/pt_PT/propal.lang b/htdocs/langs/pt_PT/propal.lang index e5b82735538..cfd6e71ca77 100644 --- a/htdocs/langs/pt_PT/propal.lang +++ b/htdocs/langs/pt_PT/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Mostrar orçamento PropalsDraft=Rascunho PropalsOpened=Aberta PropalStatusDraft=Rascunho (precisa de ser validado) -PropalStatusValidated=Validado (o orçamento está aberto) +PropalStatusValidated=Validado (Orçamento Aberto) PropalStatusSigned=Assinado (por faturar) PropalStatusNotSigned=Sem Assinar (Fechado) PropalStatusBilled=Faturado @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Contacto na fatura do cliente TypeContact_propal_external_CUSTOMER=Contacto do cliente que dá seguimento ao orçamento TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Um modelo de orçamento completo (logótipo...) -DocModelCyanDescription=Um modelo de orçamento completo (logótipo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Criação do modelo padrão DefaultModelPropalToBill=Modelo predefinido quando fechar um orçamento (a faturar) DefaultModelPropalClosed=Modelo predefinido quando fechar um orçamento (não faturado) ProposalCustomerSignature=Aceitação escrita, carimbo da empresa, data e assinatura ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/pt_PT/stocks.lang b/htdocs/langs/pt_PT/stocks.lang index 880aa6f0b6c..2cf191876b7 100644 --- a/htdocs/langs/pt_PT/stocks.lang +++ b/htdocs/langs/pt_PT/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movimento ou código do inventário IsInPackage=Contido no pacote WarehouseAllowNegativeTransfer=O stock pode ser negativo qtyToTranferIsNotEnough=Você não tem estoque suficiente do seu depósito de origem e sua configuração não permite estoques negativos. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Mostrar armazém MovementCorrectStock=Correção de estoque para o produto %s MovementTransferStock=Transferência de estoque do produto %s para outro depósito @@ -192,6 +193,7 @@ TheoricalQty=Teorique qty TheoricalValue=Teorique qty LastPA=Último BP CurrentPA=PB de Curadoria +RecordedQty=Recorded Qty RealQty=Qtd Real RealValue=Valor real RegulatedQty=Quantidade Registada diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang index a8ac1a76024..fff99a2d6cd 100644 --- a/htdocs/langs/ro_RO/admin.lang +++ b/htdocs/langs/ro_RO/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Gestionarea comenzilor de vânzări Module30Name=Facturi Module30Desc=Gestionarea facturilor și a bonurilor de credit pentru clienți. Gestionarea facturilor și a bonurilor de credit pentru furnizori Module40Name=Furnizori -Module40Desc=Gestionarea furnizorilor și achizițiilor (comenzi de achiziție și facturare) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Depanați jurnalele Module42Desc=Facilități de înregistrare (fișier, syslog, ...). Aceste jurnale sunt pentru scopuri tehnice / de depanare. Module49Name=Editori @@ -561,9 +561,9 @@ Module200Desc=Sincronizarea directorului LDAP Module210Name=PostNuke Module210Desc=PostNuke integrare Module240Name=Exportul de date -Module240Desc=Instrument pentru a exporta date Dolibarr (cu asistenți) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Date importurile -Module250Desc=Instrument pentru a importa date în Dolibarr (cu asistenți) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Membri Module310Desc=Fundatia membri de management Module320Name=Feed RSS @@ -878,7 +878,7 @@ Permission1251=Run masa importurile de date externe în baza de date (date de sa Permission1321=Export client facturi, atribute şi plăţile Permission1322=Redeschide o factură plătită Permission1421=Exportaţi comenzi de vânzări și atribute -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Citeşte acţiuni (evenimente sau sarcini) ale altor persoane @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Nu a fost înregistrat niciun eveniment de securitate. Ace NoEventFoundWithCriteria=Nu a fost găsit niciun eveniment de securitate pentru aceste criterii de căutare. SeeLocalSendMailSetup=Vedeţi-vă locale sendmail setup BackupDesc=O completă copie de rezervă a unei instalări Dolibarr necesită doi pași. -BackupDesc2=Faceţi o copie de rezervă a conținutului directorului "documente" ( %s ) conținând toate fișierele încărcate și generate. Aceasta va include, de asemenea, toate fișierele de memorie generate în etapa 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Faceţi o copie de rezervă la structura și conținutul bazei de date ( %s ) într-un cos de gunoi. Pentru aceasta, puteți utiliza următorul asistent BackupDescX=Directorul arhivat trebuie să fie stocat într-un loc sigur. BackupDescY=Generate de fişier de imagine memorie trebuie să fie depozitate într-un loc sigur. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restaurați structura bazei de date și datele dintr-un fișier de RestoreMySQL=MySQL import ForcedToByAModule= Această regulă este obligat la %s către un activat modulul PreviousDumpFiles=Fișiere de rezervă existente +PreviousArchiveFiles=Existing archive files WeekStartOnDay=Prima zi a săptămânii RunningUpdateProcessMayBeRequired=Rularea procesului de actualizare pare a fi necesară (versiunea programului %s diferă de versiunea bazei de date %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Trebuie să rulaţi această comandă de la linia de comandă, după login la un raft cu %s utilizator. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Solicitați o metodă de transport preferată pent FieldEdition=Editarea campului %s FillThisOnlyIfRequired=Exemplu: +2 (completați numai dacă problemele decalajjului fusului orar sunt cunoscute) GetBarCode=Dă codbare +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Întoarceţi-vă o parolă generate în funcţie de interne Dolibarr algoritmul: 8 caractere care conţin numere în comun şi în caractere minuscule. PasswordGenerationNone=Nu sugerați o parolă generată. Parola trebuie introdusă manual. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Modul de verificare a numerotării chitanţelor MultiCompanySetup=Multi-societate modul setup ##### Suppliers ##### SuppliersSetup=Configurarea modulului furnizor -SuppliersCommandModel=Șablonul complet al comenzii de achiziție (logo ...) -SuppliersInvoiceModel=Șablonul complet al facturii furnizorului (logo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Modele de numerotare a facturilor furnizorilor IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Accesați fila "Notificări" a unui mesaj de utilizator pentru a adăuga sau elimina notificările pentru utilizatori -GoOntoContactCardToAddMore=Mergeți în fila "Notificări" a unei terțe părți pentru a adăuga sau elimina notificări pentru contacte / adrese +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Prag -BackupDumpWizard=Expertul pentru a construi copie de siguranţă +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Instalarea modulului extern nu este posibilă din interfața web din următorul motiv: SomethingMakeInstallFromWebNotPossible2=Din acest motiv, procesul de actualizare descris aici este un proces manual pe care numai un utilizator privilegiat poate face. InstallModuleFromWebHasBeenDisabledByFile=Instalarea modulului extern din aplicație a fost dezactivată de administratorul dvs. Trebuie să-l rogi să-l elimine fişierul %s pentru a permite această caracteristică @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/ro_RO/bills.lang b/htdocs/langs/ro_RO/bills.lang index b0ea808b6b2..c36f542b6a1 100644 --- a/htdocs/langs/ro_RO/bills.lang +++ b/htdocs/langs/ro_RO/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 zile PaymentCondition14D=14 zile PaymentConditionShort14DENDMONTH=14 zile de la sfârșitul lunii PaymentCondition14DENDMONTH=În termen de 14 zile de la sfârșitul lunii -FixAmount=Valoare fixă +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Valoare variabilă (%% tot.) VarAmountOneLine=Cantitate variabilă (%% tot.) - 1 rând cu eticheta "%s" # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Timbru fiscal YouMustCreateInvoiceFromThird=Această opțiune este disponibilă numai când creați o factură din fila "Client" al unui terț YouMustCreateInvoiceFromSupplierThird=Această opțiune este disponibilă numai când creați o factură din fila "Furnizor" al unui terț YouMustCreateStandardInvoiceFirstDesc=Intai se poate crea o factură standard si se transforma in model pentru a avea un nou model de factura. -PDFCrabeDescription=Şablon PDF Factura Crabe . Un șablon factură complet (format recomandat) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Factura PDF șablon Burete. Un șablon complet de factură PDFCrevetteDescription=Model factură PDF Crevette. Un model complet pentru factura de situaţie TerreNumRefModelDesc1=Returnează numărul sub forma %syymm-nnnn pentru facturile standard și %syymm-nnnn pentru notele de credit unde yy este anul, mm este luna și nnnn este o secvenţă fără nici o pauză și fără revenire la 0 diff --git a/htdocs/langs/ro_RO/categories.lang b/htdocs/langs/ro_RO/categories.lang index 5415657f781..88e5ce67e52 100644 --- a/htdocs/langs/ro_RO/categories.lang +++ b/htdocs/langs/ro_RO/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Tag-uri / Categorii Contacte AccountsCategoriesShort=Tag-uri / Categorii Contabilitate ProjectsCategoriesShort=Etichete / categorii de proiecte UsersCategoriesShort=Etichetele/categoriile utilizatorilor +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Această categorie nu conţine nici un produs. ThisCategoryHasNoSupplier=Această categorie nu conține niciun furnizor. ThisCategoryHasNoCustomer=Această categorie nu conţine nici un client. @@ -83,8 +84,11 @@ DeleteFromCat=Elimina din tag-uri / categoriii ExtraFieldsCategories=Atribute complementare CategoriesSetup=Configurare Tag-uri / categorii CategorieRecursiv=Link automat către tag /categoria părinte -CategorieRecursivHelp=If option is on, when you add a product into a subcategory, product will also be added into the parent category. +CategorieRecursivHelp=Dacă opțiunea este activă, când adăugați un produs într-o subcategorie, produsul va fi adăugat și în categoria părinte AddProductServiceIntoCategory=Add următoarele produseservicii ShowCategory=Arată tag / categorie ByDefaultInList=Implicit în listă ChooseCategory=Alegeți categoria +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ro_RO/companies.lang b/htdocs/langs/ro_RO/companies.lang index 1cd5142e960..0e79c39d744 100644 --- a/htdocs/langs/ro_RO/companies.lang +++ b/htdocs/langs/ro_RO/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof. Id-ul 1 (OGRN) ProfId2RU=Prof. Id-ul 2 (DCI) ProfId3RU=Prof. ID 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Contactele mele Capital=Capital CapitalOf=Capital de % s EditCompany=Modifică societate -ThisUserIsNot=Acest utilizator nu este o perspectivă nici client nici vânzător +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Verifică VATIntraCheckDesc=ID-ul de TVA trebuie să includă prefixul țării. Linkul %s utilizează serviciul european de verificare a TVA-ului (VIES), care necesită acces la internet de pe serverul Dolibarr. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Asociat la reprezentant vânzări Organization=Instituția FiscalYearInformation=An fiscal FiscalMonthStart=Luna de început a anului fiscal +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Trebuie să creați un e-mail pentru acest utilizator înainte de a putea adăuga o notificare prin e-mail. YouMustCreateContactFirst=Pentru a putea adaugă notificări pe email, este necesară definirea unor contacte pentru terţi cu adresa de email validă ListSuppliersShort=Lista furnizori diff --git a/htdocs/langs/ro_RO/compta.lang b/htdocs/langs/ro_RO/compta.lang index c3893612189..3793fa21abe 100644 --- a/htdocs/langs/ro_RO/compta.lang +++ b/htdocs/langs/ro_RO/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Prin cota de impozit pe vânzare TurnoverbyVatrate=Cifra de afaceri facturată prin rata impozitului pe vânzare TurnoverCollectedbyVatrate=Cifra de afaceri colectată prin rata impozitului pe vânzare PurchasebyVatrate=Cumpărare prin rata de impozitare a vânzării +LabelToShow=Etichetă scurta diff --git a/htdocs/langs/ro_RO/errors.lang b/htdocs/langs/ro_RO/errors.lang index d17f35b0ddb..1ff9cfbf23e 100644 --- a/htdocs/langs/ro_RO/errors.lang +++ b/htdocs/langs/ro_RO/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User login cu %s nu a putut fi găsit. ErrorLoginHasNoEmail=Acest utilizator nu are nici o adresa de e-mail. Procesul de anulată. ErrorBadValueForCode=Bad valoare tipuri de cod. Încercaţi din nou cu o nouă valoare ... ErrorBothFieldCantBeNegative=%s Domenii şi %s nu poate fi atât negativ -ErrorFieldCantBeNegativeOnInvoice=Câmpul %s nu poate fi negativ pentru acest tip de factură. Dacă doriți să adăugați o linie de reducere, creați primul discount cu link-ul %s pe ecran și aplicați-l pe factură. De asemenea, puteți solicita administratorului dvs. să setați opțiunea FACTURE_ENABLE_NEGATIVE_LINES la 1 pentru a permite vechiul comportament. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Cantitatea pentru linia unei facturi client nu poate fi negativa. ErrorWebServerUserHasNotPermission=Contul de utilizator %s folosite pentru a executa serverul de web nu are permisiunea, pentru că ErrorNoActivatedBarcode=Niciun tip de coduri de bare activat @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount= O parolă a fost trimisă către acest membru. Cu toate acestea, nu a fost creat nici un cont de utilizator. Astfel, această parolă este stocată, dar nu poate fi utilizată pentru autentificare. Poate fi utilizată de către un modul / interfată externă, dar dacă nu aveți nevoie să definiți un utilizator sau o parolă pentru un membru, puteți dezactiva opțiunea "Gestionați o conectare pentru fiecare membru" din modul de configurare membri. În cazul în care aveți nevoie să gestionați un utilizator, dar nu este nevoie de parolă, aveți posibilitatea să păstrați acest câmp gol pentru a evita acest avertisment. Notă: Adresa de e-mail poate fi utilizată ca utilizator la autentificare, în cazul în care membrul este legat de un utilizator. diff --git a/htdocs/langs/ro_RO/holiday.lang b/htdocs/langs/ro_RO/holiday.lang index 679a984bb62..1cd9b14a7c9 100644 --- a/htdocs/langs/ro_RO/holiday.lang +++ b/htdocs/langs/ro_RO/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Tipul de ID de concediu TypeOfLeaveCode=Tipul codului de concediu TypeOfLeaveLabel=Tipul tabelului de concediu NbUseDaysCP=Numărul de zile de concediu consumate +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Zile consumate NbUseDaysCPShortInMonth=Zilele consumate în lună +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Data de începere în lună DateEndInMonth=Data de încheiere în lună EditCP=Editare diff --git a/htdocs/langs/ro_RO/install.lang b/htdocs/langs/ro_RO/install.lang index 81172075759..5b22f86f0ea 100644 --- a/htdocs/langs/ro_RO/install.lang +++ b/htdocs/langs/ro_RO/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Acest PHP suportă Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=Acest PHP suportă functiile UTF8. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=PHP max memorie sesiune este setată la %s. Acest lucru ar trebui să fie suficient. PHPMemoryTooLow=Memoria sesiunii PHP max este setată la %s octeți. Această valoare este prea mică. Schimbați-vă php.ini pentru a seta parametrul memory_limit la cel puțin %s octeți. Recheck=Faceți clic aici pentru un test mai detaliat @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Instalarea dvs. PHP nu suportă Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Instalarea dvs. de PHP nu suportă funcții UTF8. Dolibarr nu poate funcționa corect. Rezolvați acest lucru înainte de a instala Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directorul %s nu există. ErrorGoBackAndCorrectParameters=Întoarceți-vă și verificați/corectați parametrii. ErrorWrongValueForParameter=Este posibil să fi tastat greşit o valoare pentru parametrul "%s". diff --git a/htdocs/langs/ro_RO/main.lang b/htdocs/langs/ro_RO/main.lang index 2be9880a6ef..439cd9439ef 100644 --- a/htdocs/langs/ro_RO/main.lang +++ b/htdocs/langs/ro_RO/main.lang @@ -471,7 +471,7 @@ TotalDuration=Durată totală Summary=Sumar DolibarrStateBoard=Statisticile bazei de date DolibarrWorkBoard=Deschideți Elementele -NoOpenedElementToProcess=Niciun element deschis pentru procesare +NoOpenedElementToProcess=No open element to process Available=Disponibil NotYetAvailable=Nedisponibil încă NotAvailable=Nedisponibil @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Factură ContactDefault_fichinter=Intervenţie ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Proiect ContactDefault_project_task=Task ContactDefault_propal=Ofertă @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Tichet ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/ro_RO/modulebuilder.lang b/htdocs/langs/ro_RO/modulebuilder.lang index 9018cb61ea7..b139a9ef3f6 100644 --- a/htdocs/langs/ro_RO/modulebuilder.lang +++ b/htdocs/langs/ro_RO/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=Lista permisiunilor definite SeeExamples=Vedeți aici exemple EnabledDesc=Condiție de activare a acestui câmp (Exemple: 1 sau $ 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Poate fi cumulata valoarea câmpului pentru a obține un total în listă? (Exemple: 1 sau 0) SearchAllDesc=Este câmpul folosit pentru a face o căutare din instrumentul de căutare rapidă? (Exemple: 1 sau 0) SpecDefDesc=Introduceți aici toată documentația pe care doriți să o furnizați împreună cu modulul, care nu este deja definită de alte file. Puteți utiliza .md sau mai bine, sintaxa bogată .asciidoc. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/ro_RO/mrp.lang b/htdocs/langs/ro_RO/mrp.lang index 4864851a037..4b7c49fd3ab 100644 --- a/htdocs/langs/ro_RO/mrp.lang +++ b/htdocs/langs/ro_RO/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/ro_RO/orders.lang b/htdocs/langs/ro_RO/orders.lang index 9ec7d26d34e..0ae0c5eba4d 100644 --- a/htdocs/langs/ro_RO/orders.lang +++ b/htdocs/langs/ro_RO/orders.lang @@ -11,6 +11,7 @@ OrderDate=Dată Comandă OrderDateShort=Data comandă OrderToProcess=Comandă de procesat NewOrder=Comandă nouă +NewOrderSupplier=New Purchase Order ToOrder=Plasează comanda MakeOrder=Plasează comanda SupplierOrder=Comandă de achiziție @@ -25,6 +26,8 @@ OrdersToBill=Comenzi de vânzări livrate OrdersInProcess=Comenzi de vânzări în curs OrdersToProcess=Comenzile de vânzări pentru procesare SuppliersOrdersToProcess=Comenzile de cumpărare pentru procesare +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Anulata StatusOrderDraftShort=Schiţă StatusOrderValidatedShort=Validat @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Livrate StatusOrderToBillShort=Livrate StatusOrderApprovedShort=Aprobată StatusOrderRefusedShort=Refuzată -StatusOrderBilledShort=Facturat StatusOrderToProcessShort=De procesat StatusOrderReceivedPartiallyShort=Parţial recepţionată StatusOrderReceivedAllShort=Produse primite @@ -50,7 +52,6 @@ StatusOrderProcessed=Procesată StatusOrderToBill=Livrată StatusOrderApproved=Aprobată StatusOrderRefused=Refuzată -StatusOrderBilled=Facturat StatusOrderReceivedPartially=Parţial recepţionată StatusOrderReceivedAll=Toate produsele primite ShippingExist=O expediţie există @@ -68,8 +69,9 @@ ValidateOrder=Validează comanda UnvalidateOrder=Devalidează comandă DeleteOrder=Şterge comada CancelOrder=Anulează comanda -OrderReopened= Comanda %s redeschisa +OrderReopened= Order %s re-open AddOrder=Crează comanda +AddPurchaseOrder=Create purchase order AddToDraftOrders=Adaugă la comanda schiţă ShowOrder=Afişează comanda OrdersOpened=Comenzi de procesat @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Un model complet pentru (logo. ..) -PDFEratostheneDescription=Un model complet pentru (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Un simplu pentru model -PDFProformaDescription=De completat factura proformă (logo-ul ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Comenzi facturate NoOrdersToInvoice=Nicio comandă facturabilă CloseProcessedOrdersAutomatically=Clasează automat "Procesat" toate comenzile selectate. @@ -152,7 +154,35 @@ OrderCreated=Comenzile dvs au fost generate OrderFail=O eroare întâlnită în timpul creării comezilor dvs CreateOrders=Crează Comenzi ToBillSeveralOrderSelectCustomer=Pentru crearea unei facturi pentru câteva comenzi, click mai întâi pe client apoi alege "%s". -OptionToSetOrderBilledNotEnabled=Opțiunea (din modulul fluxul de lucru) pentru a seta ordinea la "facturat" automat atunci când factura este validată este dezactivată, deci va trebui să setați starea comenzii la "facturat" manual. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=Dacă validarea facturilor este "Nu", comanda va rămâne în starea "Nefacturată" până când factura va fi validată. -CloseReceivedSupplierOrdersAutomatically=Închideți ordinea automată a "%s" dacă toate produsele sunt primite. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Setați modul de expediere +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Anulata +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validată +StatusSupplierOrderSentShort=În curs +StatusSupplierOrderSent=Livrare în curs +StatusSupplierOrderOnProcessShort=Comandat +StatusSupplierOrderProcessedShort=Procesate +StatusSupplierOrderDelivered=Livrate +StatusSupplierOrderDeliveredShort=Livrate +StatusSupplierOrderToBillShort=Livrate +StatusSupplierOrderApprovedShort=Aprobat +StatusSupplierOrderRefusedShort=Refuzat +StatusSupplierOrderToProcessShort=De procesat +StatusSupplierOrderReceivedPartiallyShort=Parţial recepţionată +StatusSupplierOrderReceivedAllShort=Produse primite +StatusSupplierOrderCanceled=Anulata +StatusSupplierOrderDraft=Schiţă (cererea tebuie validata) +StatusSupplierOrderValidated=Validată +StatusSupplierOrderOnProcess=Comandate - receptie standby +StatusSupplierOrderOnProcessWithValidation=Comandat - recepție în așteptare sau validare +StatusSupplierOrderProcessed=Procesate +StatusSupplierOrderToBill=Livrate +StatusSupplierOrderApproved=Aprobat +StatusSupplierOrderRefused=Refuzat +StatusSupplierOrderReceivedPartially=Parţial recepţionată +StatusSupplierOrderReceivedAll=Toate produsele primite diff --git a/htdocs/langs/ro_RO/other.lang b/htdocs/langs/ro_RO/other.lang index c4d2415cab9..f7a1ac3af74 100644 --- a/htdocs/langs/ro_RO/other.lang +++ b/htdocs/langs/ro_RO/other.lang @@ -24,7 +24,7 @@ MessageOK=Mesaj pe pagina de returnare pentru o plată validată MessageKO=Mesaj de pe pagina de returnare pentru o plată anulată ContentOfDirectoryIsNotEmpty=Conținutul acestui director nu este gol. DeleteAlsoContentRecursively=Verificați pentru a șterge tot conținutul recursiv - +PoweredBy=Powered by YearOfInvoice=Anul datei facturii PreviousYearOfInvoice=Anul anterior datei facturii NextYearOfInvoice=Anul următor datei facturii @@ -104,7 +104,8 @@ DemoFundation=Gestionare membrii unui Fundaţia DemoFundation2=Gestionaţi membri şi un cont bancar de Fundaţia DemoCompanyServiceOnly=Companie sau independent cu vânzare de servicii DemoCompanyShopWithCashDesk=Gestionaţi-un magazin cu o casă de marcat -DemoCompanyProductAndStocks=Companie care vinde produse cu un magazin +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Companie cu activități multiple (toate modulele principale) CreatedBy=Creat de %s ModifiedBy=Modificat de %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL pagina WEBSITE_TITLE=Titlu WEBSITE_DESCRIPTION=Descriere WEBSITE_IMAGE=Imagine -WEBSITE_IMAGEDesc=Calea relativă a imaginii media. Puteți păstra acest lucru gol, deoarece acesta este rar folosit (acesta poate fi utilizat de conținut dinamic pentru a afișa o previzualizare a unei liste de postări pe blog). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Cuvânt cheie LinesToImport=Linii de import diff --git a/htdocs/langs/ro_RO/projects.lang b/htdocs/langs/ro_RO/projects.lang index 65b058e2152..752642cf504 100644 --- a/htdocs/langs/ro_RO/projects.lang +++ b/htdocs/langs/ro_RO/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Zona proiectelor mele DurationEffective=Durata efectivă ProgressDeclared=Progres calculat TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Progres calculat @@ -249,9 +249,13 @@ TimeSpentForInvoice=Timpi consumaţi OneLinePerUser=O linie pe utilizator ServiceToUseOnLines=Serviciu de utilizare pe linii InvoiceGeneratedFromTimeSpent=Factura %s a fost generată din timpul petrecut pe proiect -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Factură nouă +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/ro_RO/propal.lang b/htdocs/langs/ro_RO/propal.lang index 4fefacdb600..b14143848f3 100644 --- a/htdocs/langs/ro_RO/propal.lang +++ b/htdocs/langs/ro_RO/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Afişează oferta PropalsDraft=Schiţe PropalsOpened=Deschis PropalStatusDraft=Schiţă (de validat) -PropalStatusValidated=Validat (propunerea este deschisă) +PropalStatusValidated=Validată (ofertă deschisă) PropalStatusSigned=Semnată (de facturat) PropalStatusNotSigned=Nesemnată (inchisă) PropalStatusBilled=Facturată @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Contact client facturare propunere TypeContact_propal_external_CUSTOMER=Contact client urmărire ofertă TypeContact_propal_external_SHIPPING=Contactul clientului pentru livrare # Document models -DocModelAzurDescription=Model de ofertă comercială completă (logo. ..) -DocModelCyanDescription=Model de ofertă comercială completă (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Crează model implicit DefaultModelPropalToBill=Model implicit la închiderea unei oferte comerciale (de facturat) DefaultModelPropalClosed=Model implicit la închiderea unei oferte comerciale (nefacturat) ProposalCustomerSignature=Acceptarea scrisă, ștampila companiei, data și semnătura ProposalsStatisticsSuppliers=Statistici privind propunerile furnizorilor +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/ro_RO/stocks.lang b/htdocs/langs/ro_RO/stocks.lang index d4b56f97086..041ccf99dbe 100644 --- a/htdocs/langs/ro_RO/stocks.lang +++ b/htdocs/langs/ro_RO/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Codul de inventar sau transfer IsInPackage=Continute in pachet WarehouseAllowNegativeTransfer=Stocul poate fi negativ qtyToTranferIsNotEnough=Nu aveți suficiente stocuri din depozitul sursă și configurația dvs. nu permite stocuri negative. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Arată depozit MovementCorrectStock=Corecția stocului pentru produsul%s MovementTransferStock=Transfer stoc al produsului %s in alt depozit @@ -192,6 +193,7 @@ TheoricalQty=Cantitate teoretică TheoricalValue=Cantitate teoretică LastPA=Ultimul BP CurrentPA=BP Curent +RecordedQty=Recorded Qty RealQty=Cantitate reală RealValue=Valoare reală RegulatedQty=Cantitate reglementată diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang index cc3e93598a2..2fb1d9ca98f 100644 --- a/htdocs/langs/ru_RU/admin.lang +++ b/htdocs/langs/ru_RU/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Управление заказами на продажу Module30Name=Счета-фактуры Module30Desc=Управление счетами и кредитными авизо для клиентов. Управление счетами и кредитными авизо для поставщиков Module40Name=Поставщики -Module40Desc=Поставщики и управление закупками (заказы на покупку и выставление счетов) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Отчет об ошибках Module42Desc=Средства регистрации (file, syslog, ...). Такие журналы предназначены для технических/отладочных целей. Module49Name=Редакторы @@ -561,9 +561,9 @@ Module200Desc=Синхронизация каталогов LDAP Module210Name=PostNuke Module210Desc=Интергация с PostNuke Module240Name=Экспорт данных -Module240Desc=Инструмент для экспорта данных Dolibarr (с ассистентами) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Импорт данных -Module250Desc=Инструмент для импорта данных в Dolibarr (с помощниками) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Участники Module310Desc=Управление участниками фонда Module320Name=RSS-канал @@ -878,7 +878,7 @@ Permission1251=Запуск массового импорта внешних д Permission1321=Экспорт клиентом счета-фактуры, качества и платежей Permission1322=Повторно открыть оплаченный счет Permission1421=Экспорт заказов на продажу и атрибутов -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Просмотреть действия (события или задачи), других @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Событие безопасности не было за NoEventFoundWithCriteria=Для этого критерия поиска событие безопасности не найдено. SeeLocalSendMailSetup=См. вашей локальной настройки Sendmail BackupDesc=Полное резервное копирование установки Dolibarr требует двух шагов. -BackupDesc2=Резервное копирование содержимого каталога «documents» ( %s ), содержащего все загруженные и сгенерированные файлы. Это также будет включать все файлы дампа, сгенерированные на шаге 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Резервное копирование структуры и содержимого вашей базы данных (%s ) в файл дампа. Для этого вы можете использовать следующий помощник. BackupDescX=Архивный каталог должен храниться в безопасном месте. BackupDescY=Генерируемый файла дампа следует хранить в надежном месте. @@ -1167,6 +1167,7 @@ RestoreDesc3=Восстановить структуру базы данных RestoreMySQL=Иvпорт MySQL ForcedToByAModule= Это правило принудительно активируется модулем %s. PreviousDumpFiles=Существующие файлы резервных копий +PreviousArchiveFiles=Existing archive files WeekStartOnDay=Первый день недели RunningUpdateProcessMayBeRequired=Похоже требуется запуск процесса обновления (версия программы %s отличается от версии базы данных %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Вы должны запустить эту команду из командной строки после Войти в оболочку с пользователем %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Запросить предпочтительны FieldEdition=Редакция поля %s FillThisOnlyIfRequired=Например, +2 (заполняйте это поле только тогда, когда ваш часовой пояс отличается от того, который используется на сервере) GetBarCode=Получить штрих-код +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Возврат пароля, полученных в соответствии с внутренними Dolibarr алгоритма: 8 символов, содержащих общие цифры и символы в нижнем регистре. PasswordGenerationNone=Не предлагать сгенерированный пароль. Пароль должен быть введен вручную. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Модуль Проверки чеков MultiCompanySetup=Настройка модуля Корпорация ##### Suppliers ##### SuppliersSetup=Настройка модуля Поставщика -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Полный шаблон счета-фактуры поставщика (логотип ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Перейдите на вкладку «Уведомления» третьей стороны, чтобы добавлять или удалять уведомления для контактов/адресов +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Порог -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Установка внешних модулей через веб-интерфейс не возможна по следующей причине: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Установка внешних модулей из приложения отключена вашим администратором. Вы должны попросить его удалить файл %s, чтобы использовать эту функцию. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/ru_RU/bills.lang b/htdocs/langs/ru_RU/bills.lang index 44b6a3c3a64..285bca049bf 100644 --- a/htdocs/langs/ru_RU/bills.lang +++ b/htdocs/langs/ru_RU/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Произвольное значение (%% от суммы) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Штамп о уплате налогов YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Шаблон Счета-фактуры Crabe. Полный шаблон (вспомогательные опции НДС, скидки, условия платежей, логотип и т.д. ..) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Функция возвращает номер в формате %syymm-nnnn для стандартных счетов и %syymm-nnnn для кредитных авизо, где yy год, mm месяц и nnnn является непрерывной последовательностью и не возвращает 0 diff --git a/htdocs/langs/ru_RU/categories.lang b/htdocs/langs/ru_RU/categories.lang index 1b29f114966..c5b8112cb2c 100644 --- a/htdocs/langs/ru_RU/categories.lang +++ b/htdocs/langs/ru_RU/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Теги/категории контактов AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Теги/категории Проектов UsersCategoriesShort=Теги/категории пользователей +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=В этой категории нет товаров. ThisCategoryHasNoSupplier=В этой категории нет ни одного поставщика. ThisCategoryHasNoCustomer=В этой категории нет покупателей. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Добавить следующий товар/у ShowCategory=Показать тег/категорию ByDefaultInList=By default in list ChooseCategory=Выберите категорию +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/ru_RU/companies.lang b/htdocs/langs/ru_RU/companies.lang index c33b5053c41..2b688e7cb51 100644 --- a/htdocs/langs/ru_RU/companies.lang +++ b/htdocs/langs/ru_RU/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (ОГРН) ProfId2RU=Prof Id 2 (ИНН) ProfId3RU=Prof Id 3 (КПП) @@ -339,7 +345,7 @@ MyContacts=Мои контакты Capital=Капитал CapitalOf=Столица %s EditCompany=Изменить компанию -ThisUserIsNot=Этот пользователь не является перспективой, клиентом и поставщиком +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Проверить VATIntraCheckDesc=Идентификатор НДС должен включать префикс страны. Ссылка %s использует европейскую службу проверки НДС (VIES), для которой требуется доступ в Интернет с сервера Dolibarr. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Назначить торгового представите Organization=Организация FiscalYearInformation=Финансовый год FiscalMonthStart=Первый месяц финансового года +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Вы должны создать адрес электронной почты для этого пользователя, прежде чем сможете добавить уведомление по электронной почте. YouMustCreateContactFirst=Для добавления электронных уведомлений вы должны сначала указать действующий email контрагента ListSuppliersShort=Список Поставщиков diff --git a/htdocs/langs/ru_RU/compta.lang b/htdocs/langs/ru_RU/compta.lang index bb264b10e93..1123381eec9 100644 --- a/htdocs/langs/ru_RU/compta.lang +++ b/htdocs/langs/ru_RU/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF покупки LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=НДС собрали -ToPay=Для оплаты +StatusToPay=Для оплаты SpecialExpensesArea=Раздел для всех специальных платежей SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Показать оплате НДС TotalToPay=Всего к оплате 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=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Номер счета @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Короткая метка diff --git a/htdocs/langs/ru_RU/errors.lang b/htdocs/langs/ru_RU/errors.lang index cb96c8ee6ce..7851abaac02 100644 --- a/htdocs/langs/ru_RU/errors.lang +++ b/htdocs/langs/ru_RU/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Пользователь с логином %s н ErrorLoginHasNoEmail=Этот пользователь не имеет адреса электронной почты. Процесс прерван. ErrorBadValueForCode=Плохо значения типов кода. Попробуйте еще раз с новой стоимости ... ErrorBothFieldCantBeNegative=Поля %s и %s не может быть и отрицательным -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Количество строк в счетах клиента не может быть отрицательным ErrorWebServerUserHasNotPermission=Учетная запись пользователя %s используется для выполнения веб-сервер не имеет разрешения для этого ErrorNoActivatedBarcode=Нет штрих-кодов типа активированного @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/ru_RU/holiday.lang b/htdocs/langs/ru_RU/holiday.lang index 006fad197c3..f89db7c7f68 100644 --- a/htdocs/langs/ru_RU/holiday.lang +++ b/htdocs/langs/ru_RU/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Количество истраченных дней отпуска +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Редактировать diff --git a/htdocs/langs/ru_RU/install.lang b/htdocs/langs/ru_RU/install.lang index 136addedef3..7b3e731652b 100644 --- a/htdocs/langs/ru_RU/install.lang +++ b/htdocs/langs/ru_RU/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK= Максимально допустимый размер памяти для сессии установлен в %s. Это должно быть достаточно. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Ваша установка PHP не поддержи ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Каталог %s не существует. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Вы ввели неправильное значение для параметра ' %s'. diff --git a/htdocs/langs/ru_RU/main.lang b/htdocs/langs/ru_RU/main.lang index 8c92ca3dad7..6aeedc477ad 100644 --- a/htdocs/langs/ru_RU/main.lang +++ b/htdocs/langs/ru_RU/main.lang @@ -471,7 +471,7 @@ TotalDuration=Общая продолжительность Summary=Общее DolibarrStateBoard=Статистика базы данных DolibarrWorkBoard=Открытые позиции -NoOpenedElementToProcess=Нет открытого элемента для обработки +NoOpenedElementToProcess=No open element to process Available=Доступно NotYetAvailable=Пока не доступно NotAvailable=Не доступно @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Договор ContactDefault_facture=Счёт ContactDefault_fichinter=Посредничество ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Проект ContactDefault_project_task=Задача ContactDefault_propal=Предложение @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/ru_RU/modulebuilder.lang b/htdocs/langs/ru_RU/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/ru_RU/modulebuilder.lang +++ b/htdocs/langs/ru_RU/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/ru_RU/mrp.lang b/htdocs/langs/ru_RU/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/ru_RU/mrp.lang +++ b/htdocs/langs/ru_RU/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/ru_RU/orders.lang b/htdocs/langs/ru_RU/orders.lang index d8e19ddf9e1..5e148001e53 100644 --- a/htdocs/langs/ru_RU/orders.lang +++ b/htdocs/langs/ru_RU/orders.lang @@ -11,6 +11,7 @@ OrderDate=Дата заказа OrderDateShort=Дата заказа OrderToProcess=Для обработки NewOrder=  Новый заказ +NewOrderSupplier=New Purchase Order ToOrder=Сделать заказ MakeOrder=Сделать заказ SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Отменен StatusOrderDraftShort=Черновик StatusOrderValidatedShort=Подтвержденные @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=В законопроекте StatusOrderToBillShort=В законопроекте StatusOrderApprovedShort=Утверждено StatusOrderRefusedShort=Отказался -StatusOrderBilledShort=Billed StatusOrderToProcessShort=Для обработки StatusOrderReceivedPartiallyShort=Частично получил StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Обработано StatusOrderToBill=В законопроекте StatusOrderApproved=Утверждено StatusOrderRefused=Отказался -StatusOrderBilled=Billed StatusOrderReceivedPartially=Частично получил StatusOrderReceivedAll=All products received ShippingExist=Отгрузки существует @@ -68,8 +69,9 @@ ValidateOrder=Проверка порядка UnvalidateOrder=Unvalidate порядке DeleteOrder=Удалить тему CancelOrder=Отмена порядка -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Создать заказ +AddPurchaseOrder=Create purchase order AddToDraftOrders=Добавить проект заказа ShowOrder=Показать порядок OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Адрес электронной почты OrderByWWW=Интернет OrderByPhone=Телефон # Documents models -PDFEinsteinDescription=Для полной модели (logo. ..) -PDFEratostheneDescription=Для полной модели (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Простая модель для -PDFProformaDescription=Целиком заполненный счёт (логотип...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Оплатить заказы NoOrdersToInvoice=Нет заказов для оплаты CloseProcessedOrdersAutomatically=Отметить "В обработке" все выделенные заказы @@ -152,7 +154,35 @@ OrderCreated=Ваши заказы созданы OrderFail=Возникла ошибка при создании заказов CreateOrders=Создать заказы ToBillSeveralOrderSelectCustomer=Для создания счёта на несколько заказов, сначала нажмите на клиента, затем выберете "%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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Отменена +StatusSupplierOrderDraftShort=Проект +StatusSupplierOrderValidatedShort=Утверждена +StatusSupplierOrderSentShort=В процессе +StatusSupplierOrderSent=Поставки в процессе +StatusSupplierOrderOnProcessShort=Заказано +StatusSupplierOrderProcessedShort=Обработано +StatusSupplierOrderDelivered=В законопроекте +StatusSupplierOrderDeliveredShort=В законопроекте +StatusSupplierOrderToBillShort=В законопроекте +StatusSupplierOrderApprovedShort=Утверждено +StatusSupplierOrderRefusedShort=Отклонено +StatusSupplierOrderToProcessShort=Для обработки +StatusSupplierOrderReceivedPartiallyShort=Частично получил +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Отменена +StatusSupplierOrderDraft=Проект (должно быть подтверждено) +StatusSupplierOrderValidated=Утверждена +StatusSupplierOrderOnProcess=Заказано - ожидает приёма +StatusSupplierOrderOnProcessWithValidation=Заказано - ожидает приёма или подтверждения +StatusSupplierOrderProcessed=Обработано +StatusSupplierOrderToBill=В законопроекте +StatusSupplierOrderApproved=Утверждено +StatusSupplierOrderRefused=Отклонено +StatusSupplierOrderReceivedPartially=Частично получил +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/ru_RU/other.lang b/htdocs/langs/ru_RU/other.lang index 3d8a7ec92e9..e1ecbfaf9d7 100644 --- a/htdocs/langs/ru_RU/other.lang +++ b/htdocs/langs/ru_RU/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Управление членов Фонда DemoFundation2=Управление членами и банковские счета Фонда DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Работа магазина в кассу -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Создан %s ModifiedBy=Модифицированное% по S @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Название WEBSITE_DESCRIPTION=Описание WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/ru_RU/projects.lang b/htdocs/langs/ru_RU/projects.lang index 896f789b8e5..2596e7e4df2 100644 --- a/htdocs/langs/ru_RU/projects.lang +++ b/htdocs/langs/ru_RU/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Эффективная длительность ProgressDeclared=Заданный ход выполнения проекта TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Вычисленный ход выполнения проекта @@ -249,9 +249,13 @@ TimeSpentForInvoice=Время, проведенное OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Новый счёт +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/ru_RU/propal.lang b/htdocs/langs/ru_RU/propal.lang index 4d298fa0903..0ec39a8b5e7 100644 --- a/htdocs/langs/ru_RU/propal.lang +++ b/htdocs/langs/ru_RU/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Показать предложение PropalsDraft=Черновики PropalsOpened=Открытые PropalStatusDraft=Проект (должно быть подтверждено) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Удостоверенная (предложение открыто) PropalStatusSigned=Подпись (в законопроекте) PropalStatusNotSigned=Не подписал (закрытые) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=свяжитесь со счета TypeContact_propal_external_CUSTOMER=Абонентский отдел следующие меры предложение TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Полный текст предложения модели (logo. ..) -DocModelCyanDescription=Полный текст предложения модели (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Создание модели по умолчанию DefaultModelPropalToBill=Шаблон по умолчанию, когда закрывается коммерческое предложение (для создания счёта) DefaultModelPropalClosed=Шаблон по умолчанию, когда закрывается коммерческое предложение (не оплаченное) ProposalCustomerSignature=Письменное подтверждение, печать компании, дата и подпись ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/ru_RU/stocks.lang b/htdocs/langs/ru_RU/stocks.lang index c9f2825e282..a2e752bc883 100644 --- a/htdocs/langs/ru_RU/stocks.lang +++ b/htdocs/langs/ru_RU/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Просмотр склада MovementCorrectStock=Stock correction for product %s MovementTransferStock=Перевозка товара %s на другой склад @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang index 5d1881fbc3f..e7d0129cd5c 100644 --- a/htdocs/langs/sk_SK/admin.lang +++ b/htdocs/langs/sk_SK/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Faktúry Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Redakcia @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integrácia Module240Name=Exporty dát -Module240Desc=Nástroje pre export Dolibarr dát ( s asistentom ) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Import dát -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Členovia Module310Desc=Nadácia členovia vedenia Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Spustiť Hmotné dovozy externých dát do databázy (načítanie Permission1321=Export zákazníkov faktúry, atribúty a platby Permission1322=Znova otvoriť zaplatený účet Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Prečítajte akcie (udalosti alebo úlohy) a ďalšie @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Pozrite sa na miestne sendmail nastavenie BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=Vygenerovaný súbor výpisu by sa mal skladovať na bezpečnom mieste. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= Toto pravidlo je nútený %s aktivovaným modulom PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Je nutné spustiť tento príkaz z príkazového riadka po prihlásení do shellu s užívateľskými %s alebo musíte pridať parameter-w na konci príkazového riadku, aby %s heslo. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Vydanie poľných %s FillThisOnlyIfRequired=Príklad: +2 ( vyplňte iba ak sú predpokladané problémy s časovým posunom ) GetBarCode=Získať čiarový kód +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Späť heslo generované podľa interného algoritmu Dolibarr: 8 znakov obsahujúci zdieľanej čísla a znaky malými písmenami. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Spoločnosť Multi-modul nastavenia ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Maximálna hodnota -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Inštalácia externého modulu z webu nie je možná kôli : SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/sk_SK/bills.lang b/htdocs/langs/sk_SK/bills.lang index 9dd4f3fd60a..e58e9d74cc1 100644 --- a/htdocs/langs/sk_SK/bills.lang +++ b/htdocs/langs/sk_SK/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variabilná čiastka (%% celk.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Kolek YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/sk_SK/categories.lang b/htdocs/langs/sk_SK/categories.lang index 27d67d26d3e..9f9505b76c7 100644 --- a/htdocs/langs/sk_SK/categories.lang +++ b/htdocs/langs/sk_SK/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Táto kategória neobsahuje žiadny produkt. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Táto kategória neobsahuje žiadne zákazníka. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sk_SK/companies.lang b/htdocs/langs/sk_SK/companies.lang index c7e6938b958..ba91a15b328 100644 --- a/htdocs/langs/sk_SK/companies.lang +++ b/htdocs/langs/sk_SK/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof ID 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Moje kontakty Capital=Kapitál CapitalOf=Hlavné mesto %s EditCompany=Upraviť spoločnosť -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Kontrola VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organizácia FiscalYearInformation=Fiscal Year FiscalMonthStart=Počiatočný mesiac fiškálneho roka +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/sk_SK/compta.lang b/htdocs/langs/sk_SK/compta.lang index c587fcd1b25..859d3e5ae70 100644 --- a/htdocs/langs/sk_SK/compta.lang +++ b/htdocs/langs/sk_SK/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF nákupy LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=Vybrané DPH -ToPay=Zaplatiť +StatusToPay=Zaplatiť SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Zobraziť DPH platbu TotalToPay=Celkom k zaplateniu BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Číslo účtu @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Krátky názov diff --git a/htdocs/langs/sk_SK/errors.lang b/htdocs/langs/sk_SK/errors.lang index 67b0b0bcdb9..72cb13e6254 100644 --- a/htdocs/langs/sk_SK/errors.lang +++ b/htdocs/langs/sk_SK/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Užívateľ s prihlásením %s nebol nájdený. ErrorLoginHasNoEmail=Tento užívateľ nemá žiadnu e-mailovú adresu. Proces prerušená. ErrorBadValueForCode=Bad hodnota bezpečnostného kódu. Skúste to znova s ​​novou hodnotou ... ErrorBothFieldCantBeNegative=Polia %s a %s nemôžu byť negatívna -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Užívateľský účet %s použiť na spustenie webový server nemá oprávnenie pre ktoré ErrorNoActivatedBarcode=Žiaden čiarový kód aktivovaný typ @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/sk_SK/holiday.lang b/htdocs/langs/sk_SK/holiday.lang index 6c0101396ce..fd689f5f4a9 100644 --- a/htdocs/langs/sk_SK/holiday.lang +++ b/htdocs/langs/sk_SK/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Upraviť diff --git a/htdocs/langs/sk_SK/install.lang b/htdocs/langs/sk_SK/install.lang index 6e725eeb833..d25a85dc4f2 100644 --- a/htdocs/langs/sk_SK/install.lang +++ b/htdocs/langs/sk_SK/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Maximálna pamäť pre relácie v PHP je nastavená na %s. To by malo stačiť. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Vaše nainštalované PHP nepodporuje Curl ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Adresár %s neexistuje. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Možno ste zadali nesprávnu hodnotu pre parameter "%s". diff --git a/htdocs/langs/sk_SK/main.lang b/htdocs/langs/sk_SK/main.lang index 8cb5e269ddc..effb0e7a22c 100644 --- a/htdocs/langs/sk_SK/main.lang +++ b/htdocs/langs/sk_SK/main.lang @@ -471,7 +471,7 @@ TotalDuration=Celkové trvanie Summary=Zhrnutie DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Dostupný NotYetAvailable=Zatiaľ nie je k dispozícii NotAvailable=Nie je k dispozícii @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Zmluva ContactDefault_facture=Faktúra ContactDefault_fichinter=Zásah ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Úloha ContactDefault_propal=Návrh @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/sk_SK/modulebuilder.lang b/htdocs/langs/sk_SK/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/sk_SK/modulebuilder.lang +++ b/htdocs/langs/sk_SK/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/sk_SK/mrp.lang b/htdocs/langs/sk_SK/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/sk_SK/mrp.lang +++ b/htdocs/langs/sk_SK/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/sk_SK/orders.lang b/htdocs/langs/sk_SK/orders.lang index 7073f9b9695..826364134cd 100644 --- a/htdocs/langs/sk_SK/orders.lang +++ b/htdocs/langs/sk_SK/orders.lang @@ -11,6 +11,7 @@ OrderDate=Dátum objednávky OrderDateShort=Dátum objednávky OrderToProcess=Objednávka na spracovanie NewOrder=Nová objednávka +NewOrderSupplier=New Purchase Order ToOrder=Objednať MakeOrder=Objednať SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Zrušený StatusOrderDraftShort=Návrh StatusOrderValidatedShort=Overené @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Dodáva sa StatusOrderToBillShort=Dodáva sa StatusOrderApprovedShort=Schválený StatusOrderRefusedShort=Odmietol -StatusOrderBilledShort=Účtované StatusOrderToProcessShort=Ak chcete spracovať StatusOrderReceivedPartiallyShort=Čiastočne uložený StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Spracované StatusOrderToBill=Dodáva sa StatusOrderApproved=Schválený StatusOrderRefused=Odmietol -StatusOrderBilled=Účtované StatusOrderReceivedPartially=Čiastočne uložený StatusOrderReceivedAll=All products received ShippingExist=Zásielka existuje @@ -68,8 +69,9 @@ ValidateOrder=Potvrdenie objednávky UnvalidateOrder=Unvalidate objednávku DeleteOrder=Zmazať objednávku CancelOrder=Zrušenie objednávky -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Pridať k predlohe ShowOrder=Zobraziť objednávku OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=E-mail OrderByWWW=Online OrderByPhone=Telefón # Documents models -PDFEinsteinDescription=Kompletné objednávka modelu (logo. ..) -PDFEratostheneDescription=Kompletné objednávka modelu (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Jednoduchý model, aby -PDFProformaDescription=Kompletné proforma faktúra (logo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill objednávky NoOrdersToInvoice=Žiadne objednávky zúčtovateľné CloseProcessedOrdersAutomatically=Klasifikovať "spracovanie" všetky vybrané príkazy. @@ -152,7 +154,35 @@ OrderCreated=Vaše objednávky boli vytvorené OrderFail=Došlo k chybe pri vytváraní objednávky CreateOrders=Vytvorenie objednávky ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Zrušený +StatusSupplierOrderDraftShort=Návrh +StatusSupplierOrderValidatedShort=Overené +StatusSupplierOrderSentShort=V procese +StatusSupplierOrderSent=Preprava v procese +StatusSupplierOrderOnProcessShort=Objednal +StatusSupplierOrderProcessedShort=Spracované +StatusSupplierOrderDelivered=Dodáva sa +StatusSupplierOrderDeliveredShort=Dodáva sa +StatusSupplierOrderToBillShort=Dodáva sa +StatusSupplierOrderApprovedShort=Schválený +StatusSupplierOrderRefusedShort=Odmietol +StatusSupplierOrderToProcessShort=Ak chcete spracovať +StatusSupplierOrderReceivedPartiallyShort=Čiastočne uložený +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Zrušený +StatusSupplierOrderDraft=Návrh (musí byť overená) +StatusSupplierOrderValidated=Overené +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Spracované +StatusSupplierOrderToBill=Dodáva sa +StatusSupplierOrderApproved=Schválený +StatusSupplierOrderRefused=Odmietol +StatusSupplierOrderReceivedPartially=Čiastočne uložený +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/sk_SK/other.lang b/htdocs/langs/sk_SK/other.lang index cd4d003a3d1..cc027659e10 100644 --- a/htdocs/langs/sk_SK/other.lang +++ b/htdocs/langs/sk_SK/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Správa členov nadácie DemoFundation2=Správa členov a bankový účet nadácie DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Správa obchod s pokladňou -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Vytvoril %s ModifiedBy=Zmenil %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Názov WEBSITE_DESCRIPTION=Popis WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/sk_SK/projects.lang b/htdocs/langs/sk_SK/projects.lang index 56ceb5ffe84..13d6765f611 100644 --- a/htdocs/langs/sk_SK/projects.lang +++ b/htdocs/langs/sk_SK/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Efektívny čas ProgressDeclared=Deklarovaná pokrok TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Vypočítaná pokrok @@ -249,9 +249,13 @@ TimeSpentForInvoice=Čas strávený OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Nová faktúra +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/sk_SK/propal.lang b/htdocs/langs/sk_SK/propal.lang index 65e6503aaa4..f5891993cb5 100644 --- a/htdocs/langs/sk_SK/propal.lang +++ b/htdocs/langs/sk_SK/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Zobraziť návrhu PropalsDraft=Dáma PropalsOpened=Otvorení PropalStatusDraft=Návrh (musí byť overená) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Overené (Návrh je v prevádzke) PropalStatusSigned=Podpis (potreby fakturácia) PropalStatusNotSigned=Nie ste prihlásený (uzavretý) PropalStatusBilled=Účtované @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Zákazník faktúra kontakt TypeContact_propal_external_CUSTOMER=Kontakt so zákazníkom nasledujúce vypracovaného návrhu TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Kompletný návrh modelu (logo. ..) -DocModelCyanDescription=Kompletný návrh modelu (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Predvolené model, tvorba DefaultModelPropalToBill=Predvolená šablóna pri zatváraní obchodnej návrh (bude faktúrovať) DefaultModelPropalClosed=Predvolená šablóna pri zatváraní obchodnej návrh (nevyfakturované) ProposalCustomerSignature=Písomná akceptácia, firemná pečiatka, dátum a podpis ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/sk_SK/stocks.lang b/htdocs/langs/sk_SK/stocks.lang index 505374809a4..732da41c991 100644 --- a/htdocs/langs/sk_SK/stocks.lang +++ b/htdocs/langs/sk_SK/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Presun alebo skladový kód IsInPackage=Vložené do balíka WarehouseAllowNegativeTransfer=Zásoby môžu byť mínusové qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Ukázať sklad MovementCorrectStock=Uprava zásob pre produkt %s MovementTransferStock=Transfer zásoby produktu %s do iného skladu @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang index 0e87ec2871b..6ab8f6dcfa0 100644 --- a/htdocs/langs/sl_SI/admin.lang +++ b/htdocs/langs/sl_SI/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Računi Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Urejevalniki @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=Integracija PostNuke Module240Name=Izvoz podatkov -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Uvoz podatkov -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Člani Module310Desc=Upravljanje članov ustanove Module320Name=Vir RSS @@ -878,7 +878,7 @@ Permission1251=Izvajanje masovnega izvoza zunanjih podatkov v bazo podatkov (nal Permission1321=Izvoz računov za kupce, atributov in plačil Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Branje aktivnosti (dogodki ali naloge) ostalih @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=Glejte lokalne nastavitve za pošiljanje pošte BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=Generirano dump datoteko morate shraniti na varno mesto. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=Uvoz MySQL ForcedToByAModule= To pravilo je postavljeno v %s z aktivnim modulom PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Ta ukaz morate pognati iz ukazne vrstice po prijavi v sistem kot uporabnik %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=%s premenjenih polj FillThisOnlyIfRequired=Primer: +2 (uporabite samo, če se pojavijo težave s časovno cono) GetBarCode=Pridobi črtno kodo +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Predlaga geslo, generirano glede na interni Dolibarr algoritem: 8 mest, ki vsebujejo različne številke in male črke. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Nastavitev modula za več podjetij ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Prag -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Instalacija eksternega modula s spletnega vmesnika ni možna zaradi naslednjega razloga: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Instalacijo zunanjega modula iz aplikacije je onemogočil vaš administrator. Prositi ga morate, naj odstrani datoteko %s, da bi omogočil to funkcijo. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/sl_SI/bills.lang b/htdocs/langs/sl_SI/bills.lang index 9e198064e4b..755b37a13f3 100644 --- a/htdocs/langs/sl_SI/bills.lang +++ b/htdocs/langs/sl_SI/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variabilni znesek (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Žig prihodka YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Predloga računa Crabe. Predloga kompletnega računa (Podpora DDV opcije, popusti, pogoji plačila, logo, itd...) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Predlaga številko v formatu %syymm-nnnn za standardne račune in %syymm-nnnn za dobropise kjer je yy leto, mm mesec in nnnn zaporedna številka brez presledkov in večja od 0 diff --git a/htdocs/langs/sl_SI/categories.lang b/htdocs/langs/sl_SI/categories.lang index 1d7aff17df0..738ecd2ca1c 100644 --- a/htdocs/langs/sl_SI/categories.lang +++ b/htdocs/langs/sl_SI/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Značke/kategorije kontaktov AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Ta kategorija ne vsebuje nobenega proizvoda. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Ta kategorija ne vsebuje nobenega kupca. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Dodaj sledeči produkt/storitev ShowCategory=Pokaži značko/kategorijo ByDefaultInList=Privzeto na seznamu ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sl_SI/companies.lang b/htdocs/langs/sl_SI/companies.lang index fb2cc4d80ff..4ae82256d89 100644 --- a/htdocs/langs/sl_SI/companies.lang +++ b/htdocs/langs/sl_SI/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof ID 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Moji kontakti Capital=Kapital CapitalOf=Kapital %s EditCompany=Uredi podjetje -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Kontrola VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organizacija FiscalYearInformation=Fiscal Year FiscalMonthStart=Začetni mesec fiskalnega leta +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/sl_SI/compta.lang b/htdocs/langs/sl_SI/compta.lang index aadfe3b9ee4..f10f0569bd5 100644 --- a/htdocs/langs/sl_SI/compta.lang +++ b/htdocs/langs/sl_SI/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF nakupi LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=Zbir DDV -ToPay=Za plačilo +StatusToPay=Za plačilo SpecialExpensesArea=Področje za posebna plačila SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Prikaži plačilo DDV TotalToPay=Skupaj za plačilo BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Številka konta @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Kratek naziv diff --git a/htdocs/langs/sl_SI/errors.lang b/htdocs/langs/sl_SI/errors.lang index 57f624e73b3..6145d2e9b38 100644 --- a/htdocs/langs/sl_SI/errors.lang +++ b/htdocs/langs/sl_SI/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Uporabnik s prijavo %s ni bilo mogoče najti. ErrorLoginHasNoEmail=Ta uporabnik nima e-poštni naslov. Obdelati prekinjena. ErrorBadValueForCode=Slaba vrednost za varnostno kodo. Poskusite znova z novo vrednost ... ErrorBothFieldCantBeNegative=Polja %s in %s ne more biti tako negativna -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=Uporabniški račun %s uporablja za izvedbo spletni strežnik nima dovoljenja za to ErrorNoActivatedBarcode=Noben tip črtne kode ni aktiviran @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/sl_SI/holiday.lang b/htdocs/langs/sl_SI/holiday.lang index a70a02a8c45..b823a1490d7 100644 --- a/htdocs/langs/sl_SI/holiday.lang +++ b/htdocs/langs/sl_SI/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Število porabljenih dni dopusta +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Uredi diff --git a/htdocs/langs/sl_SI/install.lang b/htdocs/langs/sl_SI/install.lang index ba93276409e..ca6d73f06f9 100644 --- a/htdocs/langs/sl_SI/install.lang +++ b/htdocs/langs/sl_SI/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Maksimalni spomin za sejo vašega PHP je nastavljen na %s. To bi moralo zadoščati. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Mapa %s ne obstaja. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Morda ste vnesli napačno vrednost parametra '%s'. diff --git a/htdocs/langs/sl_SI/main.lang b/htdocs/langs/sl_SI/main.lang index 9a4390a5d20..ded624936f2 100644 --- a/htdocs/langs/sl_SI/main.lang +++ b/htdocs/langs/sl_SI/main.lang @@ -471,7 +471,7 @@ TotalDuration=Skupno trajanje Summary=Povzetek DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Na voljo NotYetAvailable=Še ni na voljo NotAvailable=Ni na voljo @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Pogodba ContactDefault_facture=Račun ContactDefault_fichinter=Intervencija ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Naloga ContactDefault_propal=Ponudba @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/sl_SI/modulebuilder.lang b/htdocs/langs/sl_SI/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/sl_SI/modulebuilder.lang +++ b/htdocs/langs/sl_SI/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/sl_SI/mrp.lang b/htdocs/langs/sl_SI/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/sl_SI/mrp.lang +++ b/htdocs/langs/sl_SI/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/sl_SI/orders.lang b/htdocs/langs/sl_SI/orders.lang index eaf7c667d2e..6ac81edd908 100644 --- a/htdocs/langs/sl_SI/orders.lang +++ b/htdocs/langs/sl_SI/orders.lang @@ -11,6 +11,7 @@ OrderDate=Datum naročila OrderDateShort=Datum naročila OrderToProcess=Naročilo za obdelavo NewOrder=Novo naročilo +NewOrderSupplier=New Purchase Order ToOrder=Potrebno naročiti MakeOrder=Izdelaj naročilo SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Preklicano StatusOrderDraftShort=Osnutek StatusOrderValidatedShort=Potrjeno @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Za fakturiranje StatusOrderToBillShort=Za fakturiranje StatusOrderApprovedShort=Odobreno StatusOrderRefusedShort=Zavrnjeno -StatusOrderBilledShort=Fakturirana StatusOrderToProcessShort=Za obdelavo StatusOrderReceivedPartiallyShort=Delno prejeto StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Obdelano StatusOrderToBill=Za fakturiranje StatusOrderApproved=Odobreno StatusOrderRefused=Zavrnjeno -StatusOrderBilled=Fakturirana StatusOrderReceivedPartially=Delno prejeto StatusOrderReceivedAll=All products received ShippingExist=Pošiljka ne obstaja @@ -68,8 +69,9 @@ ValidateOrder=Potrdi naročilo UnvalidateOrder=Unvalidate red DeleteOrder=Briši naročilo CancelOrder=Prekliči naročilo -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Ustvari naročilo +AddPurchaseOrder=Create purchase order AddToDraftOrders=Dodaj osnutku naročila ShowOrder=Prikaži naročilo OrdersOpened=Naročila za procesiranje @@ -139,10 +141,10 @@ OrderByEMail=E-pošta OrderByWWW=Internet OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Vzorec popolnega naročila (logo...) -PDFEratostheneDescription=Vzorec popolnega naročila (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Vzorec enostavnega naročila -PDFProformaDescription=Kompleten predračun (logo...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Zaračunaj naročila NoOrdersToInvoice=Ni naročil, ki bi jih lahko zaračunali CloseProcessedOrdersAutomatically=Označi vsa izbrana naročila kot "Procesirano" @@ -152,7 +154,35 @@ OrderCreated=Vaša naročila so bila ustvarjena OrderFail=Pri ustvarjanju naročil je prišlo do napake CreateOrders=Ustvari naročila ToBillSeveralOrderSelectCustomer=Za ustvarjanje računa za več naročil najprej kliknite na kupca, nato izberite "%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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Preklicano +StatusSupplierOrderDraftShort=Osnutek +StatusSupplierOrderValidatedShort=Potrjen +StatusSupplierOrderSentShort=V postopku +StatusSupplierOrderSent=Pošiljanje v teku +StatusSupplierOrderOnProcessShort=Naročeno +StatusSupplierOrderProcessedShort=Obdelani +StatusSupplierOrderDelivered=Za fakturiranje +StatusSupplierOrderDeliveredShort=Za fakturiranje +StatusSupplierOrderToBillShort=Za fakturiranje +StatusSupplierOrderApprovedShort=Odobreno +StatusSupplierOrderRefusedShort=Zavrnjeno +StatusSupplierOrderToProcessShort=Za obdelavo +StatusSupplierOrderReceivedPartiallyShort=Delno prejeto +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Preklicano +StatusSupplierOrderDraft=Osnutek (potrebno potrditi) +StatusSupplierOrderValidated=Potrjen +StatusSupplierOrderOnProcess=Naročeno - čaka na prevzem +StatusSupplierOrderOnProcessWithValidation=Naročeno - čaka na prevzem ali potrditev +StatusSupplierOrderProcessed=Obdelani +StatusSupplierOrderToBill=Za fakturiranje +StatusSupplierOrderApproved=Odobreno +StatusSupplierOrderRefused=Zavrnjeno +StatusSupplierOrderReceivedPartially=Delno prejeto +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/sl_SI/other.lang b/htdocs/langs/sl_SI/other.lang index bc359fd43c9..82a97867dd7 100644 --- a/htdocs/langs/sl_SI/other.lang +++ b/htdocs/langs/sl_SI/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Urejanje članov ustanove DemoFundation2=Urejanje članov in bančnih računov ustanove DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Urejanje trgovine z blagajno -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Kreiral %s ModifiedBy=Spremenil %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Naziv WEBSITE_DESCRIPTION=Opis WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/sl_SI/projects.lang b/htdocs/langs/sl_SI/projects.lang index defca64fbb5..9e633f95814 100644 --- a/htdocs/langs/sl_SI/projects.lang +++ b/htdocs/langs/sl_SI/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Efektivno trajanje ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Porabljen čas OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Nov račun +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/sl_SI/propal.lang b/htdocs/langs/sl_SI/propal.lang index e09497a1c34..d63900f3f49 100644 --- a/htdocs/langs/sl_SI/propal.lang +++ b/htdocs/langs/sl_SI/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Prikaži ponudbo PropalsDraft=Osnutki PropalsOpened=Odprt PropalStatusDraft=Osnutek (potrebno potrditi) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Odprta (ponudba je odprta) PropalStatusSigned=Podpisana (potrebno fakturirati) PropalStatusNotSigned=Nepodpisana (zaprta) PropalStatusBilled=Fakturirana @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Kontakt za račun pri kupcu TypeContact_propal_external_CUSTOMER=Kontakt pri kupcu za sledenje ponudbe TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Vzorec kompletne ponudbe (logo...) -DocModelCyanDescription=Vzorec kompletne ponudbe (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Ustvarjanje privzetega modela DefaultModelPropalToBill=Privzeta predloga za zaključek ponudbe (za fakturiranje) DefaultModelPropalClosed=Privzeta predloga za zaključek ponudbe (nefakturirana) ProposalCustomerSignature=Pisna potrditev, žig podjetja, datum in podpis ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/sl_SI/stocks.lang b/htdocs/langs/sl_SI/stocks.lang index b6dbe17d6af..a4460453147 100644 --- a/htdocs/langs/sl_SI/stocks.lang +++ b/htdocs/langs/sl_SI/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Koda gibanja ali zaloge IsInPackage=Vsebina paketa WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Prikaži skladišče MovementCorrectStock=Korekcija zaloge za proizvod %s MovementTransferStock=Skladiščni prenos proizvoda %s v drugo skladišče @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang index c164a708590..94fac6ba7bd 100644 --- a/htdocs/langs/sq_AL/admin.lang +++ b/htdocs/langs/sq_AL/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Faturat Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=Integrimi PostNuke Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/sq_AL/bills.lang b/htdocs/langs/sq_AL/bills.lang index 5641e7b8112..023c749d5c3 100644 --- a/htdocs/langs/sq_AL/bills.lang +++ b/htdocs/langs/sq_AL/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/sq_AL/categories.lang b/htdocs/langs/sq_AL/categories.lang index c46477fa944..40f283ee000 100644 --- a/htdocs/langs/sq_AL/categories.lang +++ b/htdocs/langs/sq_AL/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sq_AL/companies.lang b/htdocs/langs/sq_AL/companies.lang index d6004a2d917..2aac2fc23b4 100644 --- a/htdocs/langs/sq_AL/companies.lang +++ b/htdocs/langs/sq_AL/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/sq_AL/compta.lang b/htdocs/langs/sq_AL/compta.lang index 7f53aa7d165..7bea59962f2 100644 --- a/htdocs/langs/sq_AL/compta.lang +++ b/htdocs/langs/sq_AL/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/sq_AL/errors.lang b/htdocs/langs/sq_AL/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/sq_AL/errors.lang +++ b/htdocs/langs/sq_AL/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/sq_AL/holiday.lang b/htdocs/langs/sq_AL/holiday.lang index 315180b1ad6..fab4134627d 100644 --- a/htdocs/langs/sq_AL/holiday.lang +++ b/htdocs/langs/sq_AL/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/sq_AL/install.lang b/htdocs/langs/sq_AL/install.lang index 8d24b612db2..7f49a04dd2e 100644 --- a/htdocs/langs/sq_AL/install.lang +++ b/htdocs/langs/sq_AL/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/sq_AL/main.lang b/htdocs/langs/sq_AL/main.lang index 1737847e9f0..c2c2d16f829 100644 --- a/htdocs/langs/sq_AL/main.lang +++ b/htdocs/langs/sq_AL/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Faturë ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/sq_AL/modulebuilder.lang b/htdocs/langs/sq_AL/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/sq_AL/modulebuilder.lang +++ b/htdocs/langs/sq_AL/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/sq_AL/mrp.lang b/htdocs/langs/sq_AL/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/sq_AL/mrp.lang +++ b/htdocs/langs/sq_AL/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/sq_AL/orders.lang b/htdocs/langs/sq_AL/orders.lang index 0fdc77ece9e..0e5aa8847fc 100644 --- a/htdocs/langs/sq_AL/orders.lang +++ b/htdocs/langs/sq_AL/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Anulluar StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Miratuar StatusOrderRefusedShort=Refuzuar -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Miratuar StatusOrderRefused=Refuzuar -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Anulluar +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=Nё proces +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Miratuar +StatusSupplierOrderRefusedShort=Refuzuar +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Anulluar +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Miratuar +StatusSupplierOrderRefused=Refuzuar +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/sq_AL/other.lang b/htdocs/langs/sq_AL/other.lang index ddebfe57bd7..ae6be6e116c 100644 --- a/htdocs/langs/sq_AL/other.lang +++ b/htdocs/langs/sq_AL/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Përshkrimi WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/sq_AL/projects.lang b/htdocs/langs/sq_AL/projects.lang index 6aaad99ccfc..715975d3239 100644 --- a/htdocs/langs/sq_AL/projects.lang +++ b/htdocs/langs/sq_AL/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/sq_AL/propal.lang b/htdocs/langs/sq_AL/propal.lang index 2dcccc80cc3..a41a73ab787 100644 --- a/htdocs/langs/sq_AL/propal.lang +++ b/htdocs/langs/sq_AL/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Hapur PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/sq_AL/stocks.lang b/htdocs/langs/sq_AL/stocks.lang index 6c2009f74ab..8c0ecec7e14 100644 --- a/htdocs/langs/sq_AL/stocks.lang +++ b/htdocs/langs/sq_AL/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang index 0e6a39f87f5..9973d17ac4a 100644 --- a/htdocs/langs/sr_RS/admin.lang +++ b/htdocs/langs/sr_RS/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Invoices Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/sr_RS/bills.lang b/htdocs/langs/sr_RS/bills.lang index 2d99d31f047..cd171aac798 100644 --- a/htdocs/langs/sr_RS/bills.lang +++ b/htdocs/langs/sr_RS/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dana PaymentCondition14D=14 dana PaymentConditionShort14DENDMONTH=14 dana od kraja meseca PaymentCondition14DENDMONTH=U roku od 14 dana od poslednjeg dana u tekućem mesecu -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/sr_RS/categories.lang b/htdocs/langs/sr_RS/categories.lang index d3f9258586e..07f917d4552 100644 --- a/htdocs/langs/sr_RS/categories.lang +++ b/htdocs/langs/sr_RS/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Naziv/kategorija kontakata AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Ova kategorija ne sadrži nijedan proizvod. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=Ova kategorija ne sadrži nijednog kupca. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Dodaj sledeći proizvod/uslugu ShowCategory=Prikaži naziv/kategoriju ByDefaultInList=Podrazumevano u listi ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sr_RS/companies.lang b/htdocs/langs/sr_RS/companies.lang index 64387df339d..b3dc0d176c8 100644 --- a/htdocs/langs/sr_RS/companies.lang +++ b/htdocs/langs/sr_RS/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Moji kontakti Capital=Kapital CapitalOf=Kapital od %s EditCompany=Izmeni kompaniju -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Proveri VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organizacija FiscalYearInformation=Fiscal Year FiscalMonthStart=Prvi mesec fiskalne godine +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/sr_RS/compta.lang b/htdocs/langs/sr_RS/compta.lang index 61a8a412c17..6c862fdd0cc 100644 --- a/htdocs/langs/sr_RS/compta.lang +++ b/htdocs/langs/sr_RS/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF kupovina LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=Prihodovani PDV -ToPay=Za plaćanje +StatusToPay=Za plaćanje SpecialExpensesArea=Oblast za sve posebne uplate SocialContribution=Socijalni i poreski trošak SocialContributions=Socijalni i poreski troškovi @@ -112,7 +112,7 @@ ShowVatPayment=Prikaži PDV uplatu TotalToPay=Ukupno za uplatu BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Rač. kod klijenta SupplierAccountancyCodeShort=Rač. kod dobavljača AccountNumber=Broj naloga @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Kratak naziv diff --git a/htdocs/langs/sr_RS/errors.lang b/htdocs/langs/sr_RS/errors.lang index a36a92ee61c..b65a9d5191f 100644 --- a/htdocs/langs/sr_RS/errors.lang +++ b/htdocs/langs/sr_RS/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Korisnik %s nije pronađen. ErrorLoginHasNoEmail=Korisnik nema mail adresu. Operacija otkazana. ErrorBadValueForCode=Pogrešna vrednost za sigurnosni kod. Pokušajte ponovo sa novom vrednošću... ErrorBothFieldCantBeNegative=Oba polja ne mogu oba biti negativna: %s i %s -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Količina za liniju na fakturi klijenta ne može biti negativna. ErrorWebServerUserHasNotPermission=Korisnik %s nema prava za izvršavanje na web serveru ErrorNoActivatedBarcode=Barcode tip nije aktiviran @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=Lozinka je podešena za ovog člana, ali korisnik nije kreiran. To znači da je lozinka sačuvana, ali se član ne može ulogovati na Dolibarr. Informaciju može koristiti neka eksterna komponenta, ali ako nemate potrebe da definišete korisnika/lozinku za članove, možete deaktivirati opciju "Upravljanje lozinkama za svakog člana" u podešavanjima modula Članovi. Ukoliko morate da kreirate login, ali Vam nije potrebna lozinka, ostavite ovo polje prazno da se ovo upozorenje ne bi prikazivalo. Napomena: email može biti korišćen kao login ako je član povezan sa korisnikom. diff --git a/htdocs/langs/sr_RS/holiday.lang b/htdocs/langs/sr_RS/holiday.lang index 39d356e03e1..b001e5f2437 100644 --- a/htdocs/langs/sr_RS/holiday.lang +++ b/htdocs/langs/sr_RS/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Broj potrošenih dana od odmora +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Izmeni diff --git a/htdocs/langs/sr_RS/install.lang b/htdocs/langs/sr_RS/install.lang index a4c5844df7d..357fbbe03ba 100644 --- a/htdocs/langs/sr_RS/install.lang +++ b/htdocs/langs/sr_RS/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Maksimalna memorija za sesije je %s. To bi trebalo biti dovoljno. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Folder %s ne postoji. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=Verovatno ste uneli pogrešnu vrednost za parametar "%s" diff --git a/htdocs/langs/sr_RS/main.lang b/htdocs/langs/sr_RS/main.lang index 7aac7198dc8..da111188c02 100644 --- a/htdocs/langs/sr_RS/main.lang +++ b/htdocs/langs/sr_RS/main.lang @@ -471,7 +471,7 @@ TotalDuration=Ukupno trajanje Summary=Rezime DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Dostupno NotYetAvailable=Još uvek nedostupno NotAvailable=Nedostupno @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Ugovor ContactDefault_facture=Račun ContactDefault_fichinter=Intervencija ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekat ContactDefault_project_task=Zadatak ContactDefault_propal=Ponuda @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/sr_RS/orders.lang b/htdocs/langs/sr_RS/orders.lang index fcd22b53171..81c0bc994b7 100644 --- a/htdocs/langs/sr_RS/orders.lang +++ b/htdocs/langs/sr_RS/orders.lang @@ -11,6 +11,7 @@ OrderDate=Datum narudžbine OrderDateShort=Datum porudžbine OrderToProcess=Narudžbina za obradu NewOrder=Nova narudžbina +NewOrderSupplier=New Purchase Order ToOrder=Kreiraj narudžbinu MakeOrder=Kreiraj narudžbinu SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Otkazano StatusOrderDraftShort=Nacrt StatusOrderValidatedShort=Odobreno @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Isporučeno StatusOrderToBillShort=Isporučeno StatusOrderApprovedShort=Odobreno StatusOrderRefusedShort=Odbijeno -StatusOrderBilledShort=Naplaćeno StatusOrderToProcessShort=Za obradu StatusOrderReceivedPartiallyShort=Delimično primljeno StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Obrađeno StatusOrderToBill=Isporučeno StatusOrderApproved=Odobreno StatusOrderRefused=Odbijeno -StatusOrderBilled=Naplaćeno StatusOrderReceivedPartially=Delimično primljeno StatusOrderReceivedAll=All products received ShippingExist=Isporuka postoji @@ -68,8 +69,9 @@ ValidateOrder=Odobri narudžbinu UnvalidateOrder=Poništi odobrenje narudžbine DeleteOrder=Obriši narudžbinu CancelOrder=Otkaži narudžbinu -OrderReopened= Narudžbina %s je ponovo otvorena +OrderReopened= Order %s re-open AddOrder=Kreiraj narudžbinu +AddPurchaseOrder=Create purchase order AddToDraftOrders=Dodaj draft narudžbini ShowOrder=Pokaži narudžbinu OrdersOpened=Narudžbine za obradu @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Kompletan model narudžbine (logo...) -PDFEratostheneDescription=Kompletan model narudžbine (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Jednostavan model narudžbine -PDFProformaDescription=Kompletan predračun (logo...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Naplata narudžbina NoOrdersToInvoice=Nema naplativih narudžbina CloseProcessedOrdersAutomatically=Označi sve selektovane narudžbine kao "Obrađene". @@ -152,7 +154,35 @@ OrderCreated=Vaše narudžbine su kreirane OrderFail=Došlo je do greške prilikom kreiranja Vaših narudžbina CreateOrders=Kreiraj narudžbine ToBillSeveralOrderSelectCustomer=Da biste kreirali fakturu za nekoliko narudžbina, prvo kliknite na klijenta, pa izaberite "%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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Poništeno +StatusSupplierOrderDraftShort=Nacrt +StatusSupplierOrderValidatedShort=Potvrđen +StatusSupplierOrderSentShort=U toku +StatusSupplierOrderSent=Isporuka u toku +StatusSupplierOrderOnProcessShort=Naručeno +StatusSupplierOrderProcessedShort=Procesuirano +StatusSupplierOrderDelivered=Isporučeno +StatusSupplierOrderDeliveredShort=Isporučeno +StatusSupplierOrderToBillShort=Isporučeno +StatusSupplierOrderApprovedShort=Odobren +StatusSupplierOrderRefusedShort=Odbijen +StatusSupplierOrderToProcessShort=Za procesuiranje +StatusSupplierOrderReceivedPartiallyShort=Delimično primljeno +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Poništeno +StatusSupplierOrderDraft=Nacrt (čeka na odobrenje) +StatusSupplierOrderValidated=Potvrđen +StatusSupplierOrderOnProcess=Naručeno - čeka se prijem +StatusSupplierOrderOnProcessWithValidation=Naručeno - čeka se prijem ili odobrenje +StatusSupplierOrderProcessed=Procesuirano +StatusSupplierOrderToBill=Isporučeno +StatusSupplierOrderApproved=Odobren +StatusSupplierOrderRefused=Odbijen +StatusSupplierOrderReceivedPartially=Delimično primljeno +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/sr_RS/other.lang b/htdocs/langs/sr_RS/other.lang index 6bc27507fc0..31d8e3b3094 100644 --- a/htdocs/langs/sr_RS/other.lang +++ b/htdocs/langs/sr_RS/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Upravljanje članovima fondacije DemoFundation2=Upravljanje članovima i bankovnim računom fondacije DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Upravljanje prodavnicom sa kasom -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Kreirao %s ModifiedBy=Izmenio %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL stranice WEBSITE_TITLE=Naslov WEBSITE_DESCRIPTION=Opis WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Ključne reči LinesToImport=Lines to import diff --git a/htdocs/langs/sr_RS/projects.lang b/htdocs/langs/sr_RS/projects.lang index 71926640dd4..2803813e68c 100644 --- a/htdocs/langs/sr_RS/projects.lang +++ b/htdocs/langs/sr_RS/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Moja zona projekata DurationEffective=Efektivno trajanje ProgressDeclared=Prijavljeni napredak TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Izračunati napredak @@ -249,9 +249,13 @@ TimeSpentForInvoice=Provedeno vreme OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Novi račun +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/sr_RS/propal.lang b/htdocs/langs/sr_RS/propal.lang index 29e8be095de..1220ad99580 100644 --- a/htdocs/langs/sr_RS/propal.lang +++ b/htdocs/langs/sr_RS/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Prikaži ponudu PropalsDraft=Nacrt PropalsOpened=Otvoreno PropalStatusDraft=Nacrt (čeka odobrenje) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Odobrena (ponuda je otvorena) PropalStatusSigned=Potpisana (za naplatu) PropalStatusNotSigned=Nepotpisana (zatvorena) PropalStatusBilled=Naplaćena @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Kontakt sa računa klijenta TypeContact_propal_external_CUSTOMER=Kontakt klijenta koji prati ponudu TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=Kompletan model ponude (logo...) -DocModelCyanDescription=Kompletan model ponude (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Kreacija default modela DefaultModelPropalToBill=Default model prilikom zatvaranja komercijalne ponude (za naplatu) DefaultModelPropalClosed=Default model prilikom zatvaranja komercijalne ponude (nenaplaćen) ProposalCustomerSignature=Pismeno odobrenje, pečat kompanije, datum i potpis ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/sr_RS/stocks.lang b/htdocs/langs/sr_RS/stocks.lang index 2f4526281c4..adad9de00e3 100644 --- a/htdocs/langs/sr_RS/stocks.lang +++ b/htdocs/langs/sr_RS/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Promet ili inventarski kod IsInPackage=Sadržan u paketu WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Prikaži magacin MovementCorrectStock=Ispravka zalihe za proizvod %s MovementTransferStock=Transfer zaliha proizvoda %s u drugi magacin @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang index 0bce42d8d77..5ade1e31c95 100644 --- a/htdocs/langs/sv_SE/admin.lang +++ b/htdocs/langs/sv_SE/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Försäljningsorderhantering Module30Name=Fakturor Module30Desc=Förvaltning av fakturor och kreditanteckningar för kunder. Förvaltning av fakturor och kreditanteckningar för leverantörer Module40Name=Säljare -Module40Desc=Leverantörer och inköpshantering (inköpsorder och fakturering) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Felsökningsloggar Module42Desc=Loggningsfunktioner (fil, syslog, ...). Sådana loggar är för tekniska / debug-ändamål. Module49Name=Redaktion @@ -561,9 +561,9 @@ Module200Desc=LDAP-katalogsynkronisering Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data export -Module240Desc=Verktyg för att exportera Dolibarr-data (med assistenter) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data import -Module250Desc=Verktyg för att importera data till Dolibarr (med assistenter) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Medlemmar Module310Desc=Foundation i ledningen Module320Name=RSS-flöde @@ -878,7 +878,7 @@ Permission1251=Kör massiv import av externa data till databasen (data last) Permission1321=Export kundfakturor, attribut och betalningar Permission1322=Öppna en betald faktura igen Permission1421=Exportera försäljningsorder och attribut -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Läs åtgärder (händelser eller uppgifter) andras @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Ingen säkerhetshändelse har loggats. Detta är normalt o NoEventFoundWithCriteria=Inga säkerhetshändelser har hittats för dessa sökkriterier. SeeLocalSendMailSetup=Se din lokala sendmail inställning BackupDesc=En komplett backup av en Dolibarr-installation kräver två steg. -BackupDesc2=Säkerhetskopiera innehållet i "dokument" -katalogen ( %s ) som innehåller alla uppladdade och genererade filer. Detta kommer även att innehålla alla de dumpningsfiler som genereras i steg 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Säkerhetskopiera strukturen och innehållet i din databas ( %s ) till en dumpfil. För detta kan du använda följande assistent. BackupDescX=Den arkiverade katalogen ska lagras på ett säkert ställe. BackupDescY=Den genererade dumpfilen bör förvaras på ett säkert ställe. @@ -1167,6 +1167,7 @@ RestoreDesc3=Återställ databasstrukturen och data från en säkerhetskopiering RestoreMySQL=MySQL import ForcedToByAModule= Denna regel tvingas %s av en aktiverad modul PreviousDumpFiles=Befintliga säkerhetskopieringsfiler +PreviousArchiveFiles=Existing archive files WeekStartOnDay=Första dagen i veckan RunningUpdateProcessMayBeRequired=Att köra uppgraderingsprocessen verkar vara nödvändigt (Programversion %s skiljer sig från databasversionen %s) YouMustRunCommandFromCommandLineAfterLoginToUser=Du måste köra det här kommandot från kommandoraden efter login till ett skal med användare %s. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Be om föredragen leveransmetod för tredje parter FieldEdition=Edition av fält %s FillThisOnlyIfRequired=Exempel: +2 (fyll endast om tidszon offset problem är erfarna) GetBarCode=Få streckkod +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Återgå ett lösenord som genererats enligt interna Dolibarr algoritm: 8 tecken som innehåller delade siffror och tecken med gemener. PasswordGenerationNone=Föreslå inte ett genererat lösenord. Lösenordet måste skrivas in manuellt. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Kontrollera mottagningsnummereringsmodul MultiCompanySetup=Multi-bolag modul inställning ##### Suppliers ##### SuppliersSetup=Inställning av leverantörsmodul -SuppliersCommandModel=Komplett mall för inköpsorder (logotyp ...) -SuppliersInvoiceModel=Komplett mall av leverantörsfaktura (logotyp ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Leverantörsfakturor nummereringsmodeller IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Gå till fliken "Notifieringar" för en användare för att lägga till eller ta bort meddelanden för användare -GoOntoContactCardToAddMore=Gå på fliken "Notifieringar" från en tredje part för att lägga till eller ta bort meddelanden för kontakter / adresser +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Tröskelvärde -BackupDumpWizard=Trollkarl för att bygga säkerhetskopieringsfilen +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation av extern modul är inte möjligt från webbgränssnittet av följande skäl: SomethingMakeInstallFromWebNotPossible2=Av den anledningen är processen att uppgradera som beskrivs här en manuell process endast en privilegierad användare kan utföra. InstallModuleFromWebHasBeenDisabledByFile=Installation av extern modul från ansökan har inaktiverats av administratören. Du måste be honom att ta bort filen% s för att tillåta denna funktion. @@ -1953,6 +1957,8 @@ SmallerThan=Mindre än LargerThan=Större än IfTrackingIDFoundEventWillBeLinked=Observera att Om ett spårnings-ID finns i inkommande e-post, kopplas händelsen automatiskt till relaterade objekt. WithGMailYouCanCreateADedicatedPassword=Med ett GMail-konto, om du aktiverade valet av 2 steg, rekommenderas att du skapar ett dedikerat andra lösenord för programmet istället för att använda ditt eget lösenordsord från https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/sv_SE/bills.lang b/htdocs/langs/sv_SE/bills.lang index a069455078c..672e53691e7 100644 --- a/htdocs/langs/sv_SE/bills.lang +++ b/htdocs/langs/sv_SE/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 dagar PaymentCondition14D=14 dagar PaymentConditionShort14DENDMONTH=14 dagar i månadsskiftet PaymentCondition14DENDMONTH=Inom 14 dagar efter slutet av månaden -FixAmount=Bestämd mängd +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variabelt belopp (%% summa) VarAmountOneLine=Variabel mängd (%% tot.) - 1 rad med etikett '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Intäkt stämpel YouMustCreateInvoiceFromThird=Det här alternativet är endast tillgängligt när du skapar en faktura från fliken "Kund" från tredje part YouMustCreateInvoiceFromSupplierThird=Det här alternativet är endast tillgängligt när du skapar en faktura från fliken "Leverantör" till tredje part YouMustCreateStandardInvoiceFirstDesc=Du måste först skapa en standardfaktura och konvertera den till "mall" för att skapa en ny mallfaktura -PDFCrabeDescription=Faktura modell Crabe. En fullständig faktura modell (Stöd moms alternativet, rabatter, betalningar villkor, logotyp, etc. ..) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Faktura PDF mall Svamp. En komplett fakturamall PDFCrevetteDescription=Faktura PDF-mall Crevette. En komplett faktura mall för lägesfakturor TerreNumRefModelDesc1=Återger nummer med formatet %syymm-nnnn för standardfakturor och %syymm-NNNN för kreditnotor där yy är året, mm månaden och nnnn är en sekvens med ingen paus och ingen återgång till 0 diff --git a/htdocs/langs/sv_SE/categories.lang b/htdocs/langs/sv_SE/categories.lang index 0052ad87a65..bc23355c4bb 100644 --- a/htdocs/langs/sv_SE/categories.lang +++ b/htdocs/langs/sv_SE/categories.lang @@ -7,7 +7,7 @@ NoCategoryYet=Ingen tagg / kategori av denna typ skapad In=I AddIn=Lägg till i modify=modifiera -Classify=Klassificera +Classify=Märk CategoriesArea=Taggar / kategorier område ProductsCategoriesArea=Produkter / Tjänster taggar / kategorier område SuppliersCategoriesArea=Leverantörer tags / kategorier område @@ -62,6 +62,7 @@ ContactCategoriesShort=Kontakter taggar / kategorier AccountsCategoriesShort=Kontokoder / kategorier ProjectsCategoriesShort=Projekt taggar / kategorier UsersCategoriesShort=Användare taggar / kategorier +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=Denna kategori innehåller inte någon produkt. ThisCategoryHasNoSupplier=Denna kategori innehåller ingen leverantör. ThisCategoryHasNoCustomer=Denna kategori innehåller inte någon kund. @@ -81,10 +82,13 @@ CatProdLinks=Länkar mellan produkter / tjänster och taggar / kategorier CatProJectLinks=Länkar mellan projekt och taggar / kategorier DeleteFromCat=Ta bort från taggar / kategori ExtraFieldsCategories=Extra attibut -CategoriesSetup=Taggar / kategorier setup +CategoriesSetup=Taggar / kategorier inställning CategorieRecursiv=Länk med moderkort / kategori automatiskt CategorieRecursivHelp=Om alternativet är på, när du lägger till en produkt i en underkategori kommer produkten också att läggas till i kategorin förälder. AddProductServiceIntoCategory=Lägg till följande produkt / tjänst ShowCategory=Visa tagg / kategori ByDefaultInList=Som standard i listan ChooseCategory=Välj kategori +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sv_SE/companies.lang b/htdocs/langs/sv_SE/companies.lang index c94ad9dae50..1061325c921 100644 --- a/htdocs/langs/sv_SE/companies.lang +++ b/htdocs/langs/sv_SE/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Mina kontakter Capital=Kapital CapitalOf=Kapital %s EditCompany=Redigera företag -ThisUserIsNot=Denna användare är inte en utsikter, kund eller leverantör +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Kontrollera VATIntraCheckDesc=Moms-ID måste innehålla land prefix. Länken %s använder den europeiska mervärdesskattjänsten (VIES) som kräver internetåtkomst från Dolibarr-servern. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Tilldelad försäljningsrepresentant Organization=Organisation FiscalYearInformation=Räkenskapsår FiscalMonthStart=Första månad av verksamhetsåret +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Du måste skapa ett mail för den här användaren innan du kan lägga till ett e-postmeddelande. YouMustCreateContactFirst=För att kunna lägga till e-postmeddelanden måste du först definiera kontakter med giltiga e-postmeddelanden till tredjepart ListSuppliersShort=Förteckning över leverantörer diff --git a/htdocs/langs/sv_SE/compta.lang b/htdocs/langs/sv_SE/compta.lang index c1db9089a98..18229edd1cf 100644 --- a/htdocs/langs/sv_SE/compta.lang +++ b/htdocs/langs/sv_SE/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF inköp LT2CustomerIN=SGST-försäljningen LT2SupplierIN=SGST-inköp VATCollected=Momsintäkterna -ToPay=Att betala +StatusToPay=Att betala SpecialExpensesArea=Område för alla special betalningar SocialContribution=Social eller skattemässig skatt SocialContributions=Sociala eller skattemässiga skatter @@ -112,7 +112,7 @@ ShowVatPayment=Visa mervärdesskatteskäl TotalToPay=Totalt att betala BalanceVisibilityDependsOnSortAndFilters=Balans är endast synlig i den här listan om tabell sorteras stigande på %s och filtreras för 1 bankkonto CustomerAccountancyCode=Kundbokföringskod -SupplierAccountancyCode=leverantörens bokföringskod +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. konto. koda SupplierAccountancyCodeShort=Sup. konto. koda AccountNumber=Kontonummer @@ -254,3 +254,4 @@ ByVatRate=Med försäljningsskattesats TurnoverbyVatrate=Omsättning fakturerad med försäljningsskattesats TurnoverCollectedbyVatrate=Omsättning upptagen med försäljningsskattesats PurchasebyVatrate=Inköp med försäljningsskattesats +LabelToShow=Short label diff --git a/htdocs/langs/sv_SE/errors.lang b/htdocs/langs/sv_SE/errors.lang index 53c75f45325..3aa31be0c07 100644 --- a/htdocs/langs/sv_SE/errors.lang +++ b/htdocs/langs/sv_SE/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Användaren med inloggning %s kunde inte hittas. ErrorLoginHasNoEmail=Denna användare har inga e-postadress. Process avbruten. ErrorBadValueForCode=Dåligt värde typer för kod. Försök igen med ett nytt värde ... ErrorBothFieldCantBeNegative=Fält %s och %s kan inte vara både negativt -ErrorFieldCantBeNegativeOnInvoice=Fält %s kan inte vara negativt på denna typ av faktura. Om du vill lägga till en rabattlinje, skapa bara rabatten först med länken %s på skärmen och använd den på fakturan. Du kan också be din administratör om att ange alternativet FACTURE_ENABLE_NEGATIVE_LINES till 1 för att tillåta det gamla beteendet. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Kvantitet för linje i kundfakturor kan inte vara negativt ErrorWebServerUserHasNotPermission=Användarkonto %s användas för att exekvera webbserver har ingen behörighet för den ErrorNoActivatedBarcode=Ingen streckkod typ aktiveras @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=Ett lösenord har ställts för den här medlemmen. Men inget användarkonto skapades. Så det här lösenordet är lagrat men kan inte användas för att logga in till Dolibarr. Den kan användas av en extern modul / gränssnitt men om du inte behöver definiera någon inloggning eller ett lösenord för en medlem kan du inaktivera alternativet "Hantera en inloggning för varje medlem" från inställningen av medlemsmodulen. Om du behöver hantera en inloggning men inte behöver något lösenord, kan du hålla fältet tomt för att undvika denna varning. Obs! Email kan också användas som inloggning om medlemmen är länkad till en användare. diff --git a/htdocs/langs/sv_SE/holiday.lang b/htdocs/langs/sv_SE/holiday.lang index d874b727b7f..938b8db59ef 100644 --- a/htdocs/langs/sv_SE/holiday.lang +++ b/htdocs/langs/sv_SE/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Typ av ledighet ID TypeOfLeaveCode=Typ av ledighetskod TypeOfLeaveLabel=Typ av lämnad etikett NbUseDaysCP=Antal dagars semester konsumeras +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Dagar konsumeras NbUseDaysCPShortInMonth=Dagar konsumeras i månaden +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Startdatum i månaden DateEndInMonth=Slutdatum i månaden EditCP=Redigera diff --git a/htdocs/langs/sv_SE/install.lang b/htdocs/langs/sv_SE/install.lang index cad414de9af..433315fad2f 100644 --- a/htdocs/langs/sv_SE/install.lang +++ b/htdocs/langs/sv_SE/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Detta PHP stöder Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=Detta PHP stöder UTF8 funktioner. PHPSupportIntl=Detta PHP stöder Intl-funktioner. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Din PHP max session minne är inställt på %s. Detta bör vara nog. PHPMemoryTooLow=Ditt PHP max-sessionminne är inställt på %s bytes. Detta är för lågt. Ändra din php.ini för att ställa in memory_limit parameter till minst %s bytes. Recheck=Klicka här för ett mer detaljerat test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Din PHP-installation stöder inte Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Din PHP-installation stöder inte UTF8-funktioner. Dolibarr kan inte fungera korrekt. Lös det här innan du installerar Dolibarr. ErrorPHPDoesNotSupportIntl=Din PHP-installation stöder inte Intl-funktioner. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Nummer %s finns inte. ErrorGoBackAndCorrectParameters=Gå tillbaka och kontrollera / korrigera parametrarna. ErrorWrongValueForParameter=Du kan ha skrivit fel värde för parametern "%s". diff --git a/htdocs/langs/sv_SE/main.lang b/htdocs/langs/sv_SE/main.lang index f2d678fa4f7..f3768dcf8ed 100644 --- a/htdocs/langs/sv_SE/main.lang +++ b/htdocs/langs/sv_SE/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total längd Summary=Sammanfattning DolibarrStateBoard=Databasstatistik DolibarrWorkBoard=Öppna föremål -NoOpenedElementToProcess=Inget öppet element att bearbeta +NoOpenedElementToProcess=No open element to process Available=Tillgängliga NotYetAvailable=Ännu inte tillgängligt NotAvailable=Inte tillgänglig @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Kontrakt ContactDefault_facture=Faktura ContactDefault_fichinter=Insats ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Projekt ContactDefault_project_task=Uppgift ContactDefault_propal=Förslag @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/sv_SE/modulebuilder.lang b/htdocs/langs/sv_SE/modulebuilder.lang index 734d5ce3b8f..cc7bc6169ad 100644 --- a/htdocs/langs/sv_SE/modulebuilder.lang +++ b/htdocs/langs/sv_SE/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=Lista över definierade behörigheter SeeExamples=Se exempel här EnabledDesc=Villkor att ha detta fält aktivt (Exempel: 1 eller $ 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Kan värdet av fält ackumuleras för att få en total i listan? (Exempel: 1 eller 0) SearchAllDesc=Är fältet används för att göra en sökning från snabbsökningsverktyget? (Exempel: 1 eller 0) SpecDefDesc=Ange här all dokumentation du vill ge med din modul som inte redan är definierad av andra flikar. Du kan använda .md eller bättre, den rika .asciidoc-syntaxen. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/sv_SE/mrp.lang b/htdocs/langs/sv_SE/mrp.lang index cbbbe1359cd..7a91f262b9d 100644 --- a/htdocs/langs/sv_SE/mrp.lang +++ b/htdocs/langs/sv_SE/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/sv_SE/orders.lang b/htdocs/langs/sv_SE/orders.lang index 0335bf85c99..089b388185c 100644 --- a/htdocs/langs/sv_SE/orders.lang +++ b/htdocs/langs/sv_SE/orders.lang @@ -11,6 +11,7 @@ OrderDate=Beställ datum OrderDateShort=Beställ datum OrderToProcess=Att kunna bearbeta NewOrder=Ny order +NewOrderSupplier=New Purchase Order ToOrder=Gör så MakeOrder=Gör så SupplierOrder=Inköpsorder @@ -25,9 +26,11 @@ OrdersToBill=Försäljningsorder levereras OrdersInProcess=Försäljningsorder pågår OrdersToProcess=Försäljningsorder att bearbeta SuppliersOrdersToProcess=Köp beställningar att bearbeta +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Annullerad StatusOrderDraftShort=Förslag -StatusOrderValidatedShort=Validerad +StatusOrderValidatedShort=Bekräftat StatusOrderSentShort=I processen StatusOrderSent=Sändning pågår StatusOrderOnProcessShort=Beställda @@ -37,20 +40,18 @@ StatusOrderDeliveredShort=Till Bill StatusOrderToBillShort=Till Bill StatusOrderApprovedShort=Godkänd StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Fakturerade StatusOrderToProcessShort=För att kunna behandla StatusOrderReceivedPartiallyShort=Delvis fått StatusOrderReceivedAllShort=Mottagna produkter StatusOrderCanceled=Annullerad -StatusOrderDraft=Utkast (måste valideras) -StatusOrderValidated=Validerad +StatusOrderDraft=Utkast (måste bekräftas) +StatusOrderValidated=Bekräftat StatusOrderOnProcess=Beställda, väntar på inleverans -StatusOrderOnProcessWithValidation=Beställd - Avvakter mottagning eller validering +StatusOrderOnProcessWithValidation=Beställd - Avvakter mottagning eller bekräftande StatusOrderProcessed=Bearbetade StatusOrderToBill=Till Bill StatusOrderApproved=Godkänd StatusOrderRefused=Refused -StatusOrderBilled=Fakturerade StatusOrderReceivedPartially=Delvis fått StatusOrderReceivedAll=Alla produkter mottagna ShippingExist=En sändning föreligger @@ -65,11 +66,12 @@ RefuseOrder=Vägra att ApproveOrder=Godkänn beställning Approve2Order=Godkänn order (andra nivån) ValidateOrder=Verifiera att -UnvalidateOrder=Unvalidate För +UnvalidateOrder=Märka ordrar från bekräftat->utkast DeleteOrder=Radera order CancelOrder=Avbryt för -OrderReopened= Beställ %s Återöppnad +OrderReopened= Order %s re-open AddOrder=Skapa order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Lägg till förlags order ShowOrder=Visa att OrdersOpened=Beställer att bearbeta @@ -90,12 +92,12 @@ ListOfOrders=Lista över beställningar CloseOrder=Stäng order ConfirmCloseOrder=Är du säker på att du vill ställa in den här beställningen att levereras? När en beställning har levererats kan den ställas in för fakturering. ConfirmDeleteOrder=Är du säker på att du vill radera den här beställningen? -ConfirmValidateOrder=Är du säker på att du vill validera denna order under namnet %s ? +ConfirmValidateOrder=Är du säker på att du vill bekräfta denna order under namnet %s ? ConfirmUnvalidateOrder=Är du säker på att du vill återställa ordningen %s till utkastsstatus? ConfirmCancelOrder=Är du säker på att du vill avbryta denna order? ConfirmMakeOrder=Är du säker på att du vill bekräfta att du har gjort denna order på %s ? GenerateBill=Skapa faktura -ClassifyShipped=Klassificera levereras +ClassifyShipped=Märk levererad DraftOrders=Förslag till beslut DraftSuppliersOrders=Utkast till beställningar OnProcessOrders=I processen order @@ -139,20 +141,48 @@ OrderByEMail=epost OrderByWWW=Nätet OrderByPhone=Telefonen # Documents models -PDFEinsteinDescription=En fullständig för-modellen (logo. ..) -PDFEratostheneDescription=En fullständig för-modellen (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=En enkel ordermodell -PDFProformaDescription=En fullständig proforma faktura (logo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Faktura order NoOrdersToInvoice=Inga order fakturerbar -CloseProcessedOrdersAutomatically=Klassificera "bearbetade" alla valda order. +CloseProcessedOrdersAutomatically=Märk "bearbetade" alla valda order. OrderCreation=Order skapning Ordered=Beställt OrderCreated=Din order har skapats OrderFail=Ett fel inträffade under din order skapande CreateOrders=Skapa order ToBillSeveralOrderSelectCustomer=För att skapa en faktura för flera ordrar, klicka först på kunden och välj sedan "%s". -OptionToSetOrderBilledNotEnabled=Alternativ (från modul Workflow) för att ställa in order att "Fakturas" automatiskt när fakturan är validerad är avstängd, så du måste ställa in orderstatus till "Fakturerade" manuellt. -IfValidateInvoiceIsNoOrderStayUnbilled=Om fakturatvalidering är 'Nej', fortsätter ordern till status 'Unbilled' tills fakturan är validerad. -CloseReceivedSupplierOrdersAutomatically=Stäng beställningen till "%s" automatiskt om alla produkter är mottagna. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. +IfValidateInvoiceIsNoOrderStayUnbilled=Om fakturatbekräftande är 'Nej', fortsätter ordern till status 'Unbilled' tills fakturan är bekräftat. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Ställ in fraktläge +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Annullerad +StatusSupplierOrderDraftShort=Utkast +StatusSupplierOrderValidatedShort=Bekräftade +StatusSupplierOrderSentShort=I processen +StatusSupplierOrderSent=Sändning pågår +StatusSupplierOrderOnProcessShort=Beställda +StatusSupplierOrderProcessedShort=Bearbetad +StatusSupplierOrderDelivered=Till Bill +StatusSupplierOrderDeliveredShort=Till Bill +StatusSupplierOrderToBillShort=Till Bill +StatusSupplierOrderApprovedShort=Godkänd +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=För att kunna behandla +StatusSupplierOrderReceivedPartiallyShort=Delvis fått +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Annullerad +StatusSupplierOrderDraft=Utkast (måste bekräftas) +StatusSupplierOrderValidated=Bekräftade +StatusSupplierOrderOnProcess=Beställda, väntar på inleverans +StatusSupplierOrderOnProcessWithValidation=Beställd - Avvakter mottagning eller bekräftande +StatusSupplierOrderProcessed=Bearbetad +StatusSupplierOrderToBill=Till Bill +StatusSupplierOrderApproved=Godkänd +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Delvis fått +StatusSupplierOrderReceivedAll=Alla produkter mottagna diff --git a/htdocs/langs/sv_SE/other.lang b/htdocs/langs/sv_SE/other.lang index 9e7e4bf3b58..28a1f847833 100644 --- a/htdocs/langs/sv_SE/other.lang +++ b/htdocs/langs/sv_SE/other.lang @@ -24,7 +24,7 @@ MessageOK=Meddelande på retursidan för en bekräftat betalning MessageKO=Meddelande på retursidan för en avbokad betalning ContentOfDirectoryIsNotEmpty=Innehållet i den här katalogen är inte tomt. DeleteAlsoContentRecursively=Kontrollera att allt innehåll rekursivt raderas - +PoweredBy=Powered by YearOfInvoice=År för fakturadatum PreviousYearOfInvoice=Föregående år av fakturadatum NextYearOfInvoice=Följande år med fakturadatum @@ -104,7 +104,8 @@ DemoFundation=Hantera medlemmar av en stiftelse DemoFundation2=Hantera medlemmar och bankkonto i en stiftelse DemoCompanyServiceOnly=Endast företag eller frilansförsäljning DemoCompanyShopWithCashDesk=Hantera en butik med en kassa -DemoCompanyProductAndStocks=Företag som säljer produkter med en butik +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Företag med flera aktiviteter (alla huvudmoduler) CreatedBy=Skapad av %s ModifiedBy=Uppdaterad av %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=Webbadressen WEBSITE_TITLE=Titel WEBSITE_DESCRIPTION=Beskrivning WEBSITE_IMAGE=Bild -WEBSITE_IMAGEDesc=Relativ sökväg i bildmediet. Du kan hålla det tomt eftersom det här sällan används (det kan användas av dynamiskt innehåll för att visa en förhandsgranskning av en lista med blogginlägg). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Nyckelord LinesToImport=Rader att importera diff --git a/htdocs/langs/sv_SE/projects.lang b/htdocs/langs/sv_SE/projects.lang index 5b8d2ff9e44..b894753691e 100644 --- a/htdocs/langs/sv_SE/projects.lang +++ b/htdocs/langs/sv_SE/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Mina projektområde DurationEffective=Effektiv längd ProgressDeclared=Förklarades framsteg TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Beräknat framsteg @@ -249,9 +249,13 @@ TimeSpentForInvoice=Tid OneLinePerUser=En rad per användare ServiceToUseOnLines=Service att använda på linjer InvoiceGeneratedFromTimeSpent=Faktura %s har genererats från tid till projekt -ProjectBillTimeDescription=Kontrollera om du anger tidtabell för projektuppgifter OCH du planerar att generera faktura (er) från tidtabellen för att debitera kunden för projektet (kontrollera inte om du planerar att skapa en faktura som inte är baserad på angivna tidtabeller). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Ny faktura +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/sv_SE/propal.lang b/htdocs/langs/sv_SE/propal.lang index 294cc9e58fb..7dac5a9f015 100644 --- a/htdocs/langs/sv_SE/propal.lang +++ b/htdocs/langs/sv_SE/propal.lang @@ -3,7 +3,7 @@ Proposals=Kommersiella förslag Proposal=Kommersiella förslag ProposalShort=Förslag ProposalsDraft=Utkast till kommersiella förslag -ProposalsOpened=Open commercial proposals +ProposalsOpened=Öppna kommersiella förslag CommercialProposal=Kommersiella förslag PdfCommercialProposalTitle=Kommersiella förslag ProposalCard=Förslaget kortet @@ -11,29 +11,29 @@ NewProp=Nya kommersiella förslag NewPropal=Nytt förslag Prospect=Prospect DeleteProp=Ta bort kommersiella förslag -ValidateProp=Validate kommersiella förslag +ValidateProp=Bekräfta kommersiella förslag AddProp=Skapa förslag -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 +ConfirmDeleteProp=Är du säker på att du vill radera det här kommersiella förslaget? +ConfirmValidateProp=Är du säker på att du vill bekräfta detta kommersiella förslag under namnet %s ? +LastPropals=Senaste %s-förslagen LastModifiedProposals=Senaste %s ändrade förslag AllPropals=Alla förslag SearchAProposal=Sök ett förslag -NoProposal=No proposal +NoProposal=Inget förslag ProposalsStatistics=Kommersiella förslag statistik NumberOfProposalsByMonth=Antal per månad -AmountOfProposalsByMonthHT=Amount by month (excl. tax) +AmountOfProposalsByMonthHT=Belopp per månad (exkl. skatt) NbOfProposals=Antal kommersiella förslag ShowPropal=Visa förslag PropalsDraft=Utkast PropalsOpened=Öppen -PropalStatusDraft=Utkast (måste valideras) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusDraft=Utkast (måste bekräftas) +PropalStatusValidated=Validerad (förslag är öppen) PropalStatusSigned=Undertecknats (behov fakturering) PropalStatusNotSigned=Inte undertecknat (stängt) PropalStatusBilled=Fakturerade PropalStatusDraftShort=Förslag -PropalStatusValidatedShort=Validated (open) +PropalStatusValidatedShort=Bekräftat (öppen) PropalStatusClosedShort=Stängt PropalStatusSignedShort=Signerad PropalStatusNotSignedShort=Inte undertecknat @@ -47,17 +47,17 @@ SendPropalByMail=Skicka kommersiella förslag per post DatePropal=Datum för förslag DateEndPropal=Datum sista giltighetsdag ValidityDuration=Giltighet varaktighet -CloseAs=Set status to -SetAcceptedRefused=Set accepted/refused +CloseAs=Ställ in status till +SetAcceptedRefused=Set accepterad / vägrad ErrorPropalNotFound=Propal %s hittades inte AddToDraftProposals=Lägg till förslagsutkast NoDraftProposals=Inga förslagsutkast CopyPropalFrom=Skapa kommersiella förslag genom att kopiera befintliga förslaget -CreateEmptyPropal=Create empty commercial proposal or from list of products/services +CreateEmptyPropal=Skapa tomt kommersiellt förslag eller från listan över produkter / tjänster DefaultProposalDurationValidity=Standard kommersiella förslag giltighet längd (i dagar) -UseCustomerContactAsPropalRecipientIfExist=Use contact/address with type 'Contact following-up proposal' if defined instead of third party address as proposal recipient address -ConfirmClonePropal=Are you sure you want to clone the commercial proposal %s? -ConfirmReOpenProp=Are you sure you want to open back the commercial proposal %s? +UseCustomerContactAsPropalRecipientIfExist=Använd kontakt / adress med typ "Kontakt efterföljande förslag" om det definieras i stället för tredjepartsadress som mottagaradress för förslag +ConfirmClonePropal=Är du säker på att du vill klona det kommersiella förslaget %s ? +ConfirmReOpenProp=Är du säker på att du vill öppna tillbaka det kommersiella förslaget %s ? ProposalsAndProposalsLines=Kommersiella förslag och linjer ProposalLine=Förslag linje AvailabilityPeriod=Tillgänglighet fördröjning @@ -74,12 +74,13 @@ AvailabilityTypeAV_1M=1 månad TypeContact_propal_internal_SALESREPFOLL=Representanten följa upp förslag TypeContact_propal_external_BILLING=Kundfaktura kontakt TypeContact_propal_external_CUSTOMER=Kundkontakt följa upp förslag -TypeContact_propal_external_SHIPPING=Customer contact for delivery +TypeContact_propal_external_SHIPPING=Kundkontakt för leverans # Document models -DocModelAzurDescription=Ett fullständigt förslag modell (logo. ..) -DocModelCyanDescription=Ett fullständigt förslag modell (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Skapa standardmodell DefaultModelPropalToBill=Standardmall när ett affärsförslag sluts (att fakturera) DefaultModelPropalClosed=Standardmall när ett affärsförslag sluts (ofakturerat) -ProposalCustomerSignature=Written acceptance, company stamp, date and signature -ProposalsStatisticsSuppliers=Vendor proposals statistics +ProposalCustomerSignature=Skriftligt godkännande, företagsstämpel, datum och signatur +ProposalsStatisticsSuppliers=Statistik för leverantörsförslag +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/sv_SE/stocks.lang b/htdocs/langs/sv_SE/stocks.lang index 07cf69b1952..85e246557bb 100644 --- a/htdocs/langs/sv_SE/stocks.lang +++ b/htdocs/langs/sv_SE/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Lagerrörelse- eller inventeringskod IsInPackage=Ingår i förpackning WarehouseAllowNegativeTransfer=Lager kan vara negativt qtyToTranferIsNotEnough=Du har inte tillräckligt med lager från ditt källlager och din inställning tillåter inte negativa bestånd. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Visa lagret MovementCorrectStock=Lagerkorrigering för produkt %s MovementTransferStock=Lagerförflyttning av produkt %s till ett annat lager @@ -192,6 +193,7 @@ TheoricalQty=Teoretisk mängd TheoricalValue=Teoretisk mängd LastPA=Senaste BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Verklig antal RealValue=Riktigt värde RegulatedQty=Reglerad mängd diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang index 7989f355378..ee21120b982 100644 --- a/htdocs/langs/sw_SW/admin.lang +++ b/htdocs/langs/sw_SW/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Invoices Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/sw_SW/bills.lang b/htdocs/langs/sw_SW/bills.lang index e6ea4390fd8..7ce06448be4 100644 --- a/htdocs/langs/sw_SW/bills.lang +++ b/htdocs/langs/sw_SW/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/sw_SW/categories.lang b/htdocs/langs/sw_SW/categories.lang index a6c3ffa01b0..7207bbacc38 100644 --- a/htdocs/langs/sw_SW/categories.lang +++ b/htdocs/langs/sw_SW/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/sw_SW/companies.lang b/htdocs/langs/sw_SW/companies.lang index 7439972e906..c569a48c84a 100644 --- a/htdocs/langs/sw_SW/companies.lang +++ b/htdocs/langs/sw_SW/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/sw_SW/compta.lang b/htdocs/langs/sw_SW/compta.lang index 3f175b8b782..1de030a1905 100644 --- a/htdocs/langs/sw_SW/compta.lang +++ b/htdocs/langs/sw_SW/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/sw_SW/errors.lang b/htdocs/langs/sw_SW/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/sw_SW/errors.lang +++ b/htdocs/langs/sw_SW/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/sw_SW/holiday.lang b/htdocs/langs/sw_SW/holiday.lang index 69b6a698e1a..82de49f9c5f 100644 --- a/htdocs/langs/sw_SW/holiday.lang +++ b/htdocs/langs/sw_SW/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/sw_SW/install.lang b/htdocs/langs/sw_SW/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/sw_SW/install.lang +++ b/htdocs/langs/sw_SW/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/sw_SW/main.lang b/htdocs/langs/sw_SW/main.lang index ac411f56f3e..63d2698b9e6 100644 --- a/htdocs/langs/sw_SW/main.lang +++ b/htdocs/langs/sw_SW/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/sw_SW/orders.lang b/htdocs/langs/sw_SW/orders.lang index ad895845488..503955cf5f0 100644 --- a/htdocs/langs/sw_SW/orders.lang +++ b/htdocs/langs/sw_SW/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/sw_SW/other.lang b/htdocs/langs/sw_SW/other.lang index 7ee672f089b..46424590f31 100644 --- a/htdocs/langs/sw_SW/other.lang +++ b/htdocs/langs/sw_SW/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/sw_SW/projects.lang b/htdocs/langs/sw_SW/projects.lang index 868a696c20a..e9a559f6140 100644 --- a/htdocs/langs/sw_SW/projects.lang +++ b/htdocs/langs/sw_SW/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/sw_SW/propal.lang b/htdocs/langs/sw_SW/propal.lang index 7fce5107356..39bfdea31c8 100644 --- a/htdocs/langs/sw_SW/propal.lang +++ b/htdocs/langs/sw_SW/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/sw_SW/stocks.lang b/htdocs/langs/sw_SW/stocks.lang index 2e207e63b39..9856649b834 100644 --- a/htdocs/langs/sw_SW/stocks.lang +++ b/htdocs/langs/sw_SW/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang index 404dbc92a15..ce0012acec8 100644 --- a/htdocs/langs/th_TH/admin.lang +++ b/htdocs/langs/th_TH/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=ใบแจ้งหนี้ Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=บรรณาธิการ @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=บูรณาการ PostNuke Module240Name=ข้อมูลการส่งออก -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=การนำเข้าข้อมูล -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=สมาชิก Module310Desc=มูลนิธิการจัดการสมาชิก Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=เรียกมวลของการนำเข้าข Permission1321=ส่งออกใบแจ้งหนี้ของลูกค้าคุณลักษณะและการชำระเงิน Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=อ่านการกระทำ (เหตุการณ์หรืองาน) ของบุคคลอื่น @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=ดูการตั้งค่าของคุณ sendmail ท้องถิ่น BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=สร้างแฟ้มการถ่ายโอนควรเก็บไว้ในสถานที่ที่ปลอดภัย @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=นำเข้า MySQL ForcedToByAModule= กฎนี้ถูกบังคับให้% โดยการเปิดใช้งานโมดูล PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=คุณต้องเรียกใช้คำสั่งจากบรรทัดคำสั่งนี้หลังจากที่เข้าสู่ระบบไปยังเปลือกกับผู้ใช้% s หรือคุณต้องเพิ่มตัวเลือก -W ที่ท้ายบรรทัดคำสั่งที่จะให้รหัสผ่าน% s @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=ฉบับของสนาม% s FillThisOnlyIfRequired=ตัวอย่าง: 2 (กรอกข้อมูลเฉพาะในกรณีที่เขตเวลาชดเชยปัญหาที่มีประสบการณ์) GetBarCode=รับบาร์โค้ด +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=กลับสร้างรหัสผ่านตามขั้นตอนวิธี Dolibarr ภายใน: 8 ตัวอักษรที่ใช้ร่วมกันที่มีตัวเลขและตัวอักษรตัวพิมพ์เล็ก PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=หลาย บริษัท ติดตั้งโมดูล ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=ธรณีประตู -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=การติดตั้งโมดูลภายนอกเป็นไปไม่ได้จากอินเตอร์เฟซเว็บด้วยเหตุผลต่อไปนี้: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=ติดตั้งโมดูลภายนอกจากโปรแกรมที่ได้รับการปิดใช้งานโดยผู้ดูแลระบบ คุณต้องขอให้เขาลบไฟล์% s เพื่อให้คุณลักษณะนี้ @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/th_TH/bills.lang b/htdocs/langs/th_TH/bills.lang index dbe7f27de0e..6bc125c01d8 100644 --- a/htdocs/langs/th_TH/bills.lang +++ b/htdocs/langs/th_TH/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=ปริมาณ (ทีโอที %%.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=อากรแสตมป์ YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=ใบแจ้งหนี้แม่แบบ PDF Crabe แม่แบบใบแจ้งหนี้ฉบับสมบูรณ์ (แนะนำ Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=จำนวนกลับมาพร้อมกับรูปแบบ% syymm-nnnn สำหรับใบแจ้งหนี้และมาตรฐาน% syymm-nnnn สำหรับการบันทึกเครดิตที่ yy เป็นปีเป็นเดือนมิลลิเมตรและ nnnn เป็นลำดับที่มีการหยุดพักและกลับไปที่ 0 ไม่มี diff --git a/htdocs/langs/th_TH/categories.lang b/htdocs/langs/th_TH/categories.lang index 0007d27abe7..2e7a36e11e3 100644 --- a/htdocs/langs/th_TH/categories.lang +++ b/htdocs/langs/th_TH/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=แท็กติดต่อ / ประเภท AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=ประเภทนี้ไม่ได้มีผลิตภัณฑ์ใด ๆ ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=ประเภทนี้ไม่ได้มีลูกค้า @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=เพิ่มสินค้า / บริก ShowCategory=แสดงแท็ก / หมวดหมู่ ByDefaultInList=โดยค่าเริ่มต้นในรายการ ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/th_TH/companies.lang b/htdocs/langs/th_TH/companies.lang index a1c75d0eeb9..7bfd0bcff28 100644 --- a/htdocs/langs/th_TH/companies.lang +++ b/htdocs/langs/th_TH/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=ศหมายเลข 1 (OGRN) ProfId2RU=ศหมายเลข 2 (INN) ProfId3RU=ศหมายเลข 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=รายชื่อของฉัน Capital=เมืองหลวง CapitalOf=เมืองหลวงของ% s EditCompany=แก้ไข บริษัท -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=ตรวจสอบ VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=องค์กร FiscalYearInformation=Fiscal Year FiscalMonthStart=เริ่มต้นเดือนของปีงบประมาณ +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/th_TH/compta.lang b/htdocs/langs/th_TH/compta.lang index 675fddaa40f..5d8340365f7 100644 --- a/htdocs/langs/th_TH/compta.lang +++ b/htdocs/langs/th_TH/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=การซื้อสินค้า IRPF LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=ภาษีมูลค่าเพิ่มที่จัดเก็บ -ToPay=ที่จะต้องจ่าย +StatusToPay=ที่จะต้องจ่าย SpecialExpensesArea=พื้นที่สำหรับการชำระเงินพิเศษทั้งหมด SocialContribution=ภาษีทางสังคมหรือทางการคลัง SocialContributions=ภาษีทางสังคมหรือทางการคลัง @@ -112,7 +112,7 @@ ShowVatPayment=แสดงการชำระเงินภาษีมู TotalToPay=ทั้งหมดที่จะต้องจ่าย 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=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=เลขที่บัญชี @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=ป้ายสั้น diff --git a/htdocs/langs/th_TH/errors.lang b/htdocs/langs/th_TH/errors.lang index b3ef3a672e9..6d7165b167f 100644 --- a/htdocs/langs/th_TH/errors.lang +++ b/htdocs/langs/th_TH/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=ผู้ใช้ที่มี s% เข้า ErrorLoginHasNoEmail=ผู้ใช้นี้ไม่มีที่อยู่อีเมล ขั้นตอนการยกเลิก ErrorBadValueForCode=ค่าร้ายสำหรับรหัสรักษาความปลอดภัย ลองอีกครั้งด้วยค่าใหม่ ... ErrorBothFieldCantBeNegative=ทุ่ง% s% และไม่สามารถเป็นได้ทั้งในเชิงลบ -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=จำนวนบรรทัดลงในใบแจ้งหนี้ของลูกค้าที่ไม่สามารถเป็นเชิงลบ ErrorWebServerUserHasNotPermission=บัญชีผู้ใช้% s ใช้ในการดำเนินการเว็บเซิร์ฟเวอร์มีสิทธิ์ในการที่ไม่มี ErrorNoActivatedBarcode=ประเภทไม่มีการเปิดใช้งานบาร์โค้ด @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/th_TH/holiday.lang b/htdocs/langs/th_TH/holiday.lang index 2b91abcc12c..3a49512b25e 100644 --- a/htdocs/langs/th_TH/holiday.lang +++ b/htdocs/langs/th_TH/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=จำนวนวันของวันหยุดบริโภค +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=แก้ไข diff --git a/htdocs/langs/th_TH/install.lang b/htdocs/langs/th_TH/install.lang index 0e125f8f1ab..5b41494b75b 100644 --- a/htdocs/langs/th_TH/install.lang +++ b/htdocs/langs/th_TH/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=หน่วยความจำสูงสุด PHP เซสชั่นของคุณตั้ง% s นี้ควรจะเพียงพอ PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=สารบบ% s ไม่ได้อยู่ ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=คุณอาจจะพิมพ์ค่าที่ไม่ถูกต้องสำหรับพารามิเตอร์ '% s' diff --git a/htdocs/langs/th_TH/main.lang b/htdocs/langs/th_TH/main.lang index 483c57dcd93..86a3ef037ab 100644 --- a/htdocs/langs/th_TH/main.lang +++ b/htdocs/langs/th_TH/main.lang @@ -471,7 +471,7 @@ TotalDuration=ระยะเวลารวม Summary=ย่อ DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=มีจำหน่าย NotYetAvailable=ยังไม่สามารถใช้ได้ NotAvailable=ไม่พร้อม @@ -1005,7 +1005,7 @@ ContactDefault_contrat=สัญญา ContactDefault_facture=ใบกำกับสินค้า ContactDefault_fichinter=การแทรกแซง ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=โครงการ ContactDefault_project_task=งาน ContactDefault_propal=ข้อเสนอ @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/th_TH/modulebuilder.lang b/htdocs/langs/th_TH/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/th_TH/modulebuilder.lang +++ b/htdocs/langs/th_TH/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/th_TH/mrp.lang b/htdocs/langs/th_TH/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/th_TH/mrp.lang +++ b/htdocs/langs/th_TH/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/th_TH/orders.lang b/htdocs/langs/th_TH/orders.lang index c740ae9ee50..256288586d6 100644 --- a/htdocs/langs/th_TH/orders.lang +++ b/htdocs/langs/th_TH/orders.lang @@ -11,6 +11,7 @@ OrderDate=วันที่สั่งซื้อ OrderDateShort=วันที่สั่งซื้อ OrderToProcess=เพื่อที่จะดำเนินการ NewOrder=คำสั่งซื้อใหม่ +NewOrderSupplier=New Purchase Order ToOrder=ทำให้การสั่งซื้อ MakeOrder=ทำให้การสั่งซื้อ SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=ยกเลิก StatusOrderDraftShort=ร่าง StatusOrderValidatedShort=ผ่านการตรวจสอบ @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=จัดส่ง StatusOrderToBillShort=จัดส่ง StatusOrderApprovedShort=ได้รับการอนุมัติ StatusOrderRefusedShort=ปฏิเสธ -StatusOrderBilledShort=การเรียกเก็บเงิน StatusOrderToProcessShort=ในการประมวลผล StatusOrderReceivedPartiallyShort=ได้รับบางส่วน StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=การประมวลผล StatusOrderToBill=จัดส่ง StatusOrderApproved=ได้รับการอนุมัติ StatusOrderRefused=ปฏิเสธ -StatusOrderBilled=การเรียกเก็บเงิน StatusOrderReceivedPartially=ได้รับบางส่วน StatusOrderReceivedAll=All products received ShippingExist=การจัดส่งสินค้าที่มีอยู่ @@ -68,8 +69,9 @@ ValidateOrder=ตรวจสอบการสั่งซื้อ UnvalidateOrder=เพื่อ Unvalidate DeleteOrder=เพื่อลบ CancelOrder=ยกเลิกคำสั่งซื้อ -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=สร้างใบสั่ง +AddPurchaseOrder=Create purchase order AddToDraftOrders=เพิ่มลงในร่างคำสั่ง ShowOrder=เพื่อแสดง OrdersOpened=คำสั่งในการประมวลผล @@ -139,10 +141,10 @@ OrderByEMail=อีเมล์ OrderByWWW=ออนไลน์ OrderByPhone=โทรศัพท์ # Documents models -PDFEinsteinDescription=รูปแบบการสั่งซื้อฉบับสมบูรณ์ (โลโก้ ... ) -PDFEratostheneDescription=รูปแบบการสั่งซื้อฉบับสมบูรณ์ (โลโก้ ... ) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=รูปแบบการสั่งซื้อที่ง่าย -PDFProformaDescription=ใบแจ้งหนี้เสมือนฉบับสมบูรณ์ (โลโก้ ... ) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=บิลสั่งซื้อ NoOrdersToInvoice=ไม่มีการเรียกเก็บเงินการสั่งซื้อ CloseProcessedOrdersAutomatically=จำแนก "แปรรูป" คำสั่งที่เลือกทั้งหมด @@ -152,7 +154,35 @@ OrderCreated=คำสั่งของคุณได้ถูกสร้า OrderFail=ข้อผิดพลาดที่เกิดขึ้นในระหว่างการสร้างคำสั่งของคุณ CreateOrders=สร้างคำสั่งซื้อ ToBillSeveralOrderSelectCustomer=การสร้างใบแจ้งหนี้สำหรับการสั่งซื้อหลายคลิกแรกบนลูกค้าแล้วเลือก "% 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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=ยกเลิก +StatusSupplierOrderDraftShort=ร่าง +StatusSupplierOrderValidatedShort=ผ่านการตรวจสอบ +StatusSupplierOrderSentShort=ในกระบวนการ +StatusSupplierOrderSent=ในขั้นตอนการจัดส่ง +StatusSupplierOrderOnProcessShort=ได้รับคำสั่ง +StatusSupplierOrderProcessedShort=การประมวลผล +StatusSupplierOrderDelivered=จัดส่ง +StatusSupplierOrderDeliveredShort=จัดส่ง +StatusSupplierOrderToBillShort=จัดส่ง +StatusSupplierOrderApprovedShort=ได้รับการอนุมัติ +StatusSupplierOrderRefusedShort=ปฏิเสธ +StatusSupplierOrderToProcessShort=ในการประมวลผล +StatusSupplierOrderReceivedPartiallyShort=ได้รับบางส่วน +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=ยกเลิก +StatusSupplierOrderDraft=ร่าง (จะต้องมีการตรวจสอบ) +StatusSupplierOrderValidated=ผ่านการตรวจสอบ +StatusSupplierOrderOnProcess=ได้รับคำสั่ง - พนักงานต้อนรับสแตนด์บาย +StatusSupplierOrderOnProcessWithValidation=ได้รับคำสั่ง - พนักงานต้อนรับสแตนด์บายหรือการตรวจสอบ +StatusSupplierOrderProcessed=การประมวลผล +StatusSupplierOrderToBill=จัดส่ง +StatusSupplierOrderApproved=ได้รับการอนุมัติ +StatusSupplierOrderRefused=ปฏิเสธ +StatusSupplierOrderReceivedPartially=ได้รับบางส่วน +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/th_TH/other.lang b/htdocs/langs/th_TH/other.lang index 1fc828a21be..8eddc0a2ef5 100644 --- a/htdocs/langs/th_TH/other.lang +++ b/htdocs/langs/th_TH/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=จัดการสมาชิกของมูลนิธิ DemoFundation2=จัดการสมาชิกและบัญชีธนาคารของมูลนิธิ DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=บริหารจัดการร้านค้าพร้อมโต๊ะเงินสด -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=สร้างโดย% s ModifiedBy=ดัดแปลงโดย% s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=ชื่อเรื่อง WEBSITE_DESCRIPTION=ลักษณะ WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/th_TH/projects.lang b/htdocs/langs/th_TH/projects.lang index e7f3c5c92ae..5e34d082bd7 100644 --- a/htdocs/langs/th_TH/projects.lang +++ b/htdocs/langs/th_TH/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=ระยะเวลาที่มีประสิทธิภาพ ProgressDeclared=ความคืบหน้าการประกาศ TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=ความคืบหน้าของการคำนวณ @@ -249,9 +249,13 @@ TimeSpentForInvoice=เวลาที่ใช้ OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=ใบแจ้งหนี้ใหม่ +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/th_TH/propal.lang b/htdocs/langs/th_TH/propal.lang index 69d31c445dc..83d354b2105 100644 --- a/htdocs/langs/th_TH/propal.lang +++ b/htdocs/langs/th_TH/propal.lang @@ -28,7 +28,7 @@ ShowPropal=แสดงข้อเสนอ PropalsDraft=ร่าง PropalsOpened=เปิด PropalStatusDraft=ร่าง (จะต้องมีการตรวจสอบ) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=การตรวจสอบ (ข้อเสนอเปิด) PropalStatusSigned=ลงนาม (ความต้องการของการเรียกเก็บเงิน) PropalStatusNotSigned=ไม่ได้ลงชื่อ (ปิด) PropalStatusBilled=การเรียกเก็บเงิน @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=ติดต่อใบแจ้งหน TypeContact_propal_external_CUSTOMER=การติดต่อกับลูกค้าข้อเสนอดังต่อไปนี้ขึ้น TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=รูปแบบข้อเสนอฉบับสมบูรณ์ (โลโก้ ... ) -DocModelCyanDescription=รูปแบบข้อเสนอฉบับสมบูรณ์ (โลโก้ ... ) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=เริ่มต้นการสร้างแบบจำลอง DefaultModelPropalToBill=แม่แบบเริ่มต้นเมื่อปิดข้อเสนอทางธุรกิจ (ที่จะออกใบแจ้งหนี้) DefaultModelPropalClosed=แม่แบบเริ่มต้นเมื่อปิดข้อเสนอทางธุรกิจ (ยังไม่เรียกเก็บ) ProposalCustomerSignature=ยอมรับเขียนประทับ บริษัท วันและลายเซ็น ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/th_TH/stocks.lang b/htdocs/langs/th_TH/stocks.lang index 750acf27778..cfdf69f2f7e 100644 --- a/htdocs/langs/th_TH/stocks.lang +++ b/htdocs/langs/th_TH/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=การเคลื่อนไหวหรือรหัสส IsInPackage=เป็นแพคเกจที่มีอยู่ WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=แสดงคลังสินค้า MovementCorrectStock=แก้ไขหุ้นสำหรับผลิตภัณฑ์% s MovementTransferStock=การโอนหุ้นของผลิตภัณฑ์% s เข้าไปในโกดังอีก @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang index bb183ac8cc7..538229bfd16 100644 --- a/htdocs/langs/tr_TR/admin.lang +++ b/htdocs/langs/tr_TR/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Müşteri siparişi yönetimi Module30Name=Faturalar Module30Desc=Müşteriler için fatura ve alacak dekontlarının yönetimi. Tedarikçiler için fatura ve alacak dekontlarının yönetimi Module40Name=Tedarikçiler -Module40Desc=Tedarikçiler ve satın alma yönetimi (tedarikçi siparişleri ve faturalandırma) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Hata Ayıklama Günlükleri Module42Desc=Günlükleme araçları (dosya, syslog, ...). Bu gibi günlükler teknik/hata ayıklama amaçları içindir. Module49Name=Düzenleyiciler @@ -561,9 +561,9 @@ Module200Desc=LDAP dizin senkronizasyonu Module210Name=PostNuke Module210Desc=PostNuke entegrasyonu Module240Name=Veri dışa aktarma -Module240Desc=Dolibarr verilerini dışa aktarma aracı (asistanlar ile) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Veri içe aktarma -Module250Desc=Verileri Dolibarr'a aktarma aracı (asistanlar ile) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Üyeler Module310Desc=Dernek üyeleri yönetimi Module320Name=RSS Besleme @@ -878,7 +878,7 @@ Permission1251=Dış verilerin veritabanına toplu olarak alınmasını çalış Permission1321=Müşteri faturalarını, özniteliklerini ve ödemelerini dışa aktar Permission1322=Ödenmiş bir faturayı yeniden aç Permission1421=Müşteri siparişleri ve niteliklerini dışa aktar -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Başkalarının eylemlerini (etkinliklerini veya görevlerini) oku @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Hiçbir güvenlik etkinliği kaydedilmedi. Eğer "Ayarlar NoEventFoundWithCriteria=Bu arama kriterleri için hiçbir güvenlik etkinliği bulunamadı SeeLocalSendMailSetup=Yerel postagönder kurulumunuza bakın BackupDesc=Bir Dolibarr kurulumunun komple yedeklenmesi iki adım gerektirir. -BackupDesc2=Yüklenen ve oluşturulan tüm dosyaları içeren "documents" dizininin (%s) içeriğini yedekleyin. Bu, 1. Adımda oluşturulan tüm döküm dosyalarını da kapsayacaktır. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Veri tabanınızın yapısını ve içeriğini (%s) bir döküm dosyasına yedekleyin. Bunun için aşağıdaki asistanı kullanabilirsiniz. BackupDescX=Arşivlenen dizin güvenli bir yerde saklanmalıdır. BackupDescY=Üretilen bilgi döküm dosyası güvenli bir yerde korunmalıdır. @@ -1167,6 +1167,7 @@ RestoreDesc3=Yedeklenmiş bir döküm dosyasındaki veritabanı yapısını ve v RestoreMySQL=MySQL içeaktar ForcedToByAModule= Bu kural bir aktif modül tarafından s ye zorlanır PreviousDumpFiles=Mevcut yedekleme dosyaları +PreviousArchiveFiles=Existing archive files WeekStartOnDay=Haftanın ilk günü RunningUpdateProcessMayBeRequired=Yükseltme işlemini gerçekleştirmek gerekli gibi görünüyor (%s olan program sürümü %s olan Veri tabanı sürümünden farklı görünüyor) YouMustRunCommandFromCommandLineAfterLoginToUser=Bu komutu %s kullanıcısı ile bir kabuğa giriş yaptıktan sonra komut satırından çalıştırabilir ya da parolayı %s elde etmek için komut satırının sonuna –W seçeneğini ekleyebilirsiniz. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Üçüncü Partiler için tercih edilen gönderme FieldEdition=%s Alanının düzenlenmesi FillThisOnlyIfRequired=Örnek: +2 (saat dilimi farkını yalnız zaman farkı sorunları yaşıyorsanız kullanın) GetBarCode=Barkovizyon al +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Dolibarr iç algoritmasına göre bir şifre girin: 8 karakterli sayı ve küçük harf içeren. PasswordGenerationNone=Oluşturulan bir parola önerme. Parola manuel olarak yazılmalıdır. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Çek Makbuzları Numaralandırma Modülü MultiCompanySetup=Çoklu şirket modülü kurulumu ##### Suppliers ##### SuppliersSetup=Tedarikçi modülü ayarları -SuppliersCommandModel=Tedarikçi siparişinin tam şablonu (logo...) -SuppliersInvoiceModel=Tedarikçi faturasının eksiksiz şablonu (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Tedarikçi faturaları numaralandırma modelleri IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Kullanıcılar için bildirim eklemek veya silmek için kullanıcının "Bildirimler" sekmesine gidin -GoOntoContactCardToAddMore=Kişilerden/adreslerden bildirimleri eklemek ya da kaldırmak için üçüncü taraf kişileri "Bildirimler" sekmesine git +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Sınır -BackupDumpWizard=Yedek dosyayı oluşturmak için sihirbaz +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Web arayüzünden dış modül kurulumu aşağıdaki nedenden ötürü olanaksızdır: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Dış modülün uygulama içerisinden kurulumu yöneticiniz tarafından engellenmiştir. Bu özelliğe izin verilmesi için ondan %s dosyasını kaldırmasını istemelisiniz. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Eğer gelen e-posta içerisinde bir takip numarası bulunuyorsa, etkinliğin otomatik olarak ilgili nesnelere bağlanacağını unutmayınız. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=%s için bitiş noktası: %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/tr_TR/bills.lang b/htdocs/langs/tr_TR/bills.lang index ed36ff01ab6..8707e0eaeb2 100644 --- a/htdocs/langs/tr_TR/bills.lang +++ b/htdocs/langs/tr_TR/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 gün PaymentCondition14D=14 gün PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Sabit tutar +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Değişken tutar (%% top.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Bandrol YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=Yeni bir fatura şablonu oluşturmak için önce bir standart fatura oluşturmalı ve onu "şablona" dönüştürmelisiniz -PDFCrabeDescription=Fatura PDF şablonu Crabe. Tam fatura şablonu (Önerilen şablon) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Fatura PDF şablonu Crevette. Durum faturaları için eksiksiz bir fatura şablonu TerreNumRefModelDesc1=Standart faturalar için numarayı %syymm-nnnn biçiminde ve iade faturaları için %syymm-nnnn biçiminde göster, yy yıl, mm ay ve nnnn boşluksuz ve 0 olmayan bir dizidir. diff --git a/htdocs/langs/tr_TR/categories.lang b/htdocs/langs/tr_TR/categories.lang index 6f5961fbd7c..6a1bb4e7c8c 100644 --- a/htdocs/langs/tr_TR/categories.lang +++ b/htdocs/langs/tr_TR/categories.lang @@ -90,4 +90,5 @@ ShowCategory=Etiketi/kategoriyi göster ByDefaultInList=B listede varsayılana göre ChooseCategory=Kategori seç StocksCategoriesArea=Depo Kategorileri Alanı +ActionCommCategoriesArea=Events Categories Area UseOrOperatorForCategories=Kategoriler için veya operatör kullanın diff --git a/htdocs/langs/tr_TR/companies.lang b/htdocs/langs/tr_TR/companies.lang index 381db30ffa8..ba12f3799a1 100644 --- a/htdocs/langs/tr_TR/companies.lang +++ b/htdocs/langs/tr_TR/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Kişilerim Capital=Sermaye CapitalOf=Sermaye %s EditCompany=Firma düzenle -ThisUserIsNot=Bu kullanıcı bir aday, müşteri veya tedarikçi değildir +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Denetle VATIntraCheckDesc=Bu Vergi Numarası ülke önekini içermelidir. %s linki, Dolibarr sunucusundan internet erişimi gerektiren Avrupa KDV kontrol hizmetini (VIES) kullanır. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Atanmış satış temsilcileri Organization=Kuruluş FiscalYearInformation=Mali Yıl FiscalMonthStart=Mali yılın başlangıç ayı +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Bir e-posta bildirimi ekleyebilmek için öncelikle bu kullanıcıya bir e-posta oluşturmanız gerekir. YouMustCreateContactFirst=E-posta bildirimleri ekleyebilmek için önce geçerli e-postası olan üçüncü taraf kişisi oluşturmanız gerekir. ListSuppliersShort=Tedarikçi Listesi @@ -439,6 +452,6 @@ PaymentTypeCustomer=Ödeme Türü - Müşteri PaymentTermsCustomer=Ödeme Koşulları - Müşteri PaymentTypeSupplier=Ödeme Türü - Tedarikçi PaymentTermsSupplier=Ödeme Koşulları - Tedarikçi -PaymentTypeBoth=Payment Type - Customer and Vendor +PaymentTypeBoth=Ödeme Şekli - Müşteri ve Satıcı MulticurrencyUsed=Çoklu Para Birimi Kullan MulticurrencyCurrency=Para birimi diff --git a/htdocs/langs/tr_TR/compta.lang b/htdocs/langs/tr_TR/compta.lang index b25063d0875..8f49b0d36b6 100644 --- a/htdocs/langs/tr_TR/compta.lang +++ b/htdocs/langs/tr_TR/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF alışlar LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=KDV alınan -ToPay=Ödenecek +StatusToPay=Ödenecek SpecialExpensesArea=Tüm özel ödemeler alanı SocialContribution=Sosyal ya da mali vergi SocialContributions=Sosyal ya da mali vergiler @@ -112,7 +112,7 @@ ShowVatPayment=KDV ödemesi göster TotalToPay=Ödenecek toplam BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Müşteri muhasebe kodu -SupplierAccountancyCode=Tedarikçi muhasebe kodu +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Müşt. hesap kodu SupplierAccountancyCodeShort=Ted. hesap kodu AccountNumber=Hesap numarası @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Kısa etiket diff --git a/htdocs/langs/tr_TR/donations.lang b/htdocs/langs/tr_TR/donations.lang index 39d502ac1c2..071b6016673 100644 --- a/htdocs/langs/tr_TR/donations.lang +++ b/htdocs/langs/tr_TR/donations.lang @@ -17,6 +17,7 @@ DonationStatusPromiseNotValidatedShort=Taslak DonationStatusPromiseValidatedShort=Doğrulanmış DonationStatusPaidShort=Alınan DonationTitle=Bağış makbuzu +DonationDate=Bağış tarihi DonationDatePayment=Ödeme tarihi ValidPromess=Söz doğrula DonationReceipt=Bağış makbuzu @@ -31,4 +32,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 +DonationValidated=Bağış %s doğrulandı diff --git a/htdocs/langs/tr_TR/errors.lang b/htdocs/langs/tr_TR/errors.lang index 40544baba84..9a43456e1ce 100644 --- a/htdocs/langs/tr_TR/errors.lang +++ b/htdocs/langs/tr_TR/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=%s kullanıcı adlı kullanıcı bulunamadı. ErrorLoginHasNoEmail=Bu kullanıcının e-posta adresi yoktur. İşlem iptal edildi. ErrorBadValueForCode=Güvenlik kodu için hatalı değer. Yeni değer ile tekrar deneyin... ErrorBothFieldCantBeNegative=%s ve %s alanlarının ikisi birden eksi olamaz -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Müşteri faturasındaki kalem miktarı eksi olamaz ErrorWebServerUserHasNotPermission=Web sunucusunu çalıştırmak için kullanılan %s kullanıcı hesabnın bunun için izni yok ErrorNoActivatedBarcode=Etkinleştirilmiş barkod türü yok @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=PHP'nizdeki upload_max_filesize (%s) parametresi, post_max_size (%s) PHP parametresinden daha yüksek. Bu tutarlı bir kurulum değil. WarningPasswordSetWithNoAccount=Bu üye için bir parola ayarlıdır. Ancak, hiçbir kullanıcı hesabı oluşturulmamıştır. Yani bu şifre saklanır ama Dolibarr'a giriş için kullanılamaz. Dış bir modül/arayüz tarafından kullanılıyor olabilir, ama bir üye için ne bir kullanıcı adı ne de parola tanımlamanız gerekmiyorsa "Her üye için bir kullanıcı adı yönet" seçeneğini devre dışı bırakabilirsiniz. Bir kullanıcı adı yönetmeniz gerekiyorsa ama herhangi bir parolaya gereksinim duymuyorsanız bu uyarıyı engellemek için bu alanı boş bırakabilirsiniz. Not: Eğer bir üye bir kullanıcıya bağlıysa kullanıcı adı olarak e-posta adresi de kullanılabilir. diff --git a/htdocs/langs/tr_TR/holiday.lang b/htdocs/langs/tr_TR/holiday.lang index f82a2e8f365..56b648e76f0 100644 --- a/htdocs/langs/tr_TR/holiday.lang +++ b/htdocs/langs/tr_TR/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=İzin Kimlik türü TypeOfLeaveCode=İzin kod türü TypeOfLeaveLabel=İzin etiketi türü NbUseDaysCP=Tüketilen tatil gün sayısı +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Tüketilen gün NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Düzenle diff --git a/htdocs/langs/tr_TR/install.lang b/htdocs/langs/tr_TR/install.lang index 014a002d62c..b9a4c8f8dec 100644 --- a/htdocs/langs/tr_TR/install.lang +++ b/htdocs/langs/tr_TR/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=Bu PHP, Curl'u destekliyor. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=Bu PHP, UTF8 işlevlerini destekliyor. PHPSupportIntl=Bu PHP, Intl fonksiyonlarını destekliyor. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=PHP nizin ençok oturum belleği %s olarak ayarlanmış. Bu yeterli olacaktır. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Daha detaylı bir test için buraya tıklayın @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=PHP kurulumunuz Curl. desteklemiyor ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=PHP kurulumunuz UTF8 işlevlerini desteklemiyor. Dolibarr düzgün çalışamaz. Dolibarr'ı yüklemeden önce bunu çözün. ErrorPHPDoesNotSupportIntl=PHP kurulumunuz Intl fonksiyonlarını desteklemiyor. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=%s Dizini yoktur. ErrorGoBackAndCorrectParameters=Geri gidin ve parametreleri kontrol edin/düzeltin. ErrorWrongValueForParameter=Parametresi '%s' için yanlış değer yazmış olabilirsiniz'. diff --git a/htdocs/langs/tr_TR/main.lang b/htdocs/langs/tr_TR/main.lang index 1491ff91ed7..5086b091162 100644 --- a/htdocs/langs/tr_TR/main.lang +++ b/htdocs/langs/tr_TR/main.lang @@ -170,7 +170,7 @@ ToValidate=Doğrulanacak NotValidated=Doğrulanmadı Save=Kaydet SaveAs=Farklı kaydet -SaveAndStay=Save and stay +SaveAndStay=Kaydet ve kal SaveAndNew=Save and new TestConnection=Deneme bağlantısı ToClone=Kopyasını oluştur @@ -471,7 +471,7 @@ TotalDuration=Toplam süre Summary=Özet DolibarrStateBoard=Veritabanı İstatistikleri DolibarrWorkBoard=Bekleyen İşlemler -NoOpenedElementToProcess=İşlenecek hiçbir açık öğe yok +NoOpenedElementToProcess=No open element to process Available=Mevcut NotYetAvailable=Henüz mevcut değil NotAvailable=Uygun değil @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Sözleşme ContactDefault_facture=Fatura ContactDefault_fichinter=Müdahale ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Proje ContactDefault_project_task=Görev ContactDefault_propal=Teklif @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Destek Bildirimi ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/tr_TR/modulebuilder.lang b/htdocs/langs/tr_TR/modulebuilder.lang index c713ef9ed4e..641bddb5b3f 100644 --- a/htdocs/langs/tr_TR/modulebuilder.lang +++ b/htdocs/langs/tr_TR/modulebuilder.lang @@ -60,8 +60,8 @@ HooksFile=File for hooks code ArrayOfKeyValues=Array of key-val ArrayOfKeyValuesDesc=Array of keys and values if field is a combo list with fixed values WidgetFile=Ekran etiket dosyası -CSSFile=CSS file -JSFile=Javascript file +CSSFile=CSS dosyası +JSFile=Javascript dosyası ReadmeFile=Benioku dosyası ChangeLog=ChangeLog dosyası TestClassFile=PHP Unit Test sınıfı için dosya @@ -79,11 +79,11 @@ NoTrigger=No trigger NoWidget=Ekran etiketi yok GoToApiExplorer=API gezginine git ListOfMenusEntries=Menü kayıtlarının listesi -ListOfDictionariesEntries=List of dictionaries entries +ListOfDictionariesEntries=Sözlük girişlerinin listesi ListOfPermissionsDefined=Tanımlanan izinlerin listesi SeeExamples=Burada örneklere bakın 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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -127,7 +127,7 @@ UseSpecificVersion = Use a specific initial version ModuleMustBeEnabled=Önce modül/uygulama etkinleştirilmelidir IncludeRefGeneration=The reference of object must be generated automatically IncludeRefGenerationHelp=Check this if you want to include code to manage the generation automatically of the reference -IncludeDocGeneration=I want to generate some documents from the object +IncludeDocGeneration=Nesneden bazı belgeler oluşturmak istiyorum IncludeDocGenerationHelp=If you check this, some code will be generated to add a "Generate document" box on the record. ShowOnCombobox=Show value into combobox KeyForTooltip=Key for tooltip @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/tr_TR/mrp.lang b/htdocs/langs/tr_TR/mrp.lang index 886a40c3f0d..494958c735d 100644 --- a/htdocs/langs/tr_TR/mrp.lang +++ b/htdocs/langs/tr_TR/mrp.lang @@ -42,24 +42,27 @@ ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to u ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) StatusMOProduced=Produced QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity +QuantityFrozen=Dondurulmuş Miktar QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. DisableStockChange=Stock change disabled DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed BomAndBomLines=Bills Of Material and lines BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production +WarehouseForProduction=Üretim için depo CreateMO=Create MO ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/tr_TR/orders.lang b/htdocs/langs/tr_TR/orders.lang index 60857a4e4c1..f97974f92d3 100644 --- a/htdocs/langs/tr_TR/orders.lang +++ b/htdocs/langs/tr_TR/orders.lang @@ -11,6 +11,7 @@ OrderDate=Sipariş Tarihi OrderDateShort=Sipariş tarihi OrderToProcess=İşlenecek sipariş NewOrder=Yeni sipariş +NewOrderSupplier=New Purchase Order ToOrder=Sipariş yap MakeOrder=Sipariş yap SupplierOrder=Tedarikçi siparişi @@ -25,6 +26,8 @@ OrdersToBill=Teslim edilen müşteri siparişleri OrdersInProcess=İşlemdeki müşteri siparişleri OrdersToProcess=İşlenecek müşteri siparişleri SuppliersOrdersToProcess=İşlenecek tedarikçi siparişleri +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=İptal edilmiş StatusOrderDraftShort=Taslak StatusOrderValidatedShort=Doğrulanmış @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Teslim edildi StatusOrderToBillShort=Teslim edlidi StatusOrderApprovedShort=Onaylı StatusOrderRefusedShort=Reddedildi -StatusOrderBilledShort=Faturalandı StatusOrderToProcessShort=İşlenecek StatusOrderReceivedPartiallyShort=Kısmen aldı StatusOrderReceivedAllShort=Alınan ürünler @@ -50,7 +52,6 @@ StatusOrderProcessed=İşlenmiş StatusOrderToBill=Teslim edildi StatusOrderApproved=Onaylı StatusOrderRefused=Reddedildi -StatusOrderBilled=Faturalandı StatusOrderReceivedPartially=Kısmen alındı StatusOrderReceivedAll=Alınan tüm ürünler ShippingExist=Bir sevkiyat var @@ -68,8 +69,9 @@ ValidateOrder=Doğrulamak amacıyla UnvalidateOrder=Siparişten doğrulamayı kaldır DeleteOrder=Sipariş sil CancelOrder=Siparişi iptal et -OrderReopened= %s Siparişi Yeniden açıldı +OrderReopened= Order %s re-open AddOrder=Sipariş oluştur +AddPurchaseOrder=Create purchase order AddToDraftOrders=Taslak siparişe ekle ShowOrder=Siparişi göster OrdersOpened=İşlenecek siparişler @@ -139,10 +141,10 @@ OrderByEMail=E-posta OrderByWWW=Çevrimiçi OrderByPhone=Telefon # Documents models -PDFEinsteinDescription=Bir tam sipariş modeli (logo. ..) -PDFEratostheneDescription=Bir tam sipariş modeli (logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Basit bir sipariş modeli -PDFProformaDescription=Eksiksiz bir proforma fatura (logo...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Sipariş Faturala NoOrdersToInvoice=Faturalanabilir sipariş yok CloseProcessedOrdersAutomatically=Seçilen tüm siparişleri "İşlendi" olarak sınıflandır. @@ -152,7 +154,35 @@ OrderCreated=Siparişleriniz oluşturulmuştur OrderFail=Siparişiniz oluşturulması sırasında hata oluştu CreateOrders=Sipariş oluştur ToBillSeveralOrderSelectCustomer=Birden çok siparişe fatura oluşturmak için, önce müşteriye tıkla, sonra "%s" seç -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. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Bütün ürünler teslim alındıysa siparişi "%s" olarak kapat. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Gönderim modunu ayarla +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=İptal edildi +StatusSupplierOrderDraftShort=Ödeme emri +StatusSupplierOrderValidatedShort=Doğrulandı +StatusSupplierOrderSentShort=İşlemde +StatusSupplierOrderSent=Sevkiyat işlemde +StatusSupplierOrderOnProcessShort=Sipariş edildi +StatusSupplierOrderProcessedShort=İşlenmiş +StatusSupplierOrderDelivered=Teslim edildi +StatusSupplierOrderDeliveredShort=Teslim edildi +StatusSupplierOrderToBillShort=Teslim edildi +StatusSupplierOrderApprovedShort=Onaylı +StatusSupplierOrderRefusedShort=Reddedildi +StatusSupplierOrderToProcessShort=İşlenecek +StatusSupplierOrderReceivedPartiallyShort=Kısmen alındı +StatusSupplierOrderReceivedAllShort=Alınan ürünler +StatusSupplierOrderCanceled=İptal edildi +StatusSupplierOrderDraft=Taslak (doğrulanması gerekir) +StatusSupplierOrderValidated=Doğrulandı +StatusSupplierOrderOnProcess=Sipariş edildi - Teslime hazır +StatusSupplierOrderOnProcessWithValidation=Sipariş edildi - Kabul ya da doğrulama için beklemede +StatusSupplierOrderProcessed=İşlenmiş +StatusSupplierOrderToBill=Teslim edildi +StatusSupplierOrderApproved=Onaylı +StatusSupplierOrderRefused=Reddedildi +StatusSupplierOrderReceivedPartially=Kısmen alındı +StatusSupplierOrderReceivedAll=Alınan tüm ürünler diff --git a/htdocs/langs/tr_TR/other.lang b/htdocs/langs/tr_TR/other.lang index 01f0543f06b..08476ebaedb 100644 --- a/htdocs/langs/tr_TR/other.lang +++ b/htdocs/langs/tr_TR/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Fatura tarihi yılı PreviousYearOfInvoice=Fatura tarihinden önceki yıl NextYearOfInvoice=Fatura tarihinden sonraki yıl @@ -104,7 +104,8 @@ DemoFundation=Bir derneğin üyelerini yönet DemoFundation2=Bir derneğin üyelerini ve banka hesabını yönet DemoCompanyServiceOnly=Yalnızca şirket veya serbest satış hizmeti DemoCompanyShopWithCashDesk=Kasası olan bir mağazayı yönet -DemoCompanyProductAndStocks=Bir mağazayla ürün satan şirket +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Birden fazla faaliyet gösteren şirket (tüm ana modüller) CreatedBy=Oluşturan %s ModifiedBy=Düzenleyen %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=Sayfanın URL si WEBSITE_TITLE=Unvan WEBSITE_DESCRIPTION=Açıklama WEBSITE_IMAGE=Görüntü -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Anahtar kelimeler LinesToImport=Lines to import diff --git a/htdocs/langs/tr_TR/projects.lang b/htdocs/langs/tr_TR/projects.lang index a5c5489c7b0..4c5e62ef78f 100644 --- a/htdocs/langs/tr_TR/projects.lang +++ b/htdocs/langs/tr_TR/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Projelerim Alanı DurationEffective=Etken süre ProgressDeclared=Bildirilen ilerleme TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Hesaplanan ilerleme @@ -249,9 +249,13 @@ TimeSpentForInvoice=Harcanan süre OneLinePerUser=Kullanıcı başına bir satır ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Yeni fatura +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/tr_TR/propal.lang b/htdocs/langs/tr_TR/propal.lang index 360c19f714d..c9ed2712b0d 100644 --- a/htdocs/langs/tr_TR/propal.lang +++ b/htdocs/langs/tr_TR/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Teklif göster PropalsDraft=Taslaklar PropalsOpened=Açık PropalStatusDraft=Taslak (doğrulanması gerekir) -PropalStatusValidated=Onaylanmış (teklif açıldı) +PropalStatusValidated=Onaylı (teklif açık) PropalStatusSigned=İmzalı(faturalanacak) PropalStatusNotSigned=İmzalanmamış (kapalı) PropalStatusBilled=Faturalanmış @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Müşteri faturası ilgilisi TypeContact_propal_external_CUSTOMER=Müşteri teklif izleme ilgilisi TypeContact_propal_external_SHIPPING=Teslimat için müşteri iletişim kişisi # Document models -DocModelAzurDescription=Eksiksiz bir teklif modeli (logo. ..) -DocModelCyanDescription=Eksiksiz bir teklif modeli (logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Varsayılan model oluşturma DefaultModelPropalToBill=Bir teklifi kapatma sırasında varsayılan şablon (faturalanacak) DefaultModelPropalClosed=Bir teklifi kapatma sırasında varsayılan şablon (faturalanmamış) ProposalCustomerSignature=Kesin sipariş için Firma Kaşesi, Tarih ve İmza ProposalsStatisticsSuppliers=Tedarikçi teklifi istatistikleri +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/tr_TR/stocks.lang b/htdocs/langs/tr_TR/stocks.lang index 95b61039877..a09166cbf36 100644 --- a/htdocs/langs/tr_TR/stocks.lang +++ b/htdocs/langs/tr_TR/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Hareket veya stok kodu IsInPackage=Pakette içerilir WarehouseAllowNegativeTransfer=Stok eksi olabilir qtyToTranferIsNotEnough=Kaynak deponuzda yeterli stok bulunmuyor ve kurulumunuz negatif stoklara izin vermiyor. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Depo göster MovementCorrectStock=Stok düzeltme yapılacak ürün %s MovementTransferStock=%s ürününün başka bir depoya stok aktarılması @@ -192,6 +193,7 @@ TheoricalQty=Teorik adet TheoricalValue=Teorik adet LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Gerçek Miktar RealValue=Gerçek Değer RegulatedQty=Düzenlenmiş Adet diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang index d9a02a1ba06..f26ceccd497 100644 --- a/htdocs/langs/uk_UA/admin.lang +++ b/htdocs/langs/uk_UA/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Рахунки-фактури Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/uk_UA/bills.lang b/htdocs/langs/uk_UA/bills.lang index 9881df2dc44..b8f062cef61 100644 --- a/htdocs/langs/uk_UA/bills.lang +++ b/htdocs/langs/uk_UA/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/uk_UA/categories.lang b/htdocs/langs/uk_UA/categories.lang index a6c3ffa01b0..7207bbacc38 100644 --- a/htdocs/langs/uk_UA/categories.lang +++ b/htdocs/langs/uk_UA/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/uk_UA/companies.lang b/htdocs/langs/uk_UA/companies.lang index 6d6b1d92e17..b4ff027e4df 100644 --- a/htdocs/langs/uk_UA/companies.lang +++ b/htdocs/langs/uk_UA/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Чек VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/uk_UA/compta.lang b/htdocs/langs/uk_UA/compta.lang index f314723d6bb..db4c2fecf25 100644 --- a/htdocs/langs/uk_UA/compta.lang +++ b/htdocs/langs/uk_UA/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Номер рахунка @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/uk_UA/errors.lang b/htdocs/langs/uk_UA/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/uk_UA/errors.lang +++ b/htdocs/langs/uk_UA/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/uk_UA/holiday.lang b/htdocs/langs/uk_UA/holiday.lang index 81585c0851a..4ab79b19d5d 100644 --- a/htdocs/langs/uk_UA/holiday.lang +++ b/htdocs/langs/uk_UA/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/uk_UA/install.lang b/htdocs/langs/uk_UA/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/uk_UA/install.lang +++ b/htdocs/langs/uk_UA/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/uk_UA/main.lang b/htdocs/langs/uk_UA/main.lang index 278a2275452..6fcb27c143b 100644 --- a/htdocs/langs/uk_UA/main.lang +++ b/htdocs/langs/uk_UA/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Рахунок-фактура ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/uk_UA/modulebuilder.lang b/htdocs/langs/uk_UA/modulebuilder.lang index 5e2ae72a85a..a79b4549045 100644 --- a/htdocs/langs/uk_UA/modulebuilder.lang +++ b/htdocs/langs/uk_UA/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/uk_UA/mrp.lang b/htdocs/langs/uk_UA/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/uk_UA/mrp.lang +++ b/htdocs/langs/uk_UA/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/uk_UA/orders.lang b/htdocs/langs/uk_UA/orders.lang index d8b16c51cf7..54f235a923e 100644 --- a/htdocs/langs/uk_UA/orders.lang +++ b/htdocs/langs/uk_UA/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Проект StatusOrderValidatedShort=Підтверджений @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Виставлений StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Оброблений StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Виставлений StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Проект +StatusSupplierOrderValidatedShort=Підтверджений +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Оброблений +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Проект (має бути підтверджений) +StatusSupplierOrderValidated=Підтверджений +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Оброблений +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/uk_UA/other.lang b/htdocs/langs/uk_UA/other.lang index 7ee672f089b..46424590f31 100644 --- a/htdocs/langs/uk_UA/other.lang +++ b/htdocs/langs/uk_UA/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/uk_UA/projects.lang b/htdocs/langs/uk_UA/projects.lang index d427e9e6e04..7eb21e0c4a3 100644 --- a/htdocs/langs/uk_UA/projects.lang +++ b/htdocs/langs/uk_UA/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=Новий рахунок-фактура +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/uk_UA/propal.lang b/htdocs/langs/uk_UA/propal.lang index ca37590951e..b575f9bc641 100644 --- a/htdocs/langs/uk_UA/propal.lang +++ b/htdocs/langs/uk_UA/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Проект (має бути підтверджений) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Виставлений @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/uk_UA/stocks.lang b/htdocs/langs/uk_UA/stocks.lang index 0ed09c1c2b3..46576893d69 100644 --- a/htdocs/langs/uk_UA/stocks.lang +++ b/htdocs/langs/uk_UA/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang index 7989f355378..ee21120b982 100644 --- a/htdocs/langs/uz_UZ/admin.lang +++ b/htdocs/langs/uz_UZ/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=Invoices Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=Vendors -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Debug Logs Module42Desc=Logging facilities (file, syslog, ...). Such logs are for technical/debug purposes. Module49Name=Editors @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke integration Module240Name=Data exports -Module240Desc=Tool to export Dolibarr data (with assistants) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Data imports -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Members Module310Desc=Foundation members management Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Run mass imports of external data into database (data load) Permission1321=Export customer invoices, attributes and payments Permission1322=Reopen a paid bill Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=Read actions (events or tasks) of others @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=See your local sendmail setup BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=The generated dump file should be stored in a secure place. @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL import ForcedToByAModule= This rule is forced to %s by an activated module PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=Edition of field %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Get barcode +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: 8 characters containing shared numbers and characters in lowercase. PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=Multi-company module setup ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=Complete template of vendor invoice (logo...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=Go on the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Installation of external module is not possible from the web interface for the following reason: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=Install of external module from application has been disabled by your administrator. You must ask him to remove the file %s to allow this feature. @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/uz_UZ/bills.lang b/htdocs/langs/uz_UZ/bills.lang index e6ea4390fd8..7ce06448be4 100644 --- a/htdocs/langs/uz_UZ/bills.lang +++ b/htdocs/langs/uz_UZ/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 days PaymentCondition14D=14 days PaymentConditionShort14DENDMONTH=14 days of month-end PaymentCondition14DENDMONTH=Within 14 days following the end of the month -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Variable amount (%% tot.) VarAmountOneLine=Variable amount (%% tot.) - 1 line with label '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Revenue stamp YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=You have to create a standard invoice first and convert it to "template" to create a new template invoice -PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template (recommended Template) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=Invoice PDF template Crevette. A complete invoice template for situation invoices TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/uz_UZ/categories.lang b/htdocs/langs/uz_UZ/categories.lang index a6c3ffa01b0..7207bbacc38 100644 --- a/htdocs/langs/uz_UZ/categories.lang +++ b/htdocs/langs/uz_UZ/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=Contacts tags/categories AccountsCategoriesShort=Accounts tags/categories ProjectsCategoriesShort=Projects tags/categories UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=This category does not contain any product. ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=This category does not contain any customer. @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=Add the following product/service ShowCategory=Show tag/category ByDefaultInList=By default in list ChooseCategory=Choose category +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/uz_UZ/companies.lang b/htdocs/langs/uz_UZ/companies.lang index 7439972e906..c569a48c84a 100644 --- a/htdocs/langs/uz_UZ/companies.lang +++ b/htdocs/langs/uz_UZ/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=My contacts Capital=Capital CapitalOf=Capital of %s EditCompany=Edit company -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Check VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Assigned to sales representative Organization=Organization FiscalYearInformation=Fiscal Year FiscalMonthStart=Starting month of the fiscal year +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=To be able to add email notifications, you must first define contacts with valid emails for the third party ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/uz_UZ/compta.lang b/htdocs/langs/uz_UZ/compta.lang index 3f175b8b782..1de030a1905 100644 --- a/htdocs/langs/uz_UZ/compta.lang +++ b/htdocs/langs/uz_UZ/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF purchases LT2CustomerIN=SGST sales LT2SupplierIN=SGST purchases VATCollected=VAT collected -ToPay=To pay +StatusToPay=To pay SpecialExpensesArea=Area for all special payments SocialContribution=Social or fiscal tax SocialContributions=Social or fiscal taxes @@ -112,7 +112,7 @@ ShowVatPayment=Show VAT payment TotalToPay=Total to pay BalanceVisibilityDependsOnSortAndFilters=Balance is visible in this list only if table is sorted ascending on %s and filtered for 1 bank account CustomerAccountancyCode=Customer accounting code -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=Cust. account. code SupplierAccountancyCodeShort=Sup. account. code AccountNumber=Account number @@ -254,3 +254,4 @@ ByVatRate=By sale tax rate TurnoverbyVatrate=Turnover invoiced by sale tax rate TurnoverCollectedbyVatrate=Turnover collected by sale tax rate PurchasebyVatrate=Purchase by sale tax rate +LabelToShow=Short label diff --git a/htdocs/langs/uz_UZ/errors.lang b/htdocs/langs/uz_UZ/errors.lang index b070695736f..4edca737c66 100644 --- a/htdocs/langs/uz_UZ/errors.lang +++ b/htdocs/langs/uz_UZ/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=User with login %s could not be found. ErrorLoginHasNoEmail=This user has no email address. Process aborted. ErrorBadValueForCode=Bad value for security code. Try again with new value... ErrorBothFieldCantBeNegative=Fields %s and %s can't be both negative -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative ErrorWebServerUserHasNotPermission=User account %s used to execute web server has no permission for that ErrorNoActivatedBarcode=No barcode type activated @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. diff --git a/htdocs/langs/uz_UZ/holiday.lang b/htdocs/langs/uz_UZ/holiday.lang index 69b6a698e1a..82de49f9c5f 100644 --- a/htdocs/langs/uz_UZ/holiday.lang +++ b/htdocs/langs/uz_UZ/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=Type of leave ID TypeOfLeaveCode=Type of leave code TypeOfLeaveLabel=Type of leave label NbUseDaysCP=Number of days of vacation consumed +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Days consumed NbUseDaysCPShortInMonth=Days consumed in month +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Start date in month DateEndInMonth=End date in month EditCP=Edit diff --git a/htdocs/langs/uz_UZ/install.lang b/htdocs/langs/uz_UZ/install.lang index 708b3bac479..1b173656a47 100644 --- a/htdocs/langs/uz_UZ/install.lang +++ b/htdocs/langs/uz_UZ/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=Your PHP max session memory is set to %s. This should be enough. PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Your PHP installation does not support Curl. ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Directory %s does not exist. ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=You may have typed a wrong value for parameter '%s'. diff --git a/htdocs/langs/uz_UZ/main.lang b/htdocs/langs/uz_UZ/main.lang index 252366f2802..969dfce4084 100644 --- a/htdocs/langs/uz_UZ/main.lang +++ b/htdocs/langs/uz_UZ/main.lang @@ -471,7 +471,7 @@ TotalDuration=Total duration Summary=Summary DolibarrStateBoard=Database Statistics DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=No opened element to process +NoOpenedElementToProcess=No open element to process Available=Available NotYetAvailable=Not yet available NotAvailable=Not available @@ -1005,7 +1005,7 @@ ContactDefault_contrat=Contract ContactDefault_facture=Invoice ContactDefault_fichinter=Intervention ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Project ContactDefault_project_task=Task ContactDefault_propal=Proposal @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/uz_UZ/orders.lang b/htdocs/langs/uz_UZ/orders.lang index ad895845488..503955cf5f0 100644 --- a/htdocs/langs/uz_UZ/orders.lang +++ b/htdocs/langs/uz_UZ/orders.lang @@ -11,6 +11,7 @@ OrderDate=Order date OrderDateShort=Order date OrderToProcess=Order to process NewOrder=New order +NewOrderSupplier=New Purchase Order ToOrder=Make order MakeOrder=Make order SupplierOrder=Purchase order @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=Purchase orders to process +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=Canceled StatusOrderDraftShort=Draft StatusOrderValidatedShort=Validated @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=Delivered StatusOrderToBillShort=Delivered StatusOrderApprovedShort=Approved StatusOrderRefusedShort=Refused -StatusOrderBilledShort=Billed StatusOrderToProcessShort=To process StatusOrderReceivedPartiallyShort=Partially received StatusOrderReceivedAllShort=Products received @@ -50,7 +52,6 @@ StatusOrderProcessed=Processed StatusOrderToBill=Delivered StatusOrderApproved=Approved StatusOrderRefused=Refused -StatusOrderBilled=Billed StatusOrderReceivedPartially=Partially received StatusOrderReceivedAll=All products received ShippingExist=A shipment exists @@ -68,8 +69,9 @@ ValidateOrder=Validate order UnvalidateOrder=Unvalidate order DeleteOrder=Delete order CancelOrder=Cancel order -OrderReopened= Order %s Reopened +OrderReopened= Order %s re-open AddOrder=Create order +AddPurchaseOrder=Create purchase order AddToDraftOrders=Add to draft order ShowOrder=Show order OrdersOpened=Orders to process @@ -139,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Phone # Documents models -PDFEinsteinDescription=A complete order model (logo...) -PDFEratostheneDescription=A complete order model (logo...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=A simple order model -PDFProformaDescription=A complete proforma invoice (logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Bill orders NoOrdersToInvoice=No orders billable CloseProcessedOrdersAutomatically=Classify "Processed" all selected orders. @@ -152,7 +154,35 @@ OrderCreated=Your orders have been created OrderFail=An error happened during your orders creation CreateOrders=Create orders ToBillSeveralOrderSelectCustomer=To create an invoice for several orders, click first onto customer, then choose "%s". -OptionToSetOrderBilledNotEnabled=Option (from module Workflow) to set order to 'Billed' automatically when invoice is validated is off, so you will have to set status of order to 'Billed' manually. +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=If invoice validation is 'No', the order will remain to status 'Unbilled' until the invoice is validated. -CloseReceivedSupplierOrdersAutomatically=Close order to "%s" automatically if all products are received. +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=Set shipping mode +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=Canceled +StatusSupplierOrderDraftShort=Draft +StatusSupplierOrderValidatedShort=Validated +StatusSupplierOrderSentShort=In process +StatusSupplierOrderSent=Shipment in process +StatusSupplierOrderOnProcessShort=Ordered +StatusSupplierOrderProcessedShort=Processed +StatusSupplierOrderDelivered=Delivered +StatusSupplierOrderDeliveredShort=Delivered +StatusSupplierOrderToBillShort=Delivered +StatusSupplierOrderApprovedShort=Approved +StatusSupplierOrderRefusedShort=Refused +StatusSupplierOrderToProcessShort=To process +StatusSupplierOrderReceivedPartiallyShort=Partially received +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=Canceled +StatusSupplierOrderDraft=Draft (needs to be validated) +StatusSupplierOrderValidated=Validated +StatusSupplierOrderOnProcess=Ordered - Standby reception +StatusSupplierOrderOnProcessWithValidation=Ordered - Standby reception or validation +StatusSupplierOrderProcessed=Processed +StatusSupplierOrderToBill=Delivered +StatusSupplierOrderApproved=Approved +StatusSupplierOrderRefused=Refused +StatusSupplierOrderReceivedPartially=Partially received +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/uz_UZ/other.lang b/htdocs/langs/uz_UZ/other.lang index 7ee672f089b..46424590f31 100644 --- a/htdocs/langs/uz_UZ/other.lang +++ b/htdocs/langs/uz_UZ/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=Content of this directory is not empty. DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=Year of invoice date PreviousYearOfInvoice=Previous year of invoice date NextYearOfInvoice=Following year of invoice date @@ -104,7 +104,8 @@ DemoFundation=Manage members of a foundation DemoFundation2=Manage members and bank account of a foundation DemoCompanyServiceOnly=Company or freelance selling service only DemoCompanyShopWithCashDesk=Manage a shop with a cash desk -DemoCompanyProductAndStocks=Company selling products with a shop +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Company with multiple activities (all main modules) CreatedBy=Created by %s ModifiedBy=Modified by %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL of page WEBSITE_TITLE=Title WEBSITE_DESCRIPTION=Description WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Keywords LinesToImport=Lines to import diff --git a/htdocs/langs/uz_UZ/projects.lang b/htdocs/langs/uz_UZ/projects.lang index 868a696c20a..e9a559f6140 100644 --- a/htdocs/langs/uz_UZ/projects.lang +++ b/htdocs/langs/uz_UZ/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=My projects Area DurationEffective=Effective duration ProgressDeclared=Declared progress TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=Calculated progress @@ -249,9 +249,13 @@ TimeSpentForInvoice=Time spent OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=New invoice +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/uz_UZ/propal.lang b/htdocs/langs/uz_UZ/propal.lang index 7fce5107356..39bfdea31c8 100644 --- a/htdocs/langs/uz_UZ/propal.lang +++ b/htdocs/langs/uz_UZ/propal.lang @@ -28,7 +28,7 @@ ShowPropal=Show proposal PropalsDraft=Drafts PropalsOpened=Open PropalStatusDraft=Draft (needs to be validated) -PropalStatusValidated=Validated (proposal is opened) +PropalStatusValidated=Validated (proposal is open) PropalStatusSigned=Signed (needs billing) PropalStatusNotSigned=Not signed (closed) PropalStatusBilled=Billed @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=Customer invoice contact TypeContact_propal_external_CUSTOMER=Customer contact following-up proposal TypeContact_propal_external_SHIPPING=Customer contact for delivery # Document models -DocModelAzurDescription=A complete proposal model (logo...) -DocModelCyanDescription=A complete proposal model (logo...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Default model creation DefaultModelPropalToBill=Default template when closing a business proposal (to be invoiced) DefaultModelPropalClosed=Default template when closing a business proposal (unbilled) ProposalCustomerSignature=Written acceptance, company stamp, date and signature ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/uz_UZ/stocks.lang b/htdocs/langs/uz_UZ/stocks.lang index 2e207e63b39..9856649b834 100644 --- a/htdocs/langs/uz_UZ/stocks.lang +++ b/htdocs/langs/uz_UZ/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Movement or inventory code IsInPackage=Contained into package WarehouseAllowNegativeTransfer=Stock can be negative qtyToTranferIsNotEnough=You don't have enough stock from your source warehouse and your setup does not allow negative stocks. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Show warehouse MovementCorrectStock=Stock correction for product %s MovementTransferStock=Stock transfer of product %s into another warehouse @@ -192,6 +193,7 @@ TheoricalQty=Theorique qty TheoricalValue=Theorique qty LastPA=Last BP CurrentPA=Curent BP +RecordedQty=Recorded Qty RealQty=Real Qty RealValue=Real Value RegulatedQty=Regulated Qty diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang index 0583a93dc95..2d42d48bc19 100644 --- a/htdocs/langs/vi_VN/admin.lang +++ b/htdocs/langs/vi_VN/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Quản lý đơn hàng bán Module30Name=Hoá đơn Module30Desc=Quản lý hóa đơn và ghi chú tín dụng cho khách hàng. Quản lý hóa đơn và ghi chú tín dụng cho nhà cung cấp Module40Name=Nhà cung cấp -Module40Desc=Nhà cung cấp và quản lý mua hàng (đơn đặt hàng và thanh toán) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=Nhật ký gỡ lỗi Module42Desc=Phương tiện ghi nhật ký (tệp, syslog, ...). Nhật ký như vậy là cho mục đích kỹ thuật / gỡ lỗi. Module49Name=Biên tập @@ -561,9 +561,9 @@ Module200Desc=Đồng bộ hóa thư mục LDAP Module210Name=PostNuke Module210Desc=Tích hợp PostNuke Module240Name=Xuất dữ liệu -Module240Desc=Công cụ xuất dữ liệu Dolibarr (có trợ lý) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=Nhập dữ liệu -Module250Desc=Công cụ nhập dữ liệu vào Dolibarr (có trợ lý) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=Thành viên Module310Desc=Quản lý thành viên của tổ chức Module320Name=RSS Feed @@ -878,7 +878,7 @@ Permission1251=Chạy nhập dữ liệu khối cho dữ liệu bên ngoài vào Permission1321=Xuất dữ liệu Hóa đơn khách hàng, các thuộc tính và thanh toán Permission1322=Mở lại một hóa đơn thanh toán Permission1421=Xuất dữ liệu đơn đặt hàng và các thuộc tính -Permission2401=Xem các hành động (sự kiện hoặc nhiệm vụ) được liên kết với tài khoản người dùng của họ (nếu là chủ sở hữu của sự kiện) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Tạo / sửa đổi các hành động (sự kiện hoặc tác vụ) được liên kết với tài khoản người dùng của họ (nếu là chủ sở hữu của sự kiện) Permission2403=Xóa các hành động (sự kiện hoặc tác vụ) được liên kết với tài khoản người dùng của họ (nếu là chủ sở hữu của sự kiện) Permission2411=Xem hành động (sự kiện hay tác vụ) của người khác @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=Không có sự kiện bảo mật đã được ghi vào NoEventFoundWithCriteria=Không có sự kiện bảo mật được tìm thấy cho tiêu chí tìm kiếm này. SeeLocalSendMailSetup=Xem thiết lập sendmail địa phương của bạn BackupDesc=Một bản sao lưu hoàn chỉnh của bản cài đặt Dolibarr yêu cầu hai bước. -BackupDesc2=Sao lưu nội dung của thư mục "document" ( %s ) có chứa tất cả các tệp được tải lên và tạo ra. Điều này cũng sẽ bao gồm tất cả các tệp kết xuất được tạo trong Bước 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Sao lưu cấu trúc và nội dung của cơ sở dữ liệu của bạn ( %s ) vào một tệp kết xuất. Đối với điều này, bạn có thể sử dụng theo các trợ lý. BackupDescX=Thư mục lưu trữ nên được lưu trữ ở một nơi an toàn. BackupDescY=Tạo ra các tập tin dump nên được lưu trữ ở một nơi an toàn. @@ -1167,6 +1167,7 @@ RestoreDesc3=Khôi phục cấu trúc cơ sở dữ liệu và dữ liệu từ RestoreMySQL=MySQL nhập dữ liệu ForcedToByAModule= Quy luật này buộc %s bởi một mô-đun được kích hoạt PreviousDumpFiles=Các tập tin sao lưu hiện có +PreviousArchiveFiles=Existing archive files WeekStartOnDay=Ngày đầu tiên trong tuần RunningUpdateProcessMayBeRequired=Quá trình chạy nâng cấp dường như là bắt buộc (Phiên bản chương trình %s khác với phiên bản Cơ sở dữ liệu %s) YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from command line after login to a shell with user %s or you must add -W option at end of command line to provide %s password. @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Yêu cầu phương thức vận chuyển ưa thí FieldEdition=Biên soạn của trường %s FillThisOnlyIfRequired=Example: +2 (fill only if timezone offset problems are experienced) GetBarCode=Nhận mã vạch +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=Quay trở lại một mật khẩu được tạo ra theo thuật toán Dolibarr nội bộ: 8 ký tự có chứa số chia sẻ và ký tự trong chữ thường. PasswordGenerationNone=Không có gợi ý tạo mật khẩu. Mật khẩu phải được nhập bằng tay. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Kiểm tra mô-đun đánh số biên nhận séc MultiCompanySetup=Thiết lập mô-đun đa công ty ##### Suppliers ##### SuppliersSetup=Thiết lập mô-đun nhà cung cấp -SuppliersCommandModel=Mẫu hoàn chỉnh của đơn đặt hàng (logo ...) -SuppliersInvoiceModel=Mẫu hoàn chỉnh của hóa đơn nhà cung cấp (logo ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Mô hình đánh số hóa đơn nhà cung cấp IfSetToYesDontForgetPermission=Nếu được đặt thành giá trị không null, đừng quên cung cấp quyền cho các nhóm hoặc người dùng được phép phê duyệt lần thứ hai ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=Danh sách thông báo tự động cho mỗi ngườ ListOfNotificationsPerUserOrContact=Danh sách các thông báo tự động có thể có (về sự kiện kinh doanh) có sẵn cho mỗi người dùng * hoặc mỗi liên lạc ** ListOfFixedNotifications=Danh sách thông báo cố định tự động GoOntoUserCardToAddMore=Chuyển đến tab "Thông báo" của người dùng để thêm hoặc xóa thông báo cho người dùng -GoOntoContactCardToAddMore=Chuyển đến tab "Thông báo" của bên thứ ba để thêm hoặc xóa thông báo cho các liên lạc/địa chỉ +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=Threshold -BackupDumpWizard=Thuật sĩ xây dựng tệp sao lưu +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=Cài đặt module bên ngoài là không thể từ giao diện web với các lý do sau: SomethingMakeInstallFromWebNotPossible2=Vì lý do này, quá trình nâng cấp được mô tả ở đây là quy trình thủ công chỉ người dùng đặc quyền mới có thể thực hiện. InstallModuleFromWebHasBeenDisabledByFile=Cài đặt các module bên ngoài từ các ứng dụng đã bị vô hiệu bởi quản trị viên của bạn. Bạn phải yêu cầu ông phải loại bỏ các tập tin %s để cho phép tính năng này. @@ -1953,6 +1957,8 @@ SmallerThan=Nhỏ hơn LargerThan=Lớn hơn IfTrackingIDFoundEventWillBeLinked=Lưu ý rằng nếu tìm thấy ID theo dõi trong email đến, sự kiện sẽ được tự động liên kết với các đối tượng liên quan. WithGMailYouCanCreateADedicatedPassword=Với tài khoản GMail, nếu bạn đã bật xác thực 2 bước, bạn nên tạo mật khẩu thứ hai dành riêng cho ứng dụng thay vì sử dụng mật khẩu tài khoản của riêng bạn từ https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=Điểm kết thúc cho %s: %s DeleteEmailCollector=Xóa trình thu thập email ConfirmDeleteEmailCollector=Bạn có chắc chắn muốn xóa trình thu thập email này? diff --git a/htdocs/langs/vi_VN/bills.lang b/htdocs/langs/vi_VN/bills.lang index 5616615c943..e5835ff67ee 100644 --- a/htdocs/langs/vi_VN/bills.lang +++ b/htdocs/langs/vi_VN/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14 ngày PaymentCondition14D=14 ngày PaymentConditionShort14DENDMONTH=14 ngày cuối tháng PaymentCondition14DENDMONTH=Trong vòng 14 ngày sau khi kết thúc tháng -FixAmount=Số tiền cố định +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=Số tiền thay đổi (%% tot.) VarAmountOneLine=Số tiền thay đổi (%% tot.) - 1 dòng có nhãn '%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=Doanh thu đóng dấu YouMustCreateInvoiceFromThird=Tùy chọn này chỉ khả dụng khi tạo hóa đơn từ tab "Khách hàng" của bên thứ ba YouMustCreateInvoiceFromSupplierThird=Tùy chọn này chỉ khả dụng khi tạo hóa đơn từ tab "Nhà cung cấp" của bên thứ ba YouMustCreateStandardInvoiceFirstDesc=Trước tiên, bạn phải tạo hóa đơn chuẩn và chuyển đổi thành "mẫu" để tạo hóa đơn mẫu mới -PDFCrabeDescription=Hóa đơn mẫu PDF Crabe. Một mẫu hóa đơn đầy đủ (mẫu đề nghị) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Hóa đơn PDF mẫu Sponge. Một mẫu hóa đơn hoàn chỉnh PDFCrevetteDescription=Hóa đơn PDF mẫu Crevette. Mẫu hóa đơn hoàn chỉnh cho hóa đơn tình huống TerreNumRefModelDesc1=Quay về số với định dạng %ssyymm-nnnn cho hóa đơn chuẩn và %syymm-nnnn cho các giấy báo có nơi mà yy là năm, mm là tháng và nnnn là một chuỗi ngắt và không trở về 0 diff --git a/htdocs/langs/vi_VN/categories.lang b/htdocs/langs/vi_VN/categories.lang index 666150e4f72..6d89e248588 100644 --- a/htdocs/langs/vi_VN/categories.lang +++ b/htdocs/langs/vi_VN/categories.lang @@ -90,4 +90,5 @@ ShowCategory=Hiển thị thẻ/ danh mục ByDefaultInList=Theo mặc định trong danh sách ChooseCategory=Chọn danh mục StocksCategoriesArea=Khu vực Danh mục Kho +ActionCommCategoriesArea=Events Categories Area UseOrOperatorForCategories=Sử dụng hoặc điều hành các danh mục diff --git a/htdocs/langs/vi_VN/companies.lang b/htdocs/langs/vi_VN/companies.lang index e561cb2fb52..63225bdbd93 100644 --- a/htdocs/langs/vi_VN/companies.lang +++ b/htdocs/langs/vi_VN/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=Liên lạc của tôi Capital=Vốn CapitalOf=Vốn của %s EditCompany=Chỉnh sửa công ty -ThisUserIsNot=Người dùng này không phải là một triển vọng, khách hàng cũng không phải nhà cung cấp +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=Kiểm tra VATIntraCheckDesc=ID VAT phải bao gồm tiền tố quốc gia. Liên kết %s sử dụng dịch vụ kiểm tra VAT Châu Âu (VIES) yêu cầu truy cập internet từ máy chủ Dolibarr. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=Giao cho đại diện bán hàng Organization=Tổ chức FiscalYearInformation=Năm tài chính FiscalMonthStart=Tháng bắt đầu của năm tài chính +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=Bạn phải tạo một email cho người dùng này trước khi có thể thêm thông báo email. YouMustCreateContactFirst=Để có thể thêm thông báo email, trước tiên bạn phải xác định danh bạ với email hợp lệ cho bên thứ ba ListSuppliersShort=Danh sách nhà cung cấp diff --git a/htdocs/langs/vi_VN/compta.lang b/htdocs/langs/vi_VN/compta.lang index a4f520636b7..c6b810a1adb 100644 --- a/htdocs/langs/vi_VN/compta.lang +++ b/htdocs/langs/vi_VN/compta.lang @@ -254,3 +254,4 @@ ByVatRate=Theo thuế suất bán hàng TurnoverbyVatrate=Doanh thu được lập hóa đơn theo thuế suất bán hàng TurnoverCollectedbyVatrate=Doanh thu được thu thập theo thuế suất bán hàng PurchasebyVatrate=Mua theo thuế suất bán hàng +LabelToShow=Nhãn ngắn diff --git a/htdocs/langs/vi_VN/errors.lang b/htdocs/langs/vi_VN/errors.lang index b3279840a6a..78bd2fca7c7 100644 --- a/htdocs/langs/vi_VN/errors.lang +++ b/htdocs/langs/vi_VN/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=Người sử dụng có đăng nhập% s không ErrorLoginHasNoEmail=Thành viên này không có địa chỉ email. Quá trình hủy bỏ. ErrorBadValueForCode=Bad giá trị so với mã bảo vệ. Hãy thử lại với giá trị mới ... ErrorBothFieldCantBeNegative=Fields% s và% s không thể được cả hai tiêu cực -ErrorFieldCantBeNegativeOnInvoice=Trường %s không thể có giá trị âm trên loại hóa đơn này. Nếu bạn muốn thêm một dòng giảm giá, trước tiên chỉ cần tạo giảm giá với liên kết %s trên màn hình và áp dụng nó cho hóa đơn. Bạn cũng có thể yêu cầu quản trị viên của mình đặt tùy chọn FACTURE_ENABLE_NEGECT_LINES thành 1 để cho phép hành vi cũ. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=Số lượng cho dòng vào hóa đơn của khách hàng không thể âm ErrorWebServerUserHasNotPermission=Tài khoản người dùng% s được sử dụng để thực hiện các máy chủ web không có sự cho phép cho điều đó ErrorNoActivatedBarcode=Không có loại mã vạch kích hoạt @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Các đối tượng phải có tr ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Các đối tượng phải có trạng thái 'Dự thảo' hoặc 'Đã vô hiệu' để được kích hoạt ErrorNoFieldWithAttributeShowoncombobox=Không có trường nào có thuộc tính 'showoncombobox' bên trong định nghĩa của đối tượng '%s'. Không có cách nào để hiển thị combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Tham số PHP của bạn upload_max_filesize (%s) cao hơn tham số PHP post_max_size (%s). Đây không phải là một thiết lập phù hợp. WarningPasswordSetWithNoAccount=Một mật khẩu đã được đặt cho thành viên này. Tuy nhiên, không có tài khoản người dùng nào được tạo. Vì vậy, mật khẩu này được lưu trữ nhưng không thể được sử dụng để đăng nhập vào Dolibarr. Nó có thể được sử dụng bởi một mô-đun / giao diện bên ngoài nhưng nếu bạn không cần xác định bất kỳ thông tin đăng nhập hay mật khẩu nào cho thành viên, bạn có thể tắt tùy chọn "Quản lý đăng nhập cho từng thành viên" từ thiết lập mô-đun Thành viên. Nếu bạn cần quản lý thông tin đăng nhập nhưng không cần bất kỳ mật khẩu nào, bạn có thể để trống trường này để tránh cảnh báo này. Lưu ý: Email cũng có thể được sử dụng làm thông tin đăng nhập nếu thành viên được liên kết với người dùng. diff --git a/htdocs/langs/vi_VN/holiday.lang b/htdocs/langs/vi_VN/holiday.lang index 37fb63282c7..cc8fee2a000 100644 --- a/htdocs/langs/vi_VN/holiday.lang +++ b/htdocs/langs/vi_VN/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=ID Loại nghỉ phép TypeOfLeaveCode=Mã Loại nghỉ phép TypeOfLeaveLabel=Nhãn Loại nghỉ phép NbUseDaysCP=Số ngày nghỉ đã tiêu thụ +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=Ngày đã tiêu thụ NbUseDaysCPShortInMonth=Số ngày đã tiêu thụ trong tháng +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=Ngày bắt đầu trong tháng DateEndInMonth=Ngày kết thúc trong tháng EditCP=Chỉnh sửa diff --git a/htdocs/langs/vi_VN/install.lang b/htdocs/langs/vi_VN/install.lang index dbb88b322a8..cc1544916a9 100644 --- a/htdocs/langs/vi_VN/install.lang +++ b/htdocs/langs/vi_VN/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=PHP này hỗ trợ Curl. PHPSupportCalendar=PHP này hỗ trợ các lịch phần mở rộng. PHPSupportUTF8=PHP này hỗ trợ các chức năng UTF8. PHPSupportIntl=PHP này hỗ trợ các chức năng Intl. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=PHP bộ nhớ phiên tối đa của bạn được thiết lập %s. Điều này là đủ. PHPMemoryTooLow=Bộ nhớ phiên tối đa PHP của bạn được đặt thành %s byte. Điều này là quá thấp. Thay đổi php.ini của bạn để đặt tham số memory_limit thành ít nhất %s byte. Recheck=Nhấn vào đây để kiểm tra chi tiết hơn @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=Cài đặt PHP của bạn không hỗ trợ Curl. ErrorPHPDoesNotSupportCalendar=Cài đặt PHP của bạn không hỗ trợ các phần mở rộng lịch php. ErrorPHPDoesNotSupportUTF8=Cài đặt PHP của bạn không hỗ trợ các chức năng UTF8. Dolibarr không thể hoạt động chính xác. Giải quyết điều này trước khi cài đặt Dolibarr. ErrorPHPDoesNotSupportIntl=Cài đặt PHP của bạn không hỗ trợ các chức năng Intl. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=Thư mục %s không tồn tại. ErrorGoBackAndCorrectParameters=Quay lại và kiểm tra / sửa các tham số. ErrorWrongValueForParameter=Bạn có thể gõ một giá trị sai cho tham số '%s'. diff --git a/htdocs/langs/vi_VN/main.lang b/htdocs/langs/vi_VN/main.lang index 71c4ed9ef28..ef977fcee1f 100644 --- a/htdocs/langs/vi_VN/main.lang +++ b/htdocs/langs/vi_VN/main.lang @@ -471,7 +471,7 @@ TotalDuration=Tổng thời hạn Summary=Tóm tắt DolibarrStateBoard=Thống kê cơ sở dữ liệu DolibarrWorkBoard=Các chỉ mục mở -NoOpenedElementToProcess=Không có phần tử mở để xử lý +NoOpenedElementToProcess=No open element to process Available=Sẵn có NotYetAvailable=Chưa có NotAvailable=Chưa có @@ -741,7 +741,7 @@ NotSupported=Không được hỗ trợ RequiredField=Dòng bắt buộc Result=Kết quả ToTest=Kiểm tra -ValidateBefore=Item must be validated before using this feature +ValidateBefore=Mục phải được xác nhận trước khi sử dụng tính năng này Visibility=Hiển thị Totalizable=Tổng hợp TotalizableDesc=Trường này được tổng hợp trong danh sách @@ -1005,11 +1005,14 @@ ContactDefault_contrat=Hợp đồng ContactDefault_facture=Hoá đơn ContactDefault_fichinter=Can thiệp ContactDefault_invoice_supplier=Hóa đơn nhà cung cấp -ContactDefault_order_supplier=Đơn hàng nhà cung cấp +ContactDefault_order_supplier=Purchase Order ContactDefault_project=Dự án ContactDefault_project_task=Tác vụ ContactDefault_propal=Đơn hàng đề xuất ContactDefault_supplier_proposal=Đề xuất nhà cung cấp ContactDefault_ticketsup=Vé ContactAddedAutomatically=Liên lạc được thêm từ vai trò liên lạc của bên thứ ba -More=More +More=Thêm nữa +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/vi_VN/modulebuilder.lang b/htdocs/langs/vi_VN/modulebuilder.lang index 844dc08354c..c5221854aa7 100644 --- a/htdocs/langs/vi_VN/modulebuilder.lang +++ b/htdocs/langs/vi_VN/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=Danh sách các mục từ điển ListOfPermissionsDefined=Danh sách các quyền được định nghĩa SeeExamples=Xem ví dụ ở đây EnabledDesc=Điều kiện để có trường này hoạt động (Ví dụ: 1 hoặc $conf-> golobal->MYMODULE_MYOPTION) -VisibleDesc=Trường này có thể thấy? (Ví dụ: 0 = Không bao giờ hiển thị, 1 = Hiển thị trên danh sách và biểu mẫu tạo/cập nhật/xem, 2=Chỉ hiển thị trên danh sách, 3=Hiển thị chỉ trên biểu mẫu tạo/cập nhật/xem (không liệt kê), 4=Hiển thị trên danh sách và chỉ biểu mẫu cập nhật/xem (không tạo). Sử dụng giá trị âm có nghĩa là trường không được hiển thị theo mặc định trong danh sách nhưng có thể được chọn để xem). Nó có thể là một biểu thức, ví dụ:
preg_match('/public/', $_SERVER ['PHP_SELF'])?0: 1
($user->rights->holiday->define_holiday? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Giá trị của trường có thể được tích lũy để có được tổng số vào danh sách không? (Ví dụ: 1 hoặc 0) SearchAllDesc=Là trường được sử dụng để thực hiện tìm kiếm từ công cụ tìm kiếm nhanh? (Ví dụ: 1 hoặc 0) SpecDefDesc=Nhập vào đây tất cả tài liệu bạn muốn cung cấp với mô-đun chưa được xác định bởi các tab khác. Bạn có thể sử dụng .md hoặc tốt hơn, cú pháp .asciidoc đầy đủ. @@ -135,3 +135,5 @@ CSSClass=Lớp CSS NotEditable=Không thể chỉnh sửa ForeignKey=Khóa ngoại TypeOfFieldsHelp=Kiểu trường:
varchar (99), double (24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' có nghĩa là chúng ta thêm nút + sau khi kết hợp để tạo bản ghi, ví dụ 'bộ lọc' có thể là 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTEER__)') +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/vi_VN/mrp.lang b/htdocs/langs/vi_VN/mrp.lang index 56a5ca4185d..89ce772451d 100644 --- a/htdocs/langs/vi_VN/mrp.lang +++ b/htdocs/langs/vi_VN/mrp.lang @@ -54,12 +54,15 @@ ToConsume=Để tiêu thụ ToProduce=Để sản xuất QtyAlreadyConsumed=Số lượng đã tiêu thụ QtyAlreadyProduced=Số lượng đã được sản xuất +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Tiêu thụ và sản xuất tất cả Manufactured=Được sản xuất TheProductXIsAlreadyTheProductToProduce=Các sản phẩm để thêm đã là sản phẩm để sản xuất. ForAQuantityOf1=Đối với số lượng sản xuất là 1 ConfirmValidateMo=Bạn có chắc chắn muốn xác nhận Đơn hàng sản xuất này không? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/vi_VN/orders.lang b/htdocs/langs/vi_VN/orders.lang index 9ecc0d0e588..f77878edc7b 100644 --- a/htdocs/langs/vi_VN/orders.lang +++ b/htdocs/langs/vi_VN/orders.lang @@ -69,7 +69,7 @@ ValidateOrder=Xác nhận đơn hàng UnvalidateOrder=Đơn hàng chưa xác nhận DeleteOrder=Xóa đơn hàng CancelOrder=Hủy đơn hàng -OrderReopened= Đơn đặt hàng %s Mở lại +OrderReopened= Order %s re-open AddOrder=Tạo đơn hàng AddPurchaseOrder=Tạo đơn hàng mua AddToDraftOrders=Thêm vào đơn hàng dự thảo @@ -141,10 +141,10 @@ OrderByEMail=Email OrderByWWW=Online OrderByPhone=Điện thoại # Documents models -PDFEinsteinDescription=Mẫu đơn hàng đầy đủ (logo ...) -PDFEratostheneDescription=Mẫu đơn hàng đầy đủ (logo ...) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=Mẫu đơn hàng đơn giản -PDFProformaDescription=Hoá đơn proforma đầy đủ (logo ...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=Thanh toán đơn hàng NoOrdersToInvoice=Không có đơn hàng có thể lập hóa đơn CloseProcessedOrdersAutomatically=Phân loại "Đã xử lý" cho tất cả các đơn hàng được chọn. diff --git a/htdocs/langs/vi_VN/other.lang b/htdocs/langs/vi_VN/other.lang index 0408cbc7444..5c6a8912098 100644 --- a/htdocs/langs/vi_VN/other.lang +++ b/htdocs/langs/vi_VN/other.lang @@ -24,7 +24,7 @@ MessageOK=Thông điệp trên trang trả về cho một khoản thanh toán đ MessageKO=Thông điệp trên trang trả về cho một khoản thanh toán bị hủy ContentOfDirectoryIsNotEmpty=Nội dung của thư mục này không rỗng. DeleteAlsoContentRecursively=Kiểm tra để xóa tất cả nội dung lặp lại - +PoweredBy=Powered by YearOfInvoice=Năm hóa đơn PreviousYearOfInvoice=Năm trước của ngày hóa đơn NextYearOfInvoice=Năm sau của ngày hóa đơn @@ -104,7 +104,8 @@ DemoFundation=Quản lý thành viên của một nền tảng DemoFundation2=Quản lý thành viên và tài khoản ngân hàng của một nền tảng DemoCompanyServiceOnly=Chỉ công ty hoặc dịch vụ bán hàng tự do DemoCompanyShopWithCashDesk=Quản lý một cửa hàng với một bàn bằng tiền mặt -DemoCompanyProductAndStocks=Công ty bán sản phẩm có một cửa hàng +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=Công ty có nhiều hoạt động (tất cả các mô-đun chính) CreatedBy=Được tạo ra bởi %s ModifiedBy=Được thay đổi bởi %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=URL của trang WEBSITE_TITLE=Tiêu đề WEBSITE_DESCRIPTION=Mô tả WEBSITE_IMAGE=Hình ảnh -WEBSITE_IMAGEDesc=Đường dẫn tương đối của phương tiện hình ảnh. Bạn có thể giữ trống vì điều này hiếm khi được sử dụng (nội dung động có thể được sử dụng để hiển thị bản xem trước của danh sách các bài đăng trên blog). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=Từ khóa LinesToImport=Dòng để nhập diff --git a/htdocs/langs/vi_VN/projects.lang b/htdocs/langs/vi_VN/projects.lang index dca8ad08e9a..dcdc0b4ccea 100644 --- a/htdocs/langs/vi_VN/projects.lang +++ b/htdocs/langs/vi_VN/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=Khu vực dự án của tôi DurationEffective=Thời hạn hiệu lực ProgressDeclared=Tiến độ công bố TaskProgressSummary=Tiến độ công việc -CurentlyOpenedTasks=Nhiệm vụ mở hiện tại +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=Tiến độ khai báo ít hơn %s so với tiến độ tính toán TheReportedProgressIsMoreThanTheCalculatedProgressionByX=Tiến độ khai báo là nhiều hơn %s so với tiến độ tính toán ProgressCalculated=Tiến độ được tính toán @@ -249,9 +249,13 @@ TimeSpentForInvoice=Thời gian đã qua OneLinePerUser=Một dòng trên mỗi người dùng ServiceToUseOnLines=Dịch vụ được sử dụng trên các dòng InvoiceGeneratedFromTimeSpent=Hóa đơn %s đã được tạo từ thời gian dành đã qua trên dự án -ProjectBillTimeDescription=Chọn nếu bạn nhập bảng chấm công vào các nhiệm vụ của dự án VÀ bạn có kế hoạch tạo (các) hóa đơn từ bảng chấm công để lập hóa đơn cho khách hàng của dự án (không Chọn nếu bạn có kế hoạch tạo hóa đơn không dựa trên bảng chấm công). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Theo dõi cơ hội ProjectFollowTasks=Theo dõi các nhiệm vụ UsageOpportunity=Cách dùng: Cơ hội UsageTasks=Cách dùng: Nhiệm vụ UsageBillTimeShort=Cách dùng: Hóa đơn thời gian +InvoiceToUse=Draft invoice to use +NewInvoice=Hóa đơn mới +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/vi_VN/propal.lang b/htdocs/langs/vi_VN/propal.lang index 948b3aa08e8..f1a6f2c5d2e 100644 --- a/htdocs/langs/vi_VN/propal.lang +++ b/htdocs/langs/vi_VN/propal.lang @@ -76,8 +76,8 @@ TypeContact_propal_external_BILLING=Liên lạc khách hàng về hóa đơn TypeContact_propal_external_CUSTOMER=Liên hệ với khách hàng sau-up đề nghị TypeContact_propal_external_SHIPPING=Liên lạc khách hàng để giao hàng # Document models -DocModelAzurDescription=Một mô hình đề xuất đầy đủ (logo ...) -DocModelCyanDescription=Một mô hình đề xuất đầy đủ (logo ...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=Tạo mô hình mặc định DefaultModelPropalToBill=Mặc định mẫu khi đóng cửa một đề xuất kinh doanh (được lập hoá đơn) DefaultModelPropalClosed=Mặc định mẫu khi đóng cửa một đề xuất kinh doanh (chưa lập hoá đơn) diff --git a/htdocs/langs/vi_VN/stocks.lang b/htdocs/langs/vi_VN/stocks.lang index 315913c7d26..959e3b30c6c 100644 --- a/htdocs/langs/vi_VN/stocks.lang +++ b/htdocs/langs/vi_VN/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=Mã chuyển kho hoặc mã kiểm kho IsInPackage=Chứa vào gói WarehouseAllowNegativeTransfer=Tồn kho có thể âm qtyToTranferIsNotEnough=Bạn không có đủ tồn kho từ kho nguồn của mình và thiết lập của bạn không cho phép các tồn kho âm. +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=Hiện kho MovementCorrectStock=Hiệu chỉnh tồn kho cho sản phẩm %s MovementTransferStock=Chuyển tồn kho của sản phẩm %s vào kho khác @@ -192,6 +193,7 @@ TheoricalQty=Số lượng lý thuyết TheoricalValue=Số lượng lý thuyết LastPA=BP cuối cùng CurrentPA=BP hiện tại +RecordedQty=Recorded Qty RealQty=Số lượng thực tế RealValue=Giá trị thực tế RegulatedQty=Số lượng quy định diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang index 4a6c90c1f33..602c6568718 100644 --- a/htdocs/langs/zh_CN/admin.lang +++ b/htdocs/langs/zh_CN/admin.lang @@ -519,7 +519,7 @@ Module25Desc=Sales order management Module30Name=发票 Module30Desc=Management of invoices and credit notes for customers. Management of invoices and credit notes for suppliers Module40Name=供应商 -Module40Desc=Vendors and purchase management (purchase orders and billing) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=调试日志 Module42Desc=记录设施(文件,系统日志,......)。此类日志用于技术/调试目的。 Module49Name=编辑器 @@ -561,9 +561,9 @@ Module200Desc=LDAP directory synchronization Module210Name=PostNuke Module210Desc=PostNuke 整合 Module240Name=数据导出 -Module240Desc=数据导出工具(助理) +Module240Desc=Tool to export Dolibarr data (with assistance) Module250Name=数据导入 -Module250Desc=Tool to import data into Dolibarr (with assistants) +Module250Desc=Tool to import data into Dolibarr (with assistance) Module310Name=会员 Module310Desc=机构会员管理模块 Module320Name=RSS 源 @@ -878,7 +878,7 @@ Permission1251=导入大量外部数据到数据库(载入资料) Permission1321=导出客户发票、属性及其付款资料 Permission1322=重新开立付费账单 Permission1421=Export sales orders and attributes -Permission2401=Read actions (events or tasks) linked to his user account (if owner of event) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=Create/modify actions (events or tasks) linked to his user account (if owner of event) Permission2403=Delete actions (events or tasks) linked to his user account (if owner of event) Permission2411=读取他人的动作(事件或任务) @@ -1156,7 +1156,7 @@ NoEventOrNoAuditSetup=No security event has been logged. This is normal if Audit NoEventFoundWithCriteria=No security event has been found for this search criteria. SeeLocalSendMailSetup=参见您的本机 sendmail 设置 BackupDesc=A complete backup of a Dolibarr installation requires two steps. -BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. +BackupDesc2=Backup the contents of the "documents" directory (%s) containing all uploaded and generated files. This will also include all the dump files generated in Step 1. This operation may last several minutes. BackupDesc3=Backup the structure and contents of your database (%s) into a dump file. For this, you can use the following assistant. BackupDescX=The archived directory should be stored in a secure place. BackupDescY=生成的转储文件应存放在安全的地方。 @@ -1167,6 +1167,7 @@ RestoreDesc3=Restore the database structure and data from a backup dump file int RestoreMySQL=MySQL 导入 ForcedToByAModule= 此规则被一个启用中的模块强制应用于 %s PreviousDumpFiles=Existing backup files +PreviousArchiveFiles=Existing archive files WeekStartOnDay=First day of the week RunningUpdateProcessMayBeRequired=Running the upgrade process seems to be required (Program version %s differs from Database version %s) YouMustRunCommandFromCommandLineAfterLoginToUser=您必须以 %s 用户在MySQL控制台登陆后通过命令行运行此命令否则您必须在命令行的末尾使用 -W 选项来提供 %s 的密码。 @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=Ask for preferred shipping method for Third Partie FieldEdition=%s 字段的编辑 FillThisOnlyIfRequired=例如:+2 (请只在时区错误问题出现时填写) GetBarCode=获取条码 +NumberingModules=Numbering models ##### Module password generation PasswordGenerationStandard=返回一个根据 Dolibarr 内部算法生成的密码:8个字符,包含小写数字和字母。 PasswordGenerationNone=Do not suggest a generated password. Password must be typed in manually. @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=Check Receipts Numbering Module MultiCompanySetup=多公司模块设置 ##### Suppliers ##### SuppliersSetup=Vendor module setup -SuppliersCommandModel=Complete template of purchase order (logo...) -SuppliersInvoiceModel=采购账单的完整模板(LOGO标识...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=Vendor invoices numbering models IfSetToYesDontForgetPermission=If set to a non null value, don't forget to provide permissions to groups or users allowed for the second approval ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=List of automatic notifications per user* ListOfNotificationsPerUserOrContact=List of possible automatic notifications (on business event) available per user* or per contact** ListOfFixedNotifications=List of automatic fixed notifications GoOntoUserCardToAddMore=Go to the tab "Notifications" of a user to add or remove notifications for users -GoOntoContactCardToAddMore=转到合作方的“通知”标签,添加或删除联系人/地址的通知 +GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses Threshold=阈值 -BackupDumpWizard=Wizard to build the backup file +BackupDumpWizard=Wizard to build the database dump file +BackupZipWizard=Wizard to build the archive of documents directory SomethingMakeInstallFromWebNotPossible=由于以下原因,无法从Web界面安装外部模块: SomethingMakeInstallFromWebNotPossible2=For this reason, process to upgrade described here is a manual process only a privileged user may perform. InstallModuleFromWebHasBeenDisabledByFile=管理员已禁用从应用程序安装外部模块。您必须要求他删除文件 %s 以允许此功能。 @@ -1953,6 +1957,8 @@ SmallerThan=Smaller than LargerThan=Larger than IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID is found into incoming email, the event will be automatically linked to the related objects. WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. +EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set a value here to use this feature. Note that you must also use a read/write login account. +EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. EndPointFor=End point for %s : %s DeleteEmailCollector=Delete email collector ConfirmDeleteEmailCollector=Are you sure you want to delete this email collector? diff --git a/htdocs/langs/zh_CN/bills.lang b/htdocs/langs/zh_CN/bills.lang index 32af27bf84f..71578f9d1b9 100644 --- a/htdocs/langs/zh_CN/bills.lang +++ b/htdocs/langs/zh_CN/bills.lang @@ -416,7 +416,7 @@ PaymentConditionShort14D=14天 PaymentCondition14D=14天 PaymentConditionShort14DENDMONTH=月末14天 PaymentCondition14DENDMONTH=在月底之后的14天内 -FixAmount=Fixed amount +FixAmount=Fixed amount - 1 line with label '%s' VarAmount=可变金额(%% tot.) VarAmountOneLine=可变金额(%% tot。) - 1行标签'%s' # PaymentType @@ -512,7 +512,7 @@ RevenueStamp=印花税票 YouMustCreateInvoiceFromThird=This option is only available when creating an invoice from tab "Customer" of third party YouMustCreateInvoiceFromSupplierThird=This option is only available when creating an invoice from tab "Vendor" of third party YouMustCreateStandardInvoiceFirstDesc=您必须先创建标准发票并将其转换为“模板”以创建新模板发票 -PDFCrabeDescription=发票模板Crabe。一个完整的发票模板(支援增值税选项,折扣,付款条件,标识等..) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=Invoice PDF template Sponge. A complete invoice template PDFCrevetteDescription=发票PDF模板Crevette。情况发票的完整发票模板 TerreNumRefModelDesc1=Return number with format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequence with no break and no return to 0 diff --git a/htdocs/langs/zh_CN/categories.lang b/htdocs/langs/zh_CN/categories.lang index 633645a3abd..f86d7cc626f 100644 --- a/htdocs/langs/zh_CN/categories.lang +++ b/htdocs/langs/zh_CN/categories.lang @@ -62,6 +62,7 @@ ContactCategoriesShort=联系人标签/分类 AccountsCategoriesShort=账户标签/分类 ProjectsCategoriesShort=项目标签/分类 UsersCategoriesShort=Users tags/categories +StockCategoriesShort=Warehouse tags/categories ThisCategoryHasNoProduct=本分类不包含任何产品。 ThisCategoryHasNoSupplier=This category does not contain any vendor. ThisCategoryHasNoCustomer=本分类不包含任何客户。 @@ -88,3 +89,6 @@ AddProductServiceIntoCategory=添加下面的产品/服务 ShowCategory=显示标签/分类 ByDefaultInList=按默认列表 ChooseCategory=选择类别 +StocksCategoriesArea=Warehouses Categories Area +ActionCommCategoriesArea=Events Categories Area +UseOrOperatorForCategories=Use or operator for categories diff --git a/htdocs/langs/zh_CN/companies.lang b/htdocs/langs/zh_CN/companies.lang index 8ba8cc1e5ec..8f920f891d1 100644 --- a/htdocs/langs/zh_CN/companies.lang +++ b/htdocs/langs/zh_CN/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=我的联系人 Capital=注册资金 CapitalOf=注册资金 %s EditCompany=编辑公司 -ThisUserIsNot=This user is not a prospect, customer nor vendor +ThisUserIsNot=This user is not a prospect, customer or vendor VATIntraCheck=支票 VATIntraCheckDesc=The VAT ID must include the country prefix. The link %s uses the European VAT checker service (VIES) which requires internet access from the Dolibarr server. VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=分配给销售代表 Organization=组织 FiscalYearInformation=Fiscal Year FiscalMonthStart=会计年度初始月 +SocialNetworksInformation=Social networks +SocialNetworksFacebookURL=Facebook URL +SocialNetworksTwitterURL=Twitter URL +SocialNetworksLinkedinURL=Linkedin URL +SocialNetworksInstagramURL=Instagram URL +SocialNetworksYoutubeURL=Youtube URL +SocialNetworksGithubURL=Github URL YouMustAssignUserMailFirst=You must create an email for this user prior to being able to add an email notification. YouMustCreateContactFirst=能够添加电子邮件通知, 首先你必须填写合伙人的有效Email地址 ListSuppliersShort=List of Vendors diff --git a/htdocs/langs/zh_CN/compta.lang b/htdocs/langs/zh_CN/compta.lang index 4dd94738343..af8ca4a19e6 100644 --- a/htdocs/langs/zh_CN/compta.lang +++ b/htdocs/langs/zh_CN/compta.lang @@ -63,7 +63,7 @@ LT2SupplierES=IRPF采购 LT2CustomerIN=SGST销售 LT2SupplierIN=SGST购买 VATCollected=增值税征收 -ToPay=待支付 +StatusToPay=待支付 SpecialExpensesArea=特殊支付区域 SocialContribution=社会或财政税 SocialContributions=社会或财政税 @@ -112,7 +112,7 @@ ShowVatPayment=显示增值税纳税 TotalToPay=共支付 BalanceVisibilityDependsOnSortAndFilters=仅当表格在%s上按升序排序并过滤为1个银行帐户时,才会在此列表中显示余额 CustomerAccountancyCode=客户科目代码 -SupplierAccountancyCode=vendor accounting code +SupplierAccountancyCode=Vendor accounting code CustomerAccountancyCodeShort=客户账户代码 SupplierAccountancyCodeShort=供应商账户代码 AccountNumber=帐号 @@ -254,3 +254,4 @@ ByVatRate=按销售税率计算 TurnoverbyVatrate=营业税按销售税率开具 TurnoverCollectedbyVatrate=按销售税率收取的营业额 PurchasebyVatrate=按销售税率购买 +LabelToShow=标签别名 diff --git a/htdocs/langs/zh_CN/errors.lang b/htdocs/langs/zh_CN/errors.lang index 6b6291dc7bd..7222c4140cf 100644 --- a/htdocs/langs/zh_CN/errors.lang +++ b/htdocs/langs/zh_CN/errors.lang @@ -117,7 +117,8 @@ ErrorLoginDoesNotExists=登陆账号 %s 有误——系统中没有这个 ErrorLoginHasNoEmail=此账户未设定Email地址。无法使用该功能. ErrorBadValueForCode=代码有错误的值类型。再次尝试以新的价值... ErrorBothFieldCantBeNegative=栏位%s和%s不能都为负的 -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. ErrorQtyForCustomerInvoiceCantBeNegative=进入客户发票的数量不能为负数 ErrorWebServerUserHasNotPermission=%s用来执行Web服务器用户帐户没有该权限 ErrorNoActivatedBarcode=没有激活的条码类型 @@ -224,6 +225,8 @@ ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ProblemIsInSetupOfTerminal=Problem is in setup of terminal %s. +ErrorAddAtLeastOneLineFirst=Add at least one line first # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. WarningPasswordSetWithNoAccount=为此成员设置了密码。但是,未创建任何用户帐户。因此,此密码已存储,但无法用于登录Dolibarr。它可以由外部模块/接口使用,但如果您不需要为成员定义任何登录名或密码,则可以从成员模块设置中禁用“管理每个成员的登录名”选项。如果您需要管理登录但不需要任何密码,则可以将此字段保留为空以避免此警告。注意:如果成员链接到用户,则电子邮件也可用作登录。 diff --git a/htdocs/langs/zh_CN/holiday.lang b/htdocs/langs/zh_CN/holiday.lang index 250d66af087..3e018f1cbdd 100644 --- a/htdocs/langs/zh_CN/holiday.lang +++ b/htdocs/langs/zh_CN/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=请假ID的类型 TypeOfLeaveCode=请假类型 TypeOfLeaveLabel=请假标签的类型 NbUseDaysCP=消耗的休假天数 +NbUseDaysCPHelp=The calculation takes into account the non working days and the holidays defined in the dictionary. NbUseDaysCPShort=消耗的天数 NbUseDaysCPShortInMonth=一个月消耗的天数 +DayIsANonWorkingDay=%s is a non working day DateStartInMonth=以月开始日期 DateEndInMonth=截止日期 EditCP=编辑 diff --git a/htdocs/langs/zh_CN/install.lang b/htdocs/langs/zh_CN/install.lang index 6f5b8a98052..c66000995eb 100644 --- a/htdocs/langs/zh_CN/install.lang +++ b/htdocs/langs/zh_CN/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=This PHP supports Curl. PHPSupportCalendar=This PHP supports calendars extensions. PHPSupportUTF8=This PHP supports UTF8 functions. PHPSupportIntl=This PHP supports Intl functions. +PHPSupport=This PHP supports %s functions. PHPMemoryOK=您的PHP最大session会话内存设置为%s。这应该够了的。 PHPMemoryTooLow=Your PHP max session memory is set to %s bytes. This is too low. Change your php.ini to set memory_limit parameter to at least %s bytes. Recheck=Click here for a more detailed test @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=你的PHP服务器不支持Curl。 ErrorPHPDoesNotSupportCalendar=Your PHP installation does not support php calendar extensions. ErrorPHPDoesNotSupportUTF8=Your PHP installation does not support UTF8 functions. Dolibarr cannot work correctly. Resolve this before installing Dolibarr. ErrorPHPDoesNotSupportIntl=Your PHP installation does not support Intl functions. +ErrorPHPDoesNotSupport=Your PHP installation does not support %s functions. ErrorDirDoesNotExists=目录 %s 不存在。 ErrorGoBackAndCorrectParameters=Go back and check/correct the parameters. ErrorWrongValueForParameter=您可能输入了一个错误的参数值的 '%s' 。 diff --git a/htdocs/langs/zh_CN/main.lang b/htdocs/langs/zh_CN/main.lang index d06ce104d54..6f355424368 100644 --- a/htdocs/langs/zh_CN/main.lang +++ b/htdocs/langs/zh_CN/main.lang @@ -471,7 +471,7 @@ TotalDuration=总时间 Summary=摘要 DolibarrStateBoard=数据库统计 DolibarrWorkBoard=Open Items -NoOpenedElementToProcess=没有要打开的元素 +NoOpenedElementToProcess=No open element to process Available=可用的 NotYetAvailable=不可用的 NotAvailable=不可用 @@ -1005,7 +1005,7 @@ ContactDefault_contrat=合同 ContactDefault_facture=发票 ContactDefault_fichinter=介入 ContactDefault_invoice_supplier=Supplier Invoice -ContactDefault_order_supplier=Supplier Order +ContactDefault_order_supplier=Purchase Order ContactDefault_project=项目 ContactDefault_project_task=任务 ContactDefault_propal=报价 @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=Supplier Proposal ContactDefault_ticketsup=Ticket ContactAddedAutomatically=Contact added from contact thirdparty roles More=More +ShowDetails=Show details +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/zh_CN/modulebuilder.lang b/htdocs/langs/zh_CN/modulebuilder.lang index a78ee292adf..e210ea09c96 100644 --- a/htdocs/langs/zh_CN/modulebuilder.lang +++ b/htdocs/langs/zh_CN/modulebuilder.lang @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=已定义权限的列表 SeeExamples=见这里的例子 EnabledDesc=激活此字段的条件(示例:1 或 $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 (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=在此输入您要为模块提供的所有文档,这些文档尚未由其他选项卡定义。您可以使用.md或更好的.asciidoc语法。 @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/zh_CN/mrp.lang b/htdocs/langs/zh_CN/mrp.lang index ad612115268..11c6915a25c 100644 --- a/htdocs/langs/zh_CN/mrp.lang +++ b/htdocs/langs/zh_CN/mrp.lang @@ -54,12 +54,15 @@ ToConsume=To consume ToProduce=To produce QtyAlreadyConsumed=Qty already consumed QtyAlreadyProduced=Qty already produced +ConsumeOrProduce=Consume or Produce ConsumeAndProduceAll=Consume and Produce All Manufactured=Manufactured TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. ForAQuantityOf1=For a quantity to produce of 1 ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s +ProductionForRef=Production of %s AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached NoStockChangeOnServices=No stock change on services +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/zh_CN/orders.lang b/htdocs/langs/zh_CN/orders.lang index 0f150ef3f69..5280f9748e6 100644 --- a/htdocs/langs/zh_CN/orders.lang +++ b/htdocs/langs/zh_CN/orders.lang @@ -11,6 +11,7 @@ OrderDate=订购日期 OrderDateShort=订单日期 OrderToProcess=待处理订单 NewOrder=新订单 +NewOrderSupplier=New Purchase Order ToOrder=订单填写 MakeOrder=订单填写 SupplierOrder=采购订单 @@ -25,6 +26,8 @@ OrdersToBill=Sales orders delivered OrdersInProcess=Sales orders in process OrdersToProcess=Sales orders to process SuppliersOrdersToProcess=待处理采购订单 +SuppliersOrdersAwaitingReception=Purchase orders awaiting reception +AwaitingReception=Awaiting reception StatusOrderCanceledShort=已取消 StatusOrderDraftShort=草稿 StatusOrderValidatedShort=已验证 @@ -37,7 +40,6 @@ StatusOrderDeliveredShort=已递送 StatusOrderToBillShort=已递送 StatusOrderApprovedShort=已批准 StatusOrderRefusedShort=已拒绝 -StatusOrderBilledShort=已到账 StatusOrderToProcessShort=待处理 StatusOrderReceivedPartiallyShort=部分收到 StatusOrderReceivedAllShort=收到的产品 @@ -50,7 +52,6 @@ StatusOrderProcessed=已处理 StatusOrderToBill=已递送 StatusOrderApproved=已批准 StatusOrderRefused=已拒绝 -StatusOrderBilled=已到账 StatusOrderReceivedPartially=部分收到 StatusOrderReceivedAll=收到所有产品 ShippingExist=运输存在 @@ -68,8 +69,9 @@ ValidateOrder=验证订单 UnvalidateOrder=未验证订单 DeleteOrder=删除订单 CancelOrder=取消订单 -OrderReopened= 订单 %s 已重开 +OrderReopened= Order %s re-open AddOrder=创建订单 +AddPurchaseOrder=Create purchase order AddToDraftOrders=添加订单草稿 ShowOrder=显示订单 OrdersOpened=处理订单 @@ -139,10 +141,10 @@ OrderByEMail=电子邮件 OrderByWWW=在线 OrderByPhone=电话 # Documents models -PDFEinsteinDescription=一个完整的命令模式(logo. ..) -PDFEratostheneDescription=一个完整的命令模式(logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=一份简单的订购模式 -PDFProformaDescription=完整的预开发票(LOGO标志...) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=计费订单 NoOrdersToInvoice=没有订单账单 CloseProcessedOrdersAutomatically=归类所有“已处理”的订单。 @@ -152,7 +154,35 @@ OrderCreated=您的订单已创建 OrderFail=您的订单创建期间发生了错误 CreateOrders=创建订单 ToBillSeveralOrderSelectCustomer=要为多个订单创建一张发票, 首先点击客户,然后选择 "%s". -OptionToSetOrderBilledNotEnabled=选项(来自模块工作流程)将发票验证时自动将订单设置为“已结算”,因此您必须手动将订单状态设置为“已结算”。 +OptionToSetOrderBilledNotEnabled=Option from module Workflow, to set order to 'Billed' automatically when invoice is validated, is not enabled, so you will have to set the status of orders to 'Billed' manually after the invoice has been generated. IfValidateInvoiceIsNoOrderStayUnbilled=如果发票确认为“否”,则在验证发票之前,订单将保持为“未开票”状态。 -CloseReceivedSupplierOrdersAutomatically=如果收到所有产品,则自动关闭订单“%s”。 +CloseReceivedSupplierOrdersAutomatically=Close order to status "%s" automatically if all products are received. SetShippingMode=设置送货方式 +WithReceptionFinished=With reception finished +#### supplier orders status +StatusSupplierOrderCanceledShort=已取消 +StatusSupplierOrderDraftShort=草稿 +StatusSupplierOrderValidatedShort=批准 +StatusSupplierOrderSentShort=过程中 +StatusSupplierOrderSent=运输处理中 +StatusSupplierOrderOnProcessShort=已下订单 +StatusSupplierOrderProcessedShort=处理完毕 +StatusSupplierOrderDelivered=已递送 +StatusSupplierOrderDeliveredShort=已递送 +StatusSupplierOrderToBillShort=已递送 +StatusSupplierOrderApprovedShort=已获批准 +StatusSupplierOrderRefusedShort=已被拒绝 +StatusSupplierOrderToProcessShort=待处理 +StatusSupplierOrderReceivedPartiallyShort=部分收到 +StatusSupplierOrderReceivedAllShort=Products received +StatusSupplierOrderCanceled=已取消 +StatusSupplierOrderDraft=草稿(需要确认) +StatusSupplierOrderValidated=批准 +StatusSupplierOrderOnProcess=已下订单 - 等待接收 +StatusSupplierOrderOnProcessWithValidation=已下订单 - 等待接收或确认 +StatusSupplierOrderProcessed=处理完毕 +StatusSupplierOrderToBill=已递送 +StatusSupplierOrderApproved=已获批准 +StatusSupplierOrderRefused=已被拒绝 +StatusSupplierOrderReceivedPartially=部分收到 +StatusSupplierOrderReceivedAll=All products received diff --git a/htdocs/langs/zh_CN/other.lang b/htdocs/langs/zh_CN/other.lang index f840ee7ae66..c12d0c4839c 100644 --- a/htdocs/langs/zh_CN/other.lang +++ b/htdocs/langs/zh_CN/other.lang @@ -24,7 +24,7 @@ MessageOK=Message on the return page for a validated payment MessageKO=Message on the return page for a canceled payment ContentOfDirectoryIsNotEmpty=该目录的内容不为空。 DeleteAlsoContentRecursively=Check to delete all content recursively - +PoweredBy=Powered by YearOfInvoice=发票日期年份 PreviousYearOfInvoice=上一年的发票日期 NextYearOfInvoice=发票日期后一年 @@ -104,7 +104,8 @@ DemoFundation=基础会员管理 DemoFundation2=资金密集型企业 DemoCompanyServiceOnly=外贸公司 DemoCompanyShopWithCashDesk=管理与现金办公桌店 -DemoCompanyProductAndStocks=销售门店 +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products DemoCompanyAll=公司有多项活动(所有主要模块) CreatedBy=创建者 %s ModifiedBy=修改者 %s @@ -267,7 +268,7 @@ WEBSITE_PAGEURL=页面URL地址 WEBSITE_TITLE=标题 WEBSITE_DESCRIPTION=描述 WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). +WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a thumbnail in a list of blog posts). Use __WEBSITEKEY__ in the path if path depends on website name. WEBSITE_KEYWORDS=关键字 LinesToImport=要导入的行 diff --git a/htdocs/langs/zh_CN/projects.lang b/htdocs/langs/zh_CN/projects.lang index d127d603a04..bbe7ff6bddb 100644 --- a/htdocs/langs/zh_CN/projects.lang +++ b/htdocs/langs/zh_CN/projects.lang @@ -77,7 +77,7 @@ MyProjectsArea=我的项目区 DurationEffective=有效时间 ProgressDeclared=进度 TaskProgressSummary=Task progress -CurentlyOpenedTasks=Curently opened tasks +CurentlyOpenedTasks=Curently open tasks TheReportedProgressIsLessThanTheCalculatedProgressionByX=The declared progress is less %s than the calculated progression TheReportedProgressIsMoreThanTheCalculatedProgressionByX=The declared progress is more %s than the calculated progression ProgressCalculated=计算进展 @@ -249,9 +249,13 @@ TimeSpentForInvoice=所花费的时间 OneLinePerUser=One line per user ServiceToUseOnLines=Service to use on lines InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). +ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). Note: To generate invoice, go on tab 'Time spent' of the project and select lines to include. ProjectFollowOpportunity=Follow opportunity ProjectFollowTasks=Follow tasks UsageOpportunity=Usage: Opportunity UsageTasks=Usage: Tasks UsageBillTimeShort=Usage: Bill time +InvoiceToUse=Draft invoice to use +NewInvoice=新建发票 +OneLinePerTask=One line per task +OneLinePerPeriod=One line per period diff --git a/htdocs/langs/zh_CN/propal.lang b/htdocs/langs/zh_CN/propal.lang index 45d686c72d6..356639b2c4c 100644 --- a/htdocs/langs/zh_CN/propal.lang +++ b/htdocs/langs/zh_CN/propal.lang @@ -28,7 +28,7 @@ ShowPropal=显示报价 PropalsDraft=草稿 PropalsOpened=打开 PropalStatusDraft=草稿(需要验证) -PropalStatusValidated=已验证(提案已打开) +PropalStatusValidated=已确定(打开的报价单) PropalStatusSigned=已签署(待付款) PropalStatusNotSigned=未签署(已关闭) PropalStatusBilled=已到账 @@ -76,10 +76,11 @@ TypeContact_propal_external_BILLING=客户账单联系人 TypeContact_propal_external_CUSTOMER=跟进报价的客户联系人 TypeContact_propal_external_SHIPPING=客户联系以便交付 # Document models -DocModelAzurDescription=完整的订单模版 (LOGO标志...) -DocModelCyanDescription=完整的订单模版 (LOGO标志...) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=设置默认模板 DefaultModelPropalToBill=关闭订单时使用的默认模板(待生成账单) DefaultModelPropalClosed=关闭订单时使用的默认模板(待付款) ProposalCustomerSignature=书面接受,公司盖章,日期和签名 ProposalsStatisticsSuppliers=Vendor proposals statistics +CaseFollowedBy=Case followed by diff --git a/htdocs/langs/zh_CN/stocks.lang b/htdocs/langs/zh_CN/stocks.lang index fbd1b725105..5af65215710 100644 --- a/htdocs/langs/zh_CN/stocks.lang +++ b/htdocs/langs/zh_CN/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=调拨或盘点编码 IsInPackage=包含在模块包 WarehouseAllowNegativeTransfer=股票可能是负面的 qtyToTranferIsNotEnough=您的源仓库中没有足够的库存,您的设置不允许负库存。 +qtyToTranferLotIsNotEnough=You don't have enough stock, for this lot number, from your source warehouse and your setup does not allow negative stocks (Qty for product '%s' with lot '%s' is %s in warehouse '%s'). ShowWarehouse=显示仓库 MovementCorrectStock=产品库存校正 %s MovementTransferStock=库存调拨移转 %s 到其他仓库库位中 @@ -192,6 +193,7 @@ TheoricalQty=理论数量 TheoricalValue=理论数量 LastPA=最后 BP CurrentPA=当前 BP +RecordedQty=Recorded Qty RealQty=实际数量 RealValue=实际价值 RegulatedQty=规范数量 diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang index 3e33b4dcccb..109d878c286 100644 --- a/htdocs/langs/zh_TW/admin.lang +++ b/htdocs/langs/zh_TW/admin.lang @@ -243,13 +243,13 @@ Developpers=開發商/貢獻者 OfficialWebSite=Dolibarr官方網站 OfficialWebSiteLocal=本地網站(%s) OfficialWiki=Dolibarr文件/ Wiki -OfficialDemo=Dolibarr在線展示 +OfficialDemo=Dolibarr線上展示 OfficialMarketPlace=外部模組/插件官方市場 OfficialWebHostingService=可參考的網站主機服務 (雲端主機) ReferencedPreferredPartners=首選合作夥伴 OtherResources=其他資源 ExternalResources=外部資源 -SocialNetworks=交際網路 +SocialNetworks=社交網路 ForDocumentationSeeWiki=有關用戶或開發人員的文件(文件,常見問題...),
可在Dolibarr維基查閱:
%s ForAnswersSeeForum=有關任何其他問題/幫助,您可以使用Dolibarr論壇:
%s HelpCenterDesc1=以下是獲得Dolibarr幫助和支持的一些資源。 @@ -519,7 +519,7 @@ Module25Desc=銷售訂單管理 Module30Name=發票 Module30Desc=為客戶管理發票和信用票據。供應商發票和信用票據管理 Module40Name=供應商 -Module40Desc=供應商和採購管理(採購訂單和開票) +Module40Desc=Vendors and purchase management (purchase orders and billing of supplier invoices) Module42Name=除錯日誌 Module42Desc=日誌記錄 (file, syslog, ...)。這些日誌是針對技術性以及除錯用途。 Module49Name=編輯器 @@ -538,8 +538,8 @@ Module55Name=條碼 Module55Desc=條碼管理 Module56Name=電話 Module56Desc=電話整合 -Module57Name=銀行直接借記付款 -Module57Desc=管理直接借記付款訂單。它包括為歐洲國家產生的SEPA檔案。 +Module57Name=銀行直接轉帳付款 +Module57Desc=管理直接轉帳付款訂單。它包括為歐洲國家產生的SEPA檔案。 Module58Name=點選撥打 Module58Desc=點選撥打系統(Asterisk, ...)的整合 Module59Name=Bookmark4u @@ -561,9 +561,9 @@ Module200Desc=LDAP資料夾同步 Module210Name=PostNuke Module210Desc=PostNuke 的整合 Module240Name=資料匯出 -Module240Desc=匯出 Dolibarr 資料的工具 (助手) +Module240Desc=匯出 Dolibarr 資料的工具 (小幫手) Module250Name=資料匯入 -Module250Desc=將資料匯入Dolibarr的工具(助手) +Module250Desc=將資料匯入Dolibarr的工具(小幫手) Module310Name=會員 Module310Desc=公司會員管理 Module320Name=RSS 訂閱 @@ -725,10 +725,10 @@ Permission142=建立/修改全部專案及任務(也包含我不是連絡人 Permission144=刪除全部專案及任務(也包含我不是連絡人的私人專案) Permission146=讀取提供者 Permission147=讀取統計資料 -Permission151=讀取直接信用付款訂單 -Permission152=建立/修改直接借記付款訂單 -Permission153=傳送/傳輸直接借記付款訂單 -Permission154=記錄直接借記付款訂單的信貸/拒絕 +Permission151=讀取直接轉帳付款訂單 +Permission152=建立/修改直接轉帳付款訂單 +Permission153=傳送/傳輸直接轉帳付款訂單 +Permission154=記錄直接轉帳付款訂單的信貸/拒絕 Permission161=讀取合約/訂閱 Permission162=建立/修改合約/訂閱 Permission163=啟動服務合約/合約的訂閱 @@ -878,7 +878,7 @@ Permission1251=執行從外部資料批次匯入到資料庫的功能 (載入資 Permission1321=匯出客戶發票、屬性及付款資訊 Permission1322=重啟已付帳單 Permission1421=匯出銷售訂單和屬性 -Permission2401=讀取連結到自己用戶帳戶(如果是事件所有者)的活動(事件或任務) +Permission2401=Read actions (events or tasks) linked to his user account (if owner of event or just assigned to) Permission2402=建立/修改連結到自己的用戶帳戶(如果是事件所有者)的活動(事件或任務) Permission2403=刪除連結到自己用戶帳戶的行動(事件或任務)(如果是事件所有者) Permission2411=讀取其他行動(事件或任務) @@ -1156,17 +1156,18 @@ NoEventOrNoAuditSetup=尚未記錄任何安全事件。如果未在“設定-安 NoEventFoundWithCriteria=找不到此搜尋條件的安全事件。 SeeLocalSendMailSetup=查看本地的郵件寄送設定 BackupDesc=一個Dolibarr安裝的完整備份需要兩個步驟。 -BackupDesc2=備份包含所有上傳和產生文件的“文件”資料夾( %s )的內容。這還將包括在步驟1中產生的所有轉存文件。 +BackupDesc2=備份包含所有上傳和產生文件的“ documents”資料夾( %s )的內容。這還將包括在步驟1中產生的所有轉存檔案。此操作可能持續幾分鐘。 BackupDesc3=將資料庫的結構和內容( %s )備份到轉存檔案中。為此,您可以使用以下助手。 BackupDescX=存檔資料夾應儲存在安全的地方。 BackupDescY=產生的轉存檔案應處存在安全的地方。 BackupPHPWarning=用這種方法不能保證備份。推薦上一個。 RestoreDesc=要還原Dolibarr備份,需要執行兩個步驟。 RestoreDesc2=將“ 文件”資料夾的備份文件(例如zip文件)還原到新的Dolibarr安裝或目前文件資料夾( %s )中。 -RestoreDesc3=將資料庫結構和數據從備份檔案還原到新Dolibarr安裝的資料庫或目前安裝的資料庫 (%s)中。警告,還原完成後,您必須使用備份時間/安裝中存在的登入名稱/密碼才能再次連接。
要將備份數據庫還原到當前安裝中,可以按照此助手進行操作。 +RestoreDesc3=將資料庫結構和數據從備份檔案還原到新Dolibarr安裝的資料庫或目前安裝的資料庫 (%s)中。警告,還原完成後,您必須使用備份時間/安裝中存在的登入名稱/密碼才能再次連接。
要將備份數據庫還原到目前安裝中,可以依照此助手進行操作。 RestoreMySQL=MySQL匯入 ForcedToByAModule= 有一啟動模組強制%s適用此規則 PreviousDumpFiles=現有備份檔案 +PreviousArchiveFiles=現有壓縮檔案 WeekStartOnDay=一周的第一天 RunningUpdateProcessMayBeRequired=似乎需要執行升級(程式版本%s與資料庫版本%s不同) YouMustRunCommandFromCommandLineAfterLoginToUser=用戶%s在登入終端機後您必須從命令列執行此命令,或您必須在命令列末增加 -W 選項以提供 %s 密碼。 @@ -1248,6 +1249,7 @@ AskForPreferredShippingMethod=要求合作方使用首選的運輸方式。 FieldEdition=欗位 %s編輯 FillThisOnlyIfRequired=例如: +2 (若遇到時區偏移問題時才填寫) GetBarCode=取得條碼 +NumberingModules=編號模型 ##### Module password generation PasswordGenerationStandard=返回根據Dolibarr內部算法產生的密碼:8個字元,包含數字和小寫字元。 PasswordGenerationNone=不要產生建議密碼。密碼必須手動輸入。 @@ -1449,7 +1451,7 @@ LDAPFieldFax=傳真號碼 LDAPFieldFaxExample=範例:facsimiletelephonenumber LDAPFieldAddress=街道名稱 LDAPFieldAddressExample=範例: street -LDAPFieldZip=郵遞區號 +LDAPFieldZip=壓縮 LDAPFieldZipExample=範例: postalcode LDAPFieldTown=鄉鎮區 LDAPFieldTownExample=範例:l @@ -1560,7 +1562,7 @@ GenbarcodeLocation=條碼產生命令行工具 ( 某些條碼類型使用內部 BarcodeInternalEngine=內部引擎 BarCodeNumberManager=管理自動編號的條碼 ##### Prelevements ##### -WithdrawalsSetup=直接借記付款模組設定 +WithdrawalsSetup=直接轉帳付款模組設定 ##### ExternalRSS ##### ExternalRSSSetup=外部RSS匯入設定 NewRSS=新RSS 訂閱 @@ -1711,8 +1713,9 @@ ChequeReceiptsNumberingModule=支票收據編號模組 MultiCompanySetup=多重公司模組設定 ##### Suppliers ##### SuppliersSetup=供應商模組設定 -SuppliersCommandModel=採購訂單的完整範本(logo...) -SuppliersInvoiceModel=供應商發票的完整範本(logo. ...) +SuppliersCommandModel=Complete template of Purchase Order +SuppliersCommandModelMuscadet=Complete template of Purchase Order +SuppliersInvoiceModel=Complete template of Vendor Invoice SuppliersInvoiceNumberingModel=供應商發票編號模型 IfSetToYesDontForgetPermission=如果設定為非null值,請不要忘記為允許第二次批准的群組或用戶提供權限 ##### GeoIPMaxmind ##### @@ -1762,9 +1765,10 @@ ListOfNotificationsPerUser=每個用戶的自動通知清單* ListOfNotificationsPerUserOrContact=每個用戶*或每個聯絡人**的自動通知(在業務事件中)清單 ListOfFixedNotifications=自動固定通知清單 GoOntoUserCardToAddMore=前往用戶的“通知”分頁以增加或刪除用戶的通知 -GoOntoContactCardToAddMore=前往合作方的「通知」分頁以便增加或移除通訊錄/地址通知 +GoOntoContactCardToAddMore=前往合作方的"通知"分頁以便增加或移除通訊錄/地址通知 Threshold=Threshold -BackupDumpWizard=建立檔案備份的精靈 +BackupDumpWizard=建立資料庫轉存檔案的小精靈 +BackupZipWizard=建立文件資料夾壓縮檔的小精靈 SomethingMakeInstallFromWebNotPossible=由於以下原因,無法從 Web 界面安裝外部模組: SomethingMakeInstallFromWebNotPossible2=因此,此處描述的升級過程是只有特權用戶才能執行的手動過程。 InstallModuleFromWebHasBeenDisabledByFile=您的管理員已禁止從應用程式安裝外部模組。您必須要求他刪除檔案%s才能使用此功能。 @@ -1911,7 +1915,7 @@ LoadThirdPartyFromName=在%s載入合作方搜尋 (僅載入) LoadThirdPartyFromNameOrCreate= 在%s載入合作方搜尋 (如果找不到就建立) WithDolTrackingID=在訊息ID中找到Dolibarr參考 WithoutDolTrackingID=在訊息ID中找不到Dolibarr參考 -FormatZip=郵遞區號 +FormatZip=Zip MainMenuCode=選單輸入代碼(主選單) ECMAutoTree=顯示自動ECM樹狀圖 OperationParamDesc=定義用於操作的值,或如何提取值. 範例:
objproperty1=SET:abc
objproperty1=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:abc
objproperty4=EXTRACT:HEADER:X-Myheaderkey.*[^\\s]+(.*)
options_myextrafield=EXTRACT:SUBJECT:([^\\s]*)
object.objproperty5=EXTRACT:BODY:我的公司名稱為\\s([^\\s]*)

使用; char作為分隔符號以提取或設定幾個屬性。 @@ -1953,6 +1957,8 @@ SmallerThan=小於 LargerThan=大於 IfTrackingIDFoundEventWillBeLinked=請注意,如果在傳入電子郵件中找到跟踪ID,則該事件將自動連結到相關對象。 WithGMailYouCanCreateADedicatedPassword=對於GMail帳戶,如果啟用了兩步驗證,建議您為應用程序建立專用的第二個密碼,而不要使用來自https://myaccount.google.com/的帳戶密碼。 +EmailCollectorTargetDir=當成功地寄出電子郵件後,將電子郵件移動到另一個標籤/資料夾可能是一種有需要的行動。只需在此處設定一個值即可使用此功能。請注意,您還必須使用可讀/寫登入帳戶。 +EmailCollectorLoadThirdPartyHelp=您可以使用此操作來使用電子郵件內容在資料庫中尋找並載入現有的合作方。找到(或建立)的合作方將用於需要他的後續操作。在參數欄位中您可以使用例如如果您想要從合作方字串'Name: name to find'中將提取的姓名傳送進到內容中您可以使用欄位參數'EXTRACT:BODY:Name:\\s([^\\s]*)' EndPointFor=%s的端點:%s DeleteEmailCollector=刪除電子郵件收集器 ConfirmDeleteEmailCollector=您確定要刪除此電子郵件收集器嗎? @@ -1962,6 +1968,6 @@ RESTRICT_API_ON_IP=僅將可用的API允許用於某些主機IP(不允許使 RESTRICT_ON_IP=僅允許訪問某些主機IP(不允許使用萬用字元,請在值之間使用空格)。空白意味著每個主機都可以訪問。 BaseOnSabeDavVersion=基於SabreDAV版本 NotAPublicIp=不是公共IP -MakeAnonymousPing=對Dolibarr基金會服務器進行匿名Ping'+1'(僅在安裝後執行1次),以允許基金會計算Dolibarr安裝的次數。 +MakeAnonymousPing=對Dolibarr基金會服務器進行匿名Ping'+1'(僅在安裝後執行1次),以允許基金會計算Dolibarr安裝的次數。 FeatureNotAvailableWithReceptionModule=啟用接收模組後,此功能不可用 EmailTemplate=電子郵件模板 diff --git a/htdocs/langs/zh_TW/agenda.lang b/htdocs/langs/zh_TW/agenda.lang index ba34ca606c3..1a6cda0b470 100644 --- a/htdocs/langs/zh_TW/agenda.lang +++ b/htdocs/langs/zh_TW/agenda.lang @@ -4,7 +4,7 @@ Actions=事件 Agenda=應辦事項 TMenuAgenda=應辦事項 Agendas=應辦事項 -LocalAgenda=內部日曆 +LocalAgenda=內部行事曆 ActionsOwnedBy=事件承辦人 ActionsOwnedByShort=承辦人 AffectedTo=指定給 @@ -32,8 +32,8 @@ ViewPerUser=檢視每位用戶 ViewPerType=每種類別檢視 AutoActions= 自動填滿 AgendaAutoActionDesc= 在這裡,您可以定義希望Dolibarr在應辦事項中自動新增的事件。如果未進行任何檢查,則日誌中將僅包含手動操作,並在應辦事項中顯示。將不會保存專案中自動商業行動追蹤(驗證,狀態更改)。 -AgendaSetupOtherDesc= 此頁面允許將您的Dolibarr事件匯出到外部日曆(Thunderbird,Google Calendar等)。 -AgendaExtSitesDesc=該頁面允許顯示外部來源日曆,以將其事件納入Dolibarr應辦事項。 +AgendaSetupOtherDesc= 此頁面允許將您的Dolibarr事件匯出到外部行事曆(Thunderbird,Google Calendar等)。 +AgendaExtSitesDesc=該頁面允許顯示外部來源行事曆,以將其事件納入Dolibarr應辦事項。 ActionsEvents=Dolibarr 會在待辦事項中自動建立行動事件 EventRemindersByEmailNotEnabled=電子郵件事件提醒未在%s模組設定中啟用。 ##### Agenda event labels ##### @@ -60,7 +60,7 @@ MemberSubscriptionModifiedInDolibarr=會員 %s 已修改 %s 訂閱 MemberSubscriptionDeletedInDolibarr=會員 %s 已刪除 %s 訂閱 ShipmentValidatedInDolibarr=裝運%s已驗證 ShipmentClassifyClosedInDolibarr=裝運%s已歸類為開票 -ShipmentUnClassifyCloseddInDolibarr=裝運%s已歸類為重新打開 +ShipmentUnClassifyCloseddInDolibarr=發貨%s已分類為重新打開 ShipmentBackToDraftInDolibarr=裝運%s回到草稿狀態 ShipmentDeletedInDolibarr=裝運%s已刪除 OrderCreatedInDolibarr=訂單 %s 已建立 diff --git a/htdocs/langs/zh_TW/banks.lang b/htdocs/langs/zh_TW/banks.lang index 97a4ba09a84..f94f47eed36 100644 --- a/htdocs/langs/zh_TW/banks.lang +++ b/htdocs/langs/zh_TW/banks.lang @@ -35,8 +35,8 @@ SwiftValid=BIC/SWIFT 有效 SwiftVNotalid=BIC/SWIFT 無效 IbanValid=BAN 有效 IbanNotValid=BAN 無效 -StandingOrders=直接扣款 -StandingOrder=直接扣款 +StandingOrders=直接轉帳訂單 +StandingOrder=直接轉帳訂單 AccountStatement=帳戶對帳單 AccountStatementShort=對帳單 AccountStatements=帳戶對帳單 @@ -101,7 +101,7 @@ NotReconciled=未對帳 CustomerInvoicePayment=客戶付款 SupplierInvoicePayment=供應商付款 SubscriptionPayment=訂閱付款 -WithdrawalPayment=借貸付款單 +WithdrawalPayment=借方付款單 SocialContributionPayment=社會/財務稅負繳款單 BankTransfer=銀行轉帳 BankTransfers=銀行轉帳 @@ -154,7 +154,7 @@ RejectCheck=支票已退回 ConfirmRejectCheck=您確定要將此支票標記為已拒絕嗎? RejectCheckDate=退回支票的日期 CheckRejected=支票已退回 -CheckRejectedAndInvoicesReopened=支票退回並重新開啟發票 +CheckRejectedAndInvoicesReopened=支票已退回,發票已重新打開 BankAccountModelModule=銀行帳戶的文件範本 DocumentModelSepaMandate=歐洲統一支付區要求的範本。僅適用於歐洲經濟共同體的歐洲國家。 DocumentModelBan=列印有BAN資訊的範本。 diff --git a/htdocs/langs/zh_TW/bills.lang b/htdocs/langs/zh_TW/bills.lang index 7b07a0e7b8e..1040165a467 100644 --- a/htdocs/langs/zh_TW/bills.lang +++ b/htdocs/langs/zh_TW/bills.lang @@ -61,7 +61,7 @@ Payment=付款 PaymentBack=還款 CustomerInvoicePaymentBack=還款 Payments=付款 -PaymentsBack=Refunds +PaymentsBack=退回付款 paymentInInvoiceCurrency=發票幣別 PaidBack=退款 DeletePayment=刪除付款 @@ -78,7 +78,7 @@ ReceivedCustomersPaymentsToValid=待驗證的客戶已付款單據 PaymentsReportsForYear=%s的付款報告 PaymentsReports=付款報告 PaymentsAlreadyDone=付款已完成 -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=退款已完成 PaymentRule=付款條件 PaymentMode=付款類型 PaymentTypeDC=借/貸卡片 @@ -246,8 +246,8 @@ EscompteOffered=已提供折扣(付款日前付款) EscompteOfferedShort=折扣 SendBillRef=提交發票%s SendReminderBillRef=提交發票%s(提醒) -StandingOrders=直接借記單 -StandingOrder=直接借記單 +StandingOrders=直接轉帳訂單 +StandingOrder=直接轉帳訂單 NoDraftBills=沒有草案發票(s) NoOtherDraftBills=沒有其他草案發票 NoDraftInvoices=沒有草案發票(s) @@ -416,14 +416,14 @@ PaymentConditionShort14D=14天 PaymentCondition14D=14天 PaymentConditionShort14DENDMONTH=月底14天 PaymentCondition14DENDMONTH=月底後的14天內 -FixAmount=固定金額 +FixAmount=固定金額-標籤為“ %s”的1行 VarAmount=可變金額 (%% tot.) VarAmountOneLine=可變金額 (%% tot.) - 有標籤 '%s'的一行 # PaymentType PaymentTypeVIR=銀行轉帳 PaymentTypeShortVIR=銀行轉帳 -PaymentTypePRE=直接付款訂單 -PaymentTypeShortPRE=信用付款訂單 +PaymentTypePRE=直接轉帳付款訂單 +PaymentTypeShortPRE=轉帳付款訂單 PaymentTypeLIQ=現金 PaymentTypeShortLIQ=現金 PaymentTypeCB=信用卡 @@ -512,7 +512,7 @@ RevenueStamp=印花稅 YouMustCreateInvoiceFromThird=僅當從合作方的“客戶”標籤建立發票時,此選項才可使用 YouMustCreateInvoiceFromSupplierThird=僅當從合作方的“供應商”標籤建立發票時,此選項才可用 YouMustCreateStandardInvoiceFirstDesc=您必須先建立標準發票,然後將其轉換為“範本”才能建立新的發票範本 -PDFCrabeDescription=發票PDF範本Crabe。完整的發票範本(推薦範本) +PDFCrabeDescription=Invoice PDF template Crabe. A complete invoice template PDFSpongeDescription=發票PDF範本Sponge。完整的發票範本 PDFCrevetteDescription=發票PDF範本Crevette。狀況發票的完整發票範本 TerreNumRefModelDesc1=退回編號格式,標準發票為%syymm-nnnn,信用票據(折讓單-credit notes)是%syymm-nnnn的格式,其中yy是年,mm是月,nnnn是不間斷且不返回0的序列 diff --git a/htdocs/langs/zh_TW/categories.lang b/htdocs/langs/zh_TW/categories.lang index 44901fd1687..565e1f0430a 100644 --- a/htdocs/langs/zh_TW/categories.lang +++ b/htdocs/langs/zh_TW/categories.lang @@ -90,4 +90,5 @@ ShowCategory=顯示標籤/類別 ByDefaultInList=預設在清單中 ChooseCategory=選擇類別 StocksCategoriesArea=倉庫類別區域 +ActionCommCategoriesArea=事件類別區 UseOrOperatorForCategories=類別的使用或運算 diff --git a/htdocs/langs/zh_TW/companies.lang b/htdocs/langs/zh_TW/companies.lang index ae62fb6f41a..375edfe5e59 100644 --- a/htdocs/langs/zh_TW/companies.lang +++ b/htdocs/langs/zh_TW/companies.lang @@ -247,6 +247,12 @@ ProfId3US=- ProfId4US=- ProfId5US=- ProfId6US=- +ProfId1RO=Prof Id 1 (CUI) +ProfId2RO=Prof Id 2 (Nr. Înmatriculare) +ProfId3RO=Prof Id 3 (CAEN) +ProfId4RO=- +ProfId5RO=Prof Id 5 (EUID) +ProfId6RO=- ProfId1RU=Prof Id 1 (OGRN) ProfId2RU=Prof Id 2 (INN) ProfId3RU=Prof Id 3 (KPP) @@ -339,7 +345,7 @@ MyContacts=我的通訊錄 Capital=資本 CapitalOf=%s的資本 EditCompany=編輯公司資料 -ThisUserIsNot=此用戶非潛在方、客戶或供應商 +ThisUserIsNot=此用戶非潛在、客戶或供應商 VATIntraCheck=確認 VATIntraCheckDesc=營業稅ID必須包含國家/地區前綴。連結%s使用歐洲增值稅檢查器服務(VIES),該服務需要Dolibarr伺服器連上網路。 VATIntraCheckURL=http://ec.europa.eu/taxation_customs/vies/vieshome.do @@ -406,6 +412,13 @@ AllocateCommercial=指定業務代表 Organization=組織 FiscalYearInformation=會計年度 FiscalMonthStart=會計年度開始月份 +SocialNetworksInformation=社交網路 +SocialNetworksFacebookURL=Facebook網址 +SocialNetworksTwitterURL=Twitter網址 +SocialNetworksLinkedinURL=Linkedin網址 +SocialNetworksInstagramURL=Instagram網址 +SocialNetworksYoutubeURL=YouTube網址 +SocialNetworksGithubURL=Github網址 YouMustAssignUserMailFirst=您必須先為此用戶建立電子郵件(email),然後才能新增電子郵件(email)通知。 YouMustCreateContactFirst=為了增加 email 通知,你必須先在合作方的通訊錄有合法 email ListSuppliersShort=供應商清單 diff --git a/htdocs/langs/zh_TW/compta.lang b/htdocs/langs/zh_TW/compta.lang index 33a8a983cef..146e67823ee 100644 --- a/htdocs/langs/zh_TW/compta.lang +++ b/htdocs/langs/zh_TW/compta.lang @@ -254,3 +254,4 @@ ByVatRate=依營業稅率 TurnoverbyVatrate=依營業稅率開票的營業額 TurnoverCollectedbyVatrate=依營業稅率收取的營業額 PurchasebyVatrate=依銷售購買稅率 +LabelToShow=短標籤 diff --git a/htdocs/langs/zh_TW/dict.lang b/htdocs/langs/zh_TW/dict.lang index 52f70eede85..28f4deaf115 100644 --- a/htdocs/langs/zh_TW/dict.lang +++ b/htdocs/langs/zh_TW/dict.lang @@ -307,7 +307,7 @@ DemandReasonTypeSRC_WOM=口碑 DemandReasonTypeSRC_PARTNER=夥伴 DemandReasonTypeSRC_EMPLOYEE=員工 DemandReasonTypeSRC_SPONSORING=贊助商 -DemandReasonTypeSRC_SRC_CUSTOMER=客戶的聯繫窗口 +DemandReasonTypeSRC_SRC_CUSTOMER=客戶的聯絡人窗口 #### Paper formats #### PaperFormatEU4A0=4A0 格式 PaperFormatEU2A0=2A0 格式 @@ -342,18 +342,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 +ExpAuto3PCV=3 CV和更多 +ExpAuto4PCV=4 CV和更多 +ExpAuto5PCV=5 CV和更多 +ExpAuto6PCV=6 CV和更多 +ExpAuto7PCV=7 CV和更多 +ExpAuto8PCV=8 CV和更多 +ExpAuto9PCV=9 CV和更多 +ExpAuto10PCV=10 CV和更多 +ExpAuto11PCV=11 CV和更多 +ExpAuto12PCV=12 CV和更多 +ExpAuto13PCV=13 CV和更多 ExpCyclo=容量低至50立方公分 -ExpMoto12CV=Motorbike 1 or 2 CV -ExpMoto345CV=Motorbike 3, 4 or 5 CV -ExpMoto5PCV=Motorbike 5 CV and more +ExpMoto12CV=摩托車1或2 CV +ExpMoto345CV=摩托車3, 4或5 CV +ExpMoto5PCV=摩托車5 CV 和更多 diff --git a/htdocs/langs/zh_TW/errors.lang b/htdocs/langs/zh_TW/errors.lang index 5dcfd0a9564..a5abf593e25 100644 --- a/htdocs/langs/zh_TW/errors.lang +++ b/htdocs/langs/zh_TW/errors.lang @@ -20,7 +20,7 @@ ErrorFailToCreateDir=無法建立資料夾'%s'。 ErrorFailToDeleteDir=無法刪除資料夾'%s'。 ErrorFailToMakeReplacementInto=無法替換到檔案“ %s ”中。 ErrorFailToGenerateFile=無法產生檔案“ %s ”。 -ErrorThisContactIsAlreadyDefinedAsThisType=此聯絡人已被定義為此類型的聯絡人。 +ErrorThisContactIsAlreadyDefinedAsThisType=此聯絡人已被定義為以下類型的聯絡人。 ErrorCashAccountAcceptsOnlyCashMoney=這是一個現金帳戶的銀行帳戶,所以只接受現金支付的類型。 ErrorFromToAccountsMustDiffers=來源和目標的銀行帳戶必須是不同的。 ErrorBadThirdPartyName=合作方名稱的值不正確 @@ -62,14 +62,14 @@ ErrorFileSizeTooLarge=檔案太大。 ErrorSizeTooLongForIntType=位數超過int類型(最大位數%s) ErrorSizeTooLongForVarcharType=位數超過字串類型(最大位數%s) ErrorNoValueForSelectType=請填寫所選清單的值 -ErrorNoValueForCheckBoxType=Please fill value for checkbox list -ErrorNoValueForRadioType=Please fill value for radio list -ErrorBadFormatValueList=The list value cannot have more than one comma: %s, but need at least one: key,value +ErrorNoValueForCheckBoxType=請填寫複選框清單的值 +ErrorNoValueForRadioType=請填寫廣播清單的值 +ErrorBadFormatValueList=清單值不能包含多於一個逗號: %s ,但至少需要一個:key,value ErrorFieldCanNotContainSpecialCharacters=欄位 %s必須不包含特殊字元 -ErrorFieldCanNotContainSpecialNorUpperCharacters=欄位%s不能包含特殊字符,也不能包含大寫字元,只能使用數字。 +ErrorFieldCanNotContainSpecialNorUpperCharacters=欄位%s不能包含特殊字元,也不能包含大寫字元,只能使用數字。 ErrorFieldMustHaveXChar=欄位 %s 至少必須有%s 字元. ErrorNoAccountancyModuleLoaded=會計模組未啟動 -ErrorExportDuplicateProfil=此匯出設定已存在此配置檔案名稱。 +ErrorExportDuplicateProfil=此匯出設定已存在此設定檔案名稱。 ErrorLDAPSetupNotComplete=Dolibarr與LDAP的匹配不完整。 ErrorLDAPMakeManualTest=.ldif檔案已在資料夾%s中.請以命令行手動讀取以得到更多的錯誤信息。 ErrorCantSaveADoneUserWithZeroPercentage=如果填寫了“完成者”欄位,則無法使用“狀態未開始”保存操作。 @@ -87,166 +87,169 @@ ErrorFieldRefNotIn=欄位%s: '%s' 不是 %s現有參考 ErrorsOnXLines=發現%s錯誤 ErrorFileIsInfectedWithAVirus=防毒程式無法驗證檔案(檔案可能被病毒感染) ErrorSpecialCharNotAllowedForField=欄位“ %s”不允許使用特殊字元 -ErrorNumRefModel=存在一個引用(%s)和編號是不符合本規則兼容到數據庫。記錄中刪除或重命名參考激活此模塊。 -ErrorQtyTooLowForThisSupplier=Quantity too low for this vendor or no price defined on this product for this vendor -ErrorOrdersNotCreatedQtyTooLow=Some orders haven't been created because of too-low quantities -ErrorModuleSetupNotComplete=Setup of module %s looks to be uncomplete. Go on Home - Setup - Modules to complete. -ErrorBadMask=錯誤的遮罩參數值 -ErrorBadMaskFailedToLocatePosOfSequence=沒有序列號錯誤,面具 -ErrorBadMaskBadRazMonth=錯誤,壞的復位值 -ErrorMaxNumberReachForThisMask=Maximum number reached for this mask -ErrorCounterMustHaveMoreThan3Digits=Counter must have more than 3 digits -ErrorSelectAtLeastOne=錯誤。選擇至少一個條目。 -ErrorDeleteNotPossibleLineIsConsolidated=Delete not possible because record is linked to a bank transaction that is conciliated -ErrorProdIdAlreadyExist=%s被分配到另一個第三 +ErrorNumRefModel=資料庫中存在一個引用(%s),並且與該編號規則不相容。刪除記錄或重命名的引用以啟用此模組。 +ErrorQtyTooLowForThisSupplier=數量太少,或者此供應商沒有為此產品定義價格 +ErrorOrdersNotCreatedQtyTooLow=由於數量太少,某些訂單尚未建立 +ErrorModuleSetupNotComplete=模組%s的設定似乎不完整。請前往首頁-設定-模組完成設定。 +ErrorBadMask=遮罩錯誤 +ErrorBadMaskFailedToLocatePosOfSequence=錯誤,遮罩沒有序列號 +ErrorBadMaskBadRazMonth=錯誤,不好的重置值 +ErrorMaxNumberReachForThisMask=已達到此遮罩的最大數量 +ErrorCounterMustHaveMoreThan3Digits=計數器必須超過3位數字 +ErrorSelectAtLeastOne=錯誤。選擇至少一個科目。 +ErrorDeleteNotPossibleLineIsConsolidated=無法刪除,因為記錄連結到已調解的銀行交易 +ErrorProdIdAlreadyExist=%s已被分配到另一個合作方 ErrorFailedToSendPassword=無法傳送密碼 -ErrorFailedToLoadRSSFile=未能得到RSS提要。嘗試添加恒定MAIN_SIMPLEXMLLOAD_DEBUG,如果錯誤消息不提供足夠的信息。 -ErrorForbidden=Access denied.
You try to access to a page, area or feature of a disabled module or without being in an authenticated session or that is not allowed to your user. -ErrorForbidden2=此登錄權限可以定義你的Dolibarr從菜單%的S ->%s的管理員 -ErrorForbidden3=看來Dolibarr是不是通過身份驗證的會話中使用。以在Dolibarr安裝文件就會知道如何管理認證(htaccess的,mod_auth或其他...). -ErrorNoImagickReadimage=在 PHP 中沒有 imagick 類別,所以沒有預覽。管理員可以從選單設定 - 顯示中停用此分頁。 +ErrorFailedToLoadRSSFile=無法獲取RSS訂閱. 如果錯誤訊息沒有提供足夠的資訊,請嘗試增加參數MAIN_SIMPLEXMLLOAD_DEBUG +ErrorForbidden=訪問被拒絕。
您嘗試訪問已停用模組的頁面,區域或功能,或者沒經過身份驗證的程序,或者不允許用戶訪問。 +ErrorForbidden2=可以經由您的Dolibarr管理員從選單%s->%s中定義此登入權限。 +ErrorForbidden3=似乎Dolibarr被未通過身份驗證的程序使用。查看Dolibarr設定文件,以了解如何管理身份驗證(htaccess,mod_auth或其他...)。 +ErrorNoImagickReadimage=在此 PHP 中沒有 imagick 類別,所以無法預覽。管理員可以從選單設定 - 顯示中停用此分頁。 ErrorRecordAlreadyExists=記錄已存在 -ErrorLabelAlreadyExists=This label already exists +ErrorLabelAlreadyExists=此標籤已存在 ErrorCantReadFile=無法讀取檔案'%s' ErrorCantReadDir=無法讀取資料夾'%s' ErrorBadLoginPassword=錯誤的帳號或密碼 ErrorLoginDisabled=您的帳戶已被停用 -ErrorFailedToRunExternalCommand=無法運行外部命令。檢查它是可用和可運行在PHP的服務器。如果PHP 安全模式被激活,請檢查命令safe_mode_exec_dir之內,是由參數定義一個資料夾。 +ErrorFailedToRunExternalCommand=無法執行外部命令。檢查它是可用並且可執行在PHP的伺服器上。如果PHP 安全模式被啟用,請檢查命令已在資料夾中並以參數safe_mode_exec_dir定義。 ErrorFailedToChangePassword=無法更改密碼 -ErrorLoginDoesNotExists=如何正確使用手機與登錄%找不到。 -ErrorLoginHasNoEmail=這位用戶沒有電子郵件地址。進程中止。 -ErrorBadValueForCode=代碼有錯誤的值類型。再次嘗試以新的價值... +ErrorLoginDoesNotExists=找不到登入名稱%s的用戶。 +ErrorLoginHasNoEmail=這位用戶沒有電子郵件地址。程序中止。 +ErrorBadValueForCode=安全代碼有錯誤的值。請嘗試新的值... ErrorBothFieldCantBeNegative=欄位%s和%s不能都為負值 -ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you want to add a discount line, just create the discount first with link %s on screen and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. -ErrorQtyForCustomerInvoiceCantBeNegative=Quantity for line into customer invoices can't be negative -ErrorWebServerUserHasNotPermission=%s用來執行Web服務器用戶帳戶沒有該權限 -ErrorNoActivatedBarcode=沒有激活的條碼類型 -ErrUnzipFails=Failed to unzip %s with ZipArchive -ErrNoZipEngine=No engine to zip/unzip %s file in this PHP -ErrorFileMustBeADolibarrPackage=The file %s must be a Dolibarr zip package -ErrorModuleFileRequired=You must select a Dolibarr module package file -ErrorPhpCurlNotInstalled=The PHP CURL is not installed, this is essential to talk with Paypal -ErrorFailedToAddToMailmanList=Failed to add record %s to Mailman list %s or SPIP base -ErrorFailedToRemoveToMailmanList=Failed to remove record %s to Mailman list %s or SPIP base -ErrorNewValueCantMatchOldValue=New value can't be equal to old one -ErrorFailedToValidatePasswordReset=Failed to reinit password. May be the reinit was already done (this link can be used only one time). If not, try to restart the reinit process. -ErrorToConnectToMysqlCheckInstance=Connect to database fails. Check database server is running (for example, with mysql/mariadb, you can launch it from command line with 'sudo service mysql start'). -ErrorFailedToAddContact=Failed to add contact -ErrorDateMustBeBeforeToday=The date cannot be greater than today -ErrorPaymentModeDefinedToWithoutSetup=A payment mode was set to type %s but setup of module Invoice was not completed to define information to show for this payment mode. -ErrorPHPNeedModule=Error, your PHP must have module %s installed to use this feature. -ErrorOpenIDSetupNotComplete=You setup Dolibarr config file to allow OpenID authentication, but URL of OpenID service is not defined into constant %s -ErrorWarehouseMustDiffers=Source and target warehouses must differs -ErrorBadFormat=Bad format! -ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, this member is not yet linked to any third party. Link member to an existing third party or create a new third party before creating subscription with invoice. -ErrorThereIsSomeDeliveries=Error, there is some deliveries linked to this shipment. Deletion refused. -ErrorCantDeletePaymentReconciliated=Can't delete a payment that had generated a bank entry that was reconciled -ErrorCantDeletePaymentSharedWithPayedInvoice=Can't delete a payment shared by at least one invoice with status Paid -ErrorPriceExpression1=Cannot assign to constant '%s' -ErrorPriceExpression2=Cannot redefine built-in function '%s' -ErrorPriceExpression3=Undefined variable '%s' in function definition -ErrorPriceExpression4=Illegal character '%s' -ErrorPriceExpression5=Unexpected '%s' -ErrorPriceExpression6=Wrong number of arguments (%s given, %s expected) -ErrorPriceExpression8=Unexpected operator '%s' -ErrorPriceExpression9=An unexpected error occured -ErrorPriceExpression10=Operator '%s' lacks operand -ErrorPriceExpression11=Expecting '%s' -ErrorPriceExpression14=Division by zero -ErrorPriceExpression17=Undefined variable '%s' -ErrorPriceExpression19=Expression not found -ErrorPriceExpression20=Empty expression -ErrorPriceExpression21=Empty result '%s' -ErrorPriceExpression22=Negative result '%s' -ErrorPriceExpression23=Unknown or non set variable '%s' in %s -ErrorPriceExpression24=Variable '%s' exists but has no value -ErrorPriceExpressionInternal=Internal error '%s' -ErrorPriceExpressionUnknown=Unknown error '%s' -ErrorSrcAndTargetWarehouseMustDiffers=Source and target warehouses must differs -ErrorTryToMakeMoveOnProductRequiringBatchData=Error, trying to make a stock movement without lot/serial information, on product '%s' requiring lot/serial information -ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=All recorded receptions must first be verified (approved or denied) before being allowed to do this action -ErrorCantSetReceptionToTotalDoneWithReceptionDenied=All recorded receptions must first be verified (approved) before being allowed to do this action -ErrorGlobalVariableUpdater0=HTTP request failed with error '%s' -ErrorGlobalVariableUpdater1=Invalid JSON format '%s' -ErrorGlobalVariableUpdater2=Missing parameter '%s' -ErrorGlobalVariableUpdater3=The requested data was not found in result -ErrorGlobalVariableUpdater4=SOAP client failed with error '%s' -ErrorGlobalVariableUpdater5=No global variable selected -ErrorFieldMustBeANumeric=Field %s must be a numeric value -ErrorMandatoryParametersNotProvided=Mandatory parameter(s) not provided -ErrorOppStatusRequiredIfAmount=You set an estimated amount for this lead. So you must also enter it's status. -ErrorFailedToLoadModuleDescriptorForXXX=Failed to load module descriptor class for %s -ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Bad Definition Of Menu Array In Module Descriptor (bad value for key fk_menu) -ErrorSavingChanges=An error has occurred when saving the changes -ErrorWarehouseRequiredIntoShipmentLine=Warehouse is required on the line to ship -ErrorFileMustHaveFormat=File must have format %s -ErrorSupplierCountryIsNotDefined=Country for this vendor is not defined. Correct this first. -ErrorsThirdpartyMerge=Failed to merge the two records. Request canceled. -ErrorStockIsNotEnoughToAddProductOnOrder=Stock is not enough for product %s to add it into a new order. -ErrorStockIsNotEnoughToAddProductOnInvoice=Stock is not enough for product %s to add it into a new invoice. -ErrorStockIsNotEnoughToAddProductOnShipment=Stock is not enough for product %s to add it into a new shipment. -ErrorStockIsNotEnoughToAddProductOnProposal=產品 %s 庫存不足,增加此項到新的提案/建議書 -ErrorFailedToLoadLoginFileForMode=Failed to get the login key for mode '%s'. -ErrorModuleNotFound=File of module was not found. -ErrorFieldAccountNotDefinedForBankLine=Value for Accounting account not defined for source line id %s (%s) -ErrorFieldAccountNotDefinedForInvoiceLine=Value for Accounting account not defined for invoice id %s (%s) -ErrorFieldAccountNotDefinedForLine=Value for Accounting account not defined for the line (%s) -ErrorBankStatementNameMustFollowRegex=Error, bank statement name must follow the following syntax rule %s -ErrorPhpMailDelivery=Check that you don't use a too high number of recipients and that your email content is not similar to a Spam. Ask also your administrator to check firewall and server logs files for a more complete information. -ErrorUserNotAssignedToTask=User must be assigned to task to be able to enter time consumed. -ErrorTaskAlreadyAssigned=Task already assigned to user -ErrorModuleFileSeemsToHaveAWrongFormat=The module package seems to have a wrong format. +ErrorFieldCantBeNegativeOnInvoice=Field %s cannot be negative on this type of invoice. If you need to add a discount line, just create the discount first (from field '%s' in thirdparty card) and apply it to the invoice. You can also ask your admin to set option FACTURE_ENABLE_NEGATIVE_LINES to 1 to allow the old behaviour. +ErrorLinesCantBeNegativeOnDeposits=Lines can't be negative in a deposit. You will face problems when you will need to consume the deposit in final invoice if you do so. +ErrorQtyForCustomerInvoiceCantBeNegative=客戶發票行的數量不能為負值 +ErrorWebServerUserHasNotPermission=用戶帳戶%s沒有權限用來執行網頁伺服器 +ErrorNoActivatedBarcode=沒有啟動的條碼類型 +ErrUnzipFails=無法使用ZipArchive解壓縮%s +ErrNoZipEngine=在此PHP中沒有用於壓縮/解壓縮%s檔案的引擎 +ErrorFileMustBeADolibarrPackage=檔案%s必須是Dolibarr壓縮包 +ErrorModuleFileRequired=您必須選擇一個Dolibarr模組軟體包檔案 +ErrorPhpCurlNotInstalled=未安裝PHP CURL,這對於使用Paypal很重要 +ErrorFailedToAddToMailmanList=無法將記錄%s增加到Mailman清單%s或SPIP +ErrorFailedToRemoveToMailmanList=無法將記錄%s刪除到Mailman清單%s或SPIP +ErrorNewValueCantMatchOldValue=新值不能等於舊值 +ErrorFailedToValidatePasswordReset=重置密碼失敗。可能是重新初始化已經完成(此連結只能使用一次)。如果不是,請嘗試再重置密碼一次。 +ErrorToConnectToMysqlCheckInstance=連結資料庫失敗。檢查資料庫伺服器是否正在執行(例如mysql / mariadb,您可以使用“ sudo service mysql start”命令行啟動它)。 +ErrorFailedToAddContact=新增聯絡人失敗 +ErrorDateMustBeBeforeToday=日期不能大於今天 +ErrorPaymentModeDefinedToWithoutSetup=付款方式已設定為%s類型,但模組“發票”尚未完整定義要為此付款方式顯示的資訊設定。 +ErrorPHPNeedModule=錯誤,您的PHP必須安裝模組%s才能使用此功能。 +ErrorOpenIDSetupNotComplete=您設定了Dolibarr設定檔案以允許OpenID身份驗證,但未將OpenID的服務網址定義為常數%s +ErrorWarehouseMustDiffers=來源倉庫和目標倉庫必須不同 +ErrorBadFormat=格式錯誤! +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=錯誤,此會員尚未連結到任何合作方。在使用發票建立訂閱之前,將會員連結到現有的合作方或建立新的合作方。 +ErrorThereIsSomeDeliveries=錯誤,有一些與此發貨相關的交貨。刪除被拒絕。 +ErrorCantDeletePaymentReconciliated=無法刪除已產生且已對帳的銀行科目付款 +ErrorCantDeletePaymentSharedWithPayedInvoice=無法刪除至少有一個狀態為已付款發票的付款 +ErrorPriceExpression1=無法分配給常數'%s' +ErrorPriceExpression2=無法重新定義內部函數 '%s' +ErrorPriceExpression3=函數定義中的未定義變數'%s' +ErrorPriceExpression4=非法字元 '%s' +ErrorPriceExpression5=未預期的 '%s' +ErrorPriceExpression6=參數數量錯誤(給出了%s,預期為%s) +ErrorPriceExpression8=未預期的運算子 '%s' +ErrorPriceExpression9=發生意外錯誤 +ErrorPriceExpression10=運算元 '%s'缺少操作數 +ErrorPriceExpression11=預期為 '%s' +ErrorPriceExpression14=被零除 +ErrorPriceExpression17=未定義變數 '%s' +ErrorPriceExpression19=找不到表達式 +ErrorPriceExpression20=空表達式 +ErrorPriceExpression21=清空結果 '%s' +ErrorPriceExpression22=否定結果 '%s' +ErrorPriceExpression23=%s中未知或未設定的變數'%s' +ErrorPriceExpression24=變數'%s'已存在但沒有值 +ErrorPriceExpressionInternal=內部錯誤'%s' +ErrorPriceExpressionUnknown=未知錯誤'%s' +ErrorSrcAndTargetWarehouseMustDiffers=來源倉庫和目標倉庫必須不同 +ErrorTryToMakeMoveOnProductRequiringBatchData=錯誤,嘗試在沒有批次/序列資訊的情況下進行庫存移動,在產品'%s'中需要批次/序列資訊 +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=必須先驗證(批准或拒絕)所有記錄的接收,然後才能執行此操作 +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=必須先驗證(批准)所有記錄的接收,然後才能執行此操作 +ErrorGlobalVariableUpdater0=HTTP請求失敗,錯誤為“ %s” +ErrorGlobalVariableUpdater1=無效的JSON格式'%s' +ErrorGlobalVariableUpdater2=缺少參數'%s' +ErrorGlobalVariableUpdater3=在結果中找不到所需的資料 +ErrorGlobalVariableUpdater4=SOAP客戶端失敗,錯誤為“ %s” +ErrorGlobalVariableUpdater5=未選擇全域變數 +ErrorFieldMustBeANumeric=欄位%s必須為數字 +ErrorMandatoryParametersNotProvided=未提供強制性參數 +ErrorOppStatusRequiredIfAmount=您為此潛在客戶設定了預估金額。因此,您還必須輸入其狀態。 +ErrorFailedToLoadModuleDescriptorForXXX=無法載入%s的模組描述類別 +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=模組描述類別中的選單有幾組定義錯誤(密鑰fk_menu的值錯誤) +ErrorSavingChanges=保存變更時發生錯誤 +ErrorWarehouseRequiredIntoShipmentLine=運送行上需要一個倉庫 +ErrorFileMustHaveFormat=檔案的格式必須為%s +ErrorSupplierCountryIsNotDefined=該供應商的國家/地區未定義。請先更正此問題。 +ErrorsThirdpartyMerge=合併兩個記錄失敗。請求已取消。 +ErrorStockIsNotEnoughToAddProductOnOrder=庫存不足,因此不能將產品%s增加到新訂單中。 +ErrorStockIsNotEnoughToAddProductOnInvoice=庫存不足,因此不能將產品%s增加到新發票中。 +ErrorStockIsNotEnoughToAddProductOnShipment=庫存不足,無法讓產品將產品%s增加到新的發貨中。 +ErrorStockIsNotEnoughToAddProductOnProposal=庫存不足,因此不能將產品%s增加到新提案/建議書中。 +ErrorFailedToLoadLoginFileForMode=無法取得模式'%s'的登入金鑰。 +ErrorModuleNotFound=找不到模組檔案。 +ErrorFieldAccountNotDefinedForBankLine=沒有為來源行ID %s(%s)定義的會計科目值 +ErrorFieldAccountNotDefinedForInvoiceLine=沒有為發票編號%s(%s)定義的會計科目值 +ErrorFieldAccountNotDefinedForLine=沒有為行(%s)定義會計科目值 +ErrorBankStatementNameMustFollowRegex=錯誤,銀行對帳單名稱必須遵循以下%s語法規則 +ErrorPhpMailDelivery=檢查您使用的收件人數量是否過高,並且電子郵件內容與垃圾郵件相似。還請您的管理員檢查防火牆和服務器日誌檔案以獲取更完整的資訊。 +ErrorUserNotAssignedToTask=必須為用戶分配任務才能輸入花費的時間。 +ErrorTaskAlreadyAssigned=任務已分配給用戶 +ErrorModuleFileSeemsToHaveAWrongFormat=模組軟體包的格式似乎錯誤。 ErrorModuleFileSeemsToHaveAWrongFormat2=模組的zip檔案中必須至少存在一個強制性資料夾: %s%s -ErrorFilenameDosNotMatchDolibarrPackageRules=The name of the module package (%s) does not match expected name syntax: %s -ErrorDuplicateTrigger=Error, duplicate trigger name %s. Already loaded from %s. -ErrorNoWarehouseDefined=Error, no warehouses defined. -ErrorBadLinkSourceSetButBadValueForRef=The link you use is not valid. A 'source' for payment is defined, but value for 'ref' is not valid. -ErrorTooManyErrorsProcessStopped=Too many errors. Process was stopped. -ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=Mass validation is not possible when option to increase/decrease stock is set on this action (you must validate one by one so you can define the warehouse to increase/decrease) -ErrorObjectMustHaveStatusDraftToBeValidated=Object %s must have status 'Draft' to be validated. -ErrorObjectMustHaveLinesToBeValidated=Object %s must have lines to be validated. -ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Only validated invoices can be sent using the "Send by email" mass action. -ErrorChooseBetweenFreeEntryOrPredefinedProduct=You must choose if article is a predefined product or not -ErrorDiscountLargerThanRemainToPaySplitItBefore=The discount you try to apply is larger than remain to pay. Split the discount in 2 smaller discounts before. -ErrorFileNotFoundWithSharedLink=File was not found. May be the share key was modified or file was removed recently. -ErrorProductBarCodeAlreadyExists=The product barcode %s already exists on another product reference. -ErrorNoteAlsoThatSubProductCantBeFollowedByLot=Note also that using virtual product to have auto increase/decrease of subproducts is not possible when at least one subproduct (or subproduct of subproducts) needs a serial/lot number. -ErrorDescRequiredForFreeProductLines=Description is mandatory for lines with free product -ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s has the same name or alternative alias that the one your try to use -ErrorDuringChartLoad=Error when loading chart of accounts. If few accounts were not loaded, you can still enter them manually. -ErrorBadSyntaxForParamKeyForContent=Bad syntax for param keyforcontent. Must have a value starting with %s or %s -ErrorVariableKeyForContentMustBeSet=Error, the constant with name %s (with text content to show) or %s (with external url to show) must be set. -ErrorURLMustStartWithHttp=URL %s must start with http:// or https:// -ErrorNewRefIsAlreadyUsed=Error, the new reference is already used -ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, delete payment linked to a closed invoice is not possible. -ErrorSearchCriteriaTooSmall=Search criteria too small. -ErrorObjectMustHaveStatusActiveToBeDisabled=Objects must have status 'Active' to be disabled -ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Objects must have status 'Draft' or 'Disabled' to be enabled -ErrorNoFieldWithAttributeShowoncombobox=No fields has property 'showoncombobox' into definition of object '%s'. No way to show the combolist. -ErrorFieldRequiredForProduct=Field '%s' is required for product %s +ErrorFilenameDosNotMatchDolibarrPackageRules=模組軟體包的名稱( %s )與預期的名稱語法不匹配: %s +ErrorDuplicateTrigger=錯誤,觸發器名稱%s已重複。已從%s載入。 +ErrorNoWarehouseDefined=錯誤,未定義倉庫。 +ErrorBadLinkSourceSetButBadValueForRef=您使用的連結接無效。定義了付款的“來源”,但“參考”的值無效。 +ErrorTooManyErrorsProcessStopped=錯誤太多。程序已停止。 +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=在此操作中設定了增加/減少庫存的選項時,無法進行批次驗證(必須逐個驗證,以便可以定義要增加/減少的倉庫) +ErrorObjectMustHaveStatusDraftToBeValidated=項目%s必須為“草稿”狀態才能進行驗證。 +ErrorObjectMustHaveLinesToBeValidated=項目%s必須要有驗證的行。 +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=使用“通過電子郵件發送”批次操作只能傳送經過驗證的發票。 +ErrorChooseBetweenFreeEntryOrPredefinedProduct=您必須選擇商品是否為預定義產品 +ErrorDiscountLargerThanRemainToPaySplitItBefore=您嘗試使用的折扣大於剩餘的折扣。將之前的折扣分成2個較小的折扣。 +ErrorFileNotFoundWithSharedLink=找不到檔案。可能是共享金鑰最近被修改或檔案被刪除了。 +ErrorProductBarCodeAlreadyExists=產品條碼%s已存在於另一個產品參考上。 +ErrorNoteAlsoThatSubProductCantBeFollowedByLot=另請注意,當至少一個子產品(或子產品的子產品)需要序列號/批號時,無法使用虛擬產品自動增加/減少子產品。 +ErrorDescRequiredForFreeProductLines=對於帶有免費產品的行,必須進行描述說明 +ErrorAPageWithThisNameOrAliasAlreadyExists=此頁面/容器%s與您嘗試使用的名稱/別名相同 +ErrorDuringChartLoad=載入會計科目表時出錯。如果幾個帳戶沒有被載入,您仍然可以手動輸入。 +ErrorBadSyntaxForParamKeyForContent=參數keyforcontent的語法錯誤。必須具有以%s或%s開頭的值 +ErrorVariableKeyForContentMustBeSet=錯誤,必須設定名稱為%s(帶有文字內容)或%s(帶有外部網址)的常數。 +ErrorURLMustStartWithHttp=網址 %s 必須以 http://或https://開始 +ErrorNewRefIsAlreadyUsed=錯誤,新參考已被使用 +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=錯誤,無法刪除連結到已關閉發票的付款。 +ErrorSearchCriteriaTooSmall=搜尋條件太小。 +ErrorObjectMustHaveStatusActiveToBeDisabled=項目必須具有“活動”狀態才能被禁用 +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=要啟用的項目必須具有“草稿”或“已禁用”狀態 +ErrorNoFieldWithAttributeShowoncombobox=沒有欄位在項目“ %s”的定義中具有屬性“ showoncombobox”。無法顯示組合清單。 +ErrorFieldRequiredForProduct=產品%s必須有欄位'%s' +ProblemIsInSetupOfTerminal=問題在於站台%s的設定。 +ErrorAddAtLeastOneLineFirst=請先至少增加一行 # Warnings -WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Your PHP parameter upload_max_filesize (%s) is higher than PHP parameter post_max_size (%s). This is not a consistent setup. -WarningPasswordSetWithNoAccount=A password was set for this member. However, no user account was created. So this password is stored but can't be used to login to Dolibarr. It may be used by an external module/interface but if you don't need to define any login nor password for a member, you can disable option "Manage a login for each member" from Member module setup. If you need to manage a login but don't need any password, you can keep this field empty to avoid this warning. Note: Email can also be used as a login if the member is linked to a user. -WarningMandatorySetupNotComplete=Click here to setup mandatory parameters -WarningEnableYourModulesApplications=Click here to enable your modules and applications -WarningSafeModeOnCheckExecDir=警告,PHP的選項safe_mode設置為在此情況下命令必須在safe_mode_exec_dir之存儲參數的PHP資料夾內宣布。 -WarningBookmarkAlreadyExists=本標題或此目標(網址)書簽已存在。 -WarningPassIsEmpty=警告,數據庫密碼是空的。這是一個安全漏洞。您應該添加一個密碼到您的數據庫,並改變你的conf.php文件,以反映這一點。 -WarningConfFileMustBeReadOnly=警告,你的配置文件(conf.php htdocs中/ conf /中 ),可覆蓋由Web服務器。這是一個嚴重的安全漏洞。在文件修改權限在閱讀作業系統由Web服務器使用的用戶只模式。如果您的磁盤使用Windows和FAT格式的,你要知道,這個文件系統不允許添加文件的權限,因此不能完全安全的。 -WarningsOnXLines=%S上的源代碼行警告 -WarningNoDocumentModelActivated=No model, for document generation, has been activated. A model will be chosen by default until you check your module setup. +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=您的PHP參數upload_max_filesize(%s)高於PHP參數post_max_size(%s)。這不是相同的設定。 +WarningPasswordSetWithNoAccount=為此會員設定了密碼。但是,沒有建立用戶帳戶。因此,雖然密碼已儲存,但不能用於登入Dolibarr。外部模組/界面可以使用它,但是如果您不需要為會員定義任何登入名稱或密碼,則可以從會員模組設定中禁用選項“管理每個會員的登入名稱”。如果您需要管理登入名稱但不需要任何密碼,則可以將此欄位保留為空白以避免此警告。注意:如果會員連結到用戶,電子郵件也可以用作登入名稱。 +WarningMandatorySetupNotComplete=點擊此處設定必填參數 +WarningEnableYourModulesApplications=點擊此處啟用您的模組和應用程式 +WarningSafeModeOnCheckExecDir=警告,PHP選項safe_mode處於開啟狀態,因此命令必須儲存在php參數safe_mode_exec_dir聲明的資料夾內。 +WarningBookmarkAlreadyExists=具有此標題或目標(網址)的書籤已存在。 +WarningPassIsEmpty=警告,資料庫密碼是空的。這是一個安全漏洞。您應該在資料庫中加入一個密碼,並更改conf.php檔案以修正這安全錯誤。 +WarningConfFileMustBeReadOnly=警告,您的設定檔案( htdocs / conf / conf.php )可能會被Web伺服器器覆蓋。這是一個嚴重的安全漏洞。對於Web伺服器使用的操作系統用戶,需將檔案權限修改為唯讀模式。如果對磁碟使用Windows和FAT格式,則必須知道此檔案系統不允許在檔案上加入權限,因此不能保證完全安全。 +WarningsOnXLines=關於%s來源記錄的警告 +WarningNoDocumentModelActivated=沒有啟動用於產生文件的模型。預設情況下將選擇一個模型直到您檢查模組設定。 WarningLockFileDoesNotExists=警告,安裝完成後,必須通過在資料夾%s中增加檔案install.lock來禁用安裝/遷移工具。忽略此檔案的建立會帶來嚴重的安全風險。 -WarningUntilDirRemoved=All security warnings (visible by admin users only) will remain active as long as the vulnerability is present (or that constant MAIN_REMOVE_INSTALL_WARNING is added in Setup->Other Setup). -WarningCloseAlways=Warning, closing is done even if amount differs between source and target elements. Enable this feature with caution. -WarningUsingThisBoxSlowDown=Warning, using this box slow down seriously all pages showing the box. -WarningClickToDialUserSetupNotComplete=Setup of ClickToDial information for your user are not complete (see tab ClickToDial onto your user card). -WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Feature disabled when display setup is optimized for blind person or text browsers. -WarningPaymentDateLowerThanInvoiceDate=Payment date (%s) is earlier than invoice date (%s) for invoice %s. -WarningTooManyDataPleaseUseMoreFilters=Too many data (more than %s lines). Please use more filters or set the constant %s to a higher limit. -WarningSomeLinesWithNullHourlyRate=Some times were recorded by some users while their hourly rate was not defined. A value of 0 %s per hour was used but this may result in wrong valuation of time spent. -WarningYourLoginWasModifiedPleaseLogin=Your login was modified. For security purpose you will have to login with your new login before next action. -WarningAnEntryAlreadyExistForTransKey=An entry already exists for the translation key for this language -WarningNumberOfRecipientIsRestrictedInMassAction=Warning, number of different recipient is limited to %s when using the mass actions on lists -WarningDateOfLineMustBeInExpenseReportRange=Warning, the date of line is not in the range of the expense report -WarningProjectClosed=Project is closed. You must re-open it first. -WarningSomeBankTransactionByChequeWereRemovedAfter=Some bank transaction were removed after that the receipt including them were generated. So nb of cheques and total of receipt may differ from number and total in list. +WarningUntilDirRemoved=只要存在此漏洞(或在設定->其他設定中增加常數MAIN_REMOVE_INSTALL_WARNING),所有安全警告(僅管理員用戶可見)將保持活動狀態。 +WarningCloseAlways=警告,即使來源元件和目標元件之間的數量不同,也將關閉。請謹慎啟用此功能。 +WarningUsingThisBoxSlowDown=警告,使用此框會嚴重降低顯示此框所有頁面的速度。 +WarningClickToDialUserSetupNotComplete=您用戶的ClickToDial資訊設定尚未完成(請參閱用戶卡上的ClickToDial分頁)。 +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=當針對盲人或文字瀏覽器優化了顯示設定時,此功能將被禁用。 +WarningPaymentDateLowerThanInvoiceDate=付款日期(%s)早於發票%s的發票日期(%s)。 +WarningTooManyDataPleaseUseMoreFilters= 資料太多(超過%s行)。請使用更多過濾器或將常數%s設定為更高的上限。 +WarningSomeLinesWithNullHourlyRate=某些用戶記錄了某些時間,但未定義其小時費率。%s每小時使用的值為0 ,但這可能會導致錯誤的花費時間評估。 +WarningYourLoginWasModifiedPleaseLogin=您的登入名稱已修改。為了安全起見,您必須先使用新登入名稱登入,然後再執行下一步操作。 +WarningAnEntryAlreadyExistForTransKey=此語言的翻譯密鑰條目已存在 +WarningNumberOfRecipientIsRestrictedInMassAction=警告,在清單上使用批次操作時,其他收件人的數量限制為%s +WarningDateOfLineMustBeInExpenseReportRange=警告,行的日期不在費用報告的範圍內 +WarningProjectClosed=專案已關閉。您必須先重新打開它。 +WarningSomeBankTransactionByChequeWereRemovedAfter=在產生包括它們的收據之後,一些銀行交易將被刪除。因此支票的數量和收據的數量可能與清單中的數量和總數有所不同。 diff --git a/htdocs/langs/zh_TW/holiday.lang b/htdocs/langs/zh_TW/holiday.lang index 31d956e963d..6895bed54b7 100644 --- a/htdocs/langs/zh_TW/holiday.lang +++ b/htdocs/langs/zh_TW/holiday.lang @@ -39,8 +39,10 @@ TypeOfLeaveId=休假ID類型 TypeOfLeaveCode=休假代碼類型 TypeOfLeaveLabel=休假標籤類型 NbUseDaysCP=已休假天數 +NbUseDaysCPHelp=此計算考慮了字典中定義的非工作日和假期。 NbUseDaysCPShort=已休假天數 NbUseDaysCPShortInMonth=已休假天數(月) +DayIsANonWorkingDay=%s是非工作日 DateStartInMonth=開始日期(月份) DateEndInMonth=結束日期(月份) EditCP=編輯 @@ -85,7 +87,7 @@ NewSoldeCP=新剩餘假期 alreadyCPexist=在此期間之休假申請已完成。 FirstDayOfHoliday=假期的第一天 LastDayOfHoliday=假期的最後一天 -BoxTitleLastLeaveRequests=最新%s已修改的休假申請 +BoxTitleLastLeaveRequests=最新%s筆已修改的休假申請 HolidaysMonthlyUpdate=每月更新 ManualUpdate=手動更新 HolidaysCancelation=取消的休假申請 diff --git a/htdocs/langs/zh_TW/install.lang b/htdocs/langs/zh_TW/install.lang index ce08119373f..b0fb8a04911 100644 --- a/htdocs/langs/zh_TW/install.lang +++ b/htdocs/langs/zh_TW/install.lang @@ -16,6 +16,7 @@ PHPSupportCurl=此PHP支援Curl。 PHPSupportCalendar=此PHP支援日曆外掛。 PHPSupportUTF8=此PHP支援UTF8函數。 PHPSupportIntl=此PHP支援Intl函數。 +PHPSupport=此PHP支援%s函數。 PHPMemoryOK=您的PHP最大session記憶體設定為%s 。這應該足夠了。 PHPMemoryTooLow=您的PHP最大session記憶體為%sbytes。這太低了。更改您的php.ini,以將記憶體限制/b>參數設定為至少%sbytes。 Recheck=點擊這裡進行更詳細的測試 @@ -25,6 +26,7 @@ ErrorPHPDoesNotSupportCurl=您的PHP安裝不支援Curl。 ErrorPHPDoesNotSupportCalendar=您的PHP安裝不支援php日曆外掛。 ErrorPHPDoesNotSupportUTF8=您的PHP安裝不支援UTF8函數。 Dolibarr無法正常工作。必須在安裝Dolibarr之前修復此問題。 ErrorPHPDoesNotSupportIntl=您的PHP安裝不支援Intl函數。 +ErrorPHPDoesNotSupport=您的PHP安裝不支援%s函數。 ErrorDirDoesNotExists=資料夾%s不存在。 ErrorGoBackAndCorrectParameters=返回並檢查/更正參數。 ErrorWrongValueForParameter=您可能為參數“ %s”輸入了錯誤的值。 diff --git a/htdocs/langs/zh_TW/main.lang b/htdocs/langs/zh_TW/main.lang index 39bdab7d860..847b4c8776b 100644 --- a/htdocs/langs/zh_TW/main.lang +++ b/htdocs/langs/zh_TW/main.lang @@ -470,7 +470,7 @@ Duration=期間 TotalDuration=總時間 Summary=摘要 DolibarrStateBoard=資料庫統計 -DolibarrWorkBoard=開啟項目 +DolibarrWorkBoard=開放項目 NoOpenedElementToProcess=沒有已開啟元件要執行 Available=可用 NotYetAvailable=尚不可用 @@ -505,7 +505,7 @@ Validated=已驗證 Opened=開放 OpenAll=開放(全部) ClosedAll=已關閉(全部) -New=新會員類型 +New=新增 Discount=折扣 Unknown=未知 General=一般 @@ -517,7 +517,7 @@ Topic=主旨 ByCompanies=依合作方 ByUsers=依用戶 Links=連線 -Link=連線 +Link=連線 Rejects=拒絕 Preview=預覽 NextStep=下一步 @@ -675,7 +675,7 @@ FeatureDisabled=功能已禁用 MoveBox=移動小工具 Offered=已提供 NotEnoughPermissions=您沒有權限執行這個動作 -SessionName=連線階段名稱 +SessionName=連線程序名稱 Method=方法 Receive=收到 CompleteOrNoMoreReceptionExpected=完成或沒有更多的預期 @@ -732,7 +732,7 @@ CoreErrorTitle=系統錯誤 CoreErrorMessage=很抱歉,發生錯誤。連絡您的系統管理員以確認記錄檔或禁用 $dolibarr_main_prod=1 以取得更多資訊。 CreditCard=信用卡 ValidatePayment=驗證付款 -CreditOrDebitCard=信用卡或簽帳金融卡 +CreditOrDebitCard=信用卡或金融信用卡 FieldsWithAreMandatory=%s的欄位是強制性 FieldsWithIsForPublic=公共會員清單中顯示帶有%s的欄位。如果您不想這樣做,請取消勾選“公共”。 AccordingToGeoIPDatabase=(根據GeoIP轉換) @@ -861,7 +861,7 @@ ExportOfPiecesAlreadyExportedIsDisable=已停用已匯出出口件 AllExportedMovementsWereRecordedAsExported=所有匯出動作均記錄為已匯出 NotAllExportedMovementsCouldBeRecordedAsExported=並非所有匯出動作都可以記錄為已匯出 Miscellaneous=雜項 -Calendar=日曆 +Calendar=行事曆 GroupBy=群組依... ViewFlatList=檢視平面清單 RemoveString=移除字串‘%s’ @@ -892,13 +892,13 @@ EMailTemplates=電子郵件範本 FileNotShared=檔案未共享給外部 Project=專案 Projects=專案 -LeadOrProject=潛在 | 項目 -LeadsOrProjects=潛在 | 項目 +LeadOrProject=潛在|專案 +LeadsOrProjects=潛在|專案 Lead=潛在 Leads=潛在 -ListOpenLeads=列出開放潛在客戶 -ListOpenProjects=列出開放項目 -NewLeadOrProject=新的潛在客戶或項目 +ListOpenLeads=列出打開潛在 +ListOpenProjects=列出打開專案 +NewLeadOrProject=新潛在客戶或專案 Rights=權限 LineNb=行號 IncotermLabel=交易條件 @@ -1005,7 +1005,7 @@ ContactDefault_contrat=合約 ContactDefault_facture=發票 ContactDefault_fichinter=干預 ContactDefault_invoice_supplier=供應商發票 -ContactDefault_order_supplier=供應商訂單 +ContactDefault_order_supplier=採購訂單 ContactDefault_project=專案 ContactDefault_project_task=任務 ContactDefault_propal=提案/建議書 @@ -1013,3 +1013,6 @@ ContactDefault_supplier_proposal=供應商提案/建議書 ContactDefault_ticketsup=服務單 ContactAddedAutomatically=通過合作方聯絡人增加的聯絡人 More=更多 +ShowDetails=顯示詳細資料 +CustomReports=Custom reports +SelectYourGraphOptionsFirst=Select your graph options to build a graph diff --git a/htdocs/langs/zh_TW/members.lang b/htdocs/langs/zh_TW/members.lang index 20a2c166331..04c73132f61 100644 --- a/htdocs/langs/zh_TW/members.lang +++ b/htdocs/langs/zh_TW/members.lang @@ -100,8 +100,8 @@ EnablePublicSubscriptionForm=使用自我訂閱表格啟用公共網站 ForceMemberType=強制會員類型 ExportDataset_member_1=會員和訂閱 ImportDataset_member_1=會員 -LastMembersModified=%s最後修改的會員 -LastSubscriptionsModified=%s最後修改的訂閱 +LastMembersModified=最後%s位修改的會員 +LastSubscriptionsModified=最後%s筆修改的訂閱 String=字串 Text=文字 Int=整數 diff --git a/htdocs/langs/zh_TW/modulebuilder.lang b/htdocs/langs/zh_TW/modulebuilder.lang index 02d58f25a35..ae63a1c899f 100644 --- a/htdocs/langs/zh_TW/modulebuilder.lang +++ b/htdocs/langs/zh_TW/modulebuilder.lang @@ -1,12 +1,12 @@ # Dolibarr language file - Source file is en_US - loan -ModuleBuilderDesc=This tool must be used only by experienced users or developers. It provides utilities to build or edit your own module. Documentation for alternative manual development is here. +ModuleBuilderDesc=此工具只能由有經驗的用戶或開發人員使用。它提供了用於建構或編輯自己的模組的實用程式。替代手動開發的文件在此處。 EnterNameOfModuleDesc=Enter name of the module/application to create with no spaces. Use uppercase to separate words (For example: MyModule, EcommerceForShop, SyncWithMySystem...) EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use uppercase to separate words (For example: MyObject, Student, Teacher...). The CRUD class file, but also API file, pages to list/add/edit/delete object and SQL files will be generated. ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s ModuleBuilderDesc3=Generated/editable modules found: %s ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory -NewModule=New module -NewObjectInModulebuilder=New object +NewModule=新模組 +NewObjectInModulebuilder=新項目 ModuleKey=Module key ObjectKey=Object key ModuleInitialized=Module initialized @@ -30,9 +30,9 @@ BuildDocumentation=Build documentation ModuleIsNotActive=This module is not activated yet. Go to %s to make it live or click here: ModuleIsLive=This module has been activated. Any change may break a current live feature. DescriptionLong=Long description -EditorName=Name of editor -EditorUrl=URL of editor -DescriptorFile=Descriptor file of module +EditorName=編輯器名稱 +EditorUrl=編輯器網址 +DescriptorFile=模組的描述檔案 ClassFile=File for PHP DAO CRUD class ApiClassFile=File for PHP API class PageForList=PHP page for list of record @@ -46,8 +46,8 @@ SpaceOrSpecialCharAreNotAllowed=Spaces or special characters are not allowed. FileNotYetGenerated=File not yet generated RegenerateClassAndSql=Force update of .class and .sql files RegenerateMissingFiles=Generate missing files -SpecificationFile=File of documentation -LanguageFile=File for language +SpecificationFile=文件檔案 +LanguageFile=語言檔案 ObjectProperties=Object Properties ConfirmDeleteProperty=Are you sure you want to delete the property %s? This will change code in PHP class but also remove column from table definition of object. NotNull=Not NULL @@ -83,7 +83,7 @@ ListOfDictionariesEntries=List of dictionaries entries ListOfPermissionsDefined=List of defined permissions SeeExamples=See examples here EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) -VisibleDesc=Is the field visible ? (Examples: 0=Never visible, 1=Visible on list and create/update/view forms, 2=Visible on list only, 3=Visible on create/update/view form only (not list), 4=Visible on list and update/view form only (not create). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) +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 (not list), 4=Visible on list and update/view form only (not create), 5=Visible on list end view form only (not create, not update). Using a negative value means field is not shown by default on list but can be selected for viewing). It can be an expression, for example:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Is the field used to make a search from the quick search tool? (Examples: 1 or 0) SpecDefDesc=Enter here all documentation you want to provide with your module that is not already defined by other tabs. You can use .md or better, the rich .asciidoc syntax. @@ -135,3 +135,5 @@ CSSClass=CSS Class NotEditable=Not editable ForeignKey=Foreign key TypeOfFieldsHelp=Type of fields:
varchar(99), double(24,8), real, text, html, datetime, timestamp, integer, integer:ClassName:relativepath/to/classfile.class.php[:1[:filter]] ('1' means we add a + button after the combo to create the record, 'filter' can be 'status=1 AND fk_user = __USER_ID AND entity IN (__SHARED_ENTITIES__)' for example) +AsciiToHtmlConverter=Ascii to HTML converter +AsciiToPdfConverter=Ascii to PDF converter diff --git a/htdocs/langs/zh_TW/mrp.lang b/htdocs/langs/zh_TW/mrp.lang index 0eb50539d65..277f0863b88 100644 --- a/htdocs/langs/zh_TW/mrp.lang +++ b/htdocs/langs/zh_TW/mrp.lang @@ -1,65 +1,68 @@ -Mrp=Manufacturing Orders -MO=Manufacturing Order -MRPDescription=Module to manage Manufacturing Orders (MO). -MRPArea=MRP Area +Mrp=製造訂單 +MO=製造訂單 +MRPDescription=管理製造訂單(MO)的模組。 +MRPArea=MRP區域 MrpSetupPage=MRP模組設定 MenuBOM=物料清單 LatestBOMModified=最新的%s物料清單已修改 -LatestMOModified=Latest %s Manufacturing Orders modified +LatestMOModified=最新%s筆製造訂單已修改 Bom=物料清單 BillOfMaterials=物料清單 BOMsSetup=BOM模組設定 ListOfBOMs=物料清單-BOM -ListOfManufacturingOrders=List of Manufacturing Orders +ListOfManufacturingOrders=製造訂單清單 NewBOM=新物料清單 -ProductBOMHelp=Product to create with this BOM.
Note: Products with the property 'Nature of product' = 'Raw material' are not visible into this list. +ProductBOMHelp=此物料清單建立的產品。
注意:屬性為“原料”的產品 =“原材料”在此清單中不可見。 BOMsNumberingModules=BOM編號範本 BOMsModelModule=BOM文件範本 MOsNumberingModules=MO編號範本 MOsModelModule=MO文件範本 -FreeLegalTextOnBOMs=Free text on document of BOM -WatermarkOnDraftBOMs=Watermark on draft BOM -FreeLegalTextOnMOs=Free text on document of MO -WatermarkOnDraftMOs=Watermark on draft MO +FreeLegalTextOnBOMs=物料清單文件上的自由文字 +WatermarkOnDraftBOMs=物料清單草稿上的浮水印 +FreeLegalTextOnMOs=MO文件上的自由文字 +WatermarkOnDraftMOs=MO草稿浮水印 ConfirmCloneBillOfMaterials=您確定要複製物料清單%s嗎? -ConfirmCloneMo=Are you sure you want to clone the Manufacturing Order %s ? -ManufacturingEfficiency=Manufacturing efficiency -ValueOfMeansLoss=Value of 0.95 means an average of 5%% of loss during the production +ConfirmCloneMo=您確定要複製製造訂單%s嗎? +ManufacturingEfficiency=製造效率 +ValueOfMeansLoss=數值0.95表示生產期間平均損失5%% DeleteBillOfMaterials=刪除物料清單 -DeleteMo=Delete Manufacturing Order +DeleteMo=刪除製造訂單 ConfirmDeleteBillOfMaterials=您確定要刪除此物料清單嗎? ConfirmDeleteMo=您確定要刪除此物料清單嗎? -MenuMRP=Manufacturing Orders -NewMO=New Manufacturing Order -QtyToProduce=Qty to produce -DateStartPlannedMo=Date start planned -DateEndPlannedMo=Date end planned -KeepEmptyForAsap=Empty means 'As Soon As Possible' -EstimatedDuration=Estimated duration -EstimatedDurationDesc=Estimated duration to manufacture this product using this BOM -ConfirmValidateBom=Are you sure you want to validate the BOM with the reference %s (you will be able to use it to build new Manufacturing Orders) -ConfirmCloseBom=Are you sure you want to cancel this BOM (you won't be able to use it to build new Manufacturing Orders anymore) ? -ConfirmReopenBom=Are you sure you want to re-open this BOM (you will be able to use it to build new Manufacturing Orders) -StatusMOProduced=Produced -QtyFrozen=Frozen Qty -QuantityFrozen=Frozen Quantity -QuantityConsumedInvariable=When this flag is set, the quantity consumed is always the value defined and is not relative to the quantity produced. -DisableStockChange=Stock change disabled -DisableStockChangeHelp=When this flag is set, there is no stock change on this product, whatever is the quantity consumed +MenuMRP=製造訂單 +NewMO=新製造訂單 +QtyToProduce=生產數量 +DateStartPlannedMo=計劃開始日期 +DateEndPlannedMo=計劃結束日期 +KeepEmptyForAsap=空白表示“盡快” +EstimatedDuration=預計時間 +EstimatedDurationDesc=使用此物料清單估計製造此產品的時間 +ConfirmValidateBom=您確定要使用參考%s來驗證物料清單(您將能夠使用它來建立新的製造訂單) +ConfirmCloseBom=您確定要取消此物料清單(您將無法再使用它來建立新的製造訂單)? +ConfirmReopenBom=您確定要重新打開此物料清單嗎(您將能夠使用它來建立新的製造訂單) +StatusMOProduced=已生產 +QtyFrozen=凍結數量 +QuantityFrozen=凍結數量 +QuantityConsumedInvariable=設定此標誌時,消耗的數量始終是定義的值,並且與產生的數量無關。 +DisableStockChange=已停用庫存更改 +DisableStockChangeHelp=設定此標誌後,無論消耗多少數量,此產品都不會有庫存變化 BomAndBomLines=物料清單和項目 -BOMLine=Line of BOM -WarehouseForProduction=Warehouse for production -CreateMO=Create MO -ToConsume=To consume -ToProduce=To produce -QtyAlreadyConsumed=Qty already consumed -QtyAlreadyProduced=Qty already produced -ConsumeAndProduceAll=Consume and Produce All -Manufactured=Manufactured -TheProductXIsAlreadyTheProductToProduce=The product to add is already the product to produce. -ForAQuantityOf1=For a quantity to produce of 1 -ConfirmValidateMo=Are you sure you want to validate this Manufacturing Order? -ConfirmProductionDesc=By clicking on '%s', you will validate the consumption and/or production for the quantities set. This will also update the stock and record stock movements. -ProductionForRefAndDate=Production %s - %s -AutoCloseMO=Close automatically the Manufacturing Order if quantities to consume and to produce are reached -NoStockChangeOnServices=No stock change on services +BOMLine=物料清單行 +WarehouseForProduction=生產倉庫 +CreateMO=建立MO +ToConsume=消耗 +ToProduce=生產 +QtyAlreadyConsumed=已消耗數量 +QtyAlreadyProduced=已生產數量 +ConsumeOrProduce=消耗或生產 +ConsumeAndProduceAll=消耗並生產所有產品 +Manufactured=已製造 +TheProductXIsAlreadyTheProductToProduce=要增加的產品已經是要生產的產品。 +ForAQuantityOf1=生產數量為1 +ConfirmValidateMo=您確定要驗證此製造訂單嗎? +ConfirmProductionDesc=通過點擊“%s”,您將驗證數量設定的消耗量和/或生產量。這還將更新庫存並記錄庫存動向。 +ProductionForRef=生產%s +AutoCloseMO=如果達到消耗和生產的數量,則自動關閉製造訂單 +NoStockChangeOnServices=服務無庫存變化 +ProductQtyToConsumeByMO=Product quantity still to consume by open MO +ProductQtyToProduceByMO=Product quentity still to produce by open MO diff --git a/htdocs/langs/zh_TW/orders.lang b/htdocs/langs/zh_TW/orders.lang index 7ff9b494ba4..d1b5a76b459 100644 --- a/htdocs/langs/zh_TW/orders.lang +++ b/htdocs/langs/zh_TW/orders.lang @@ -78,10 +78,10 @@ OrdersOpened=訂單處理 NoDraftOrders=沒有草稿訂單 NoOrder=沒有訂單 NoSupplierOrder=沒有採購訂單 -LastOrders=最新的%s銷售訂單 -LastCustomerOrders=最新%s銷售訂單 -LastSupplierOrders=最新%s採購訂單 -LastModifiedOrders=最新的%s修改訂單 +LastOrders=最新%s筆銷售訂單 +LastCustomerOrders=最新%s筆銷售訂單 +LastSupplierOrders=最新%s筆採購訂單 +LastModifiedOrders=最新%s筆修改訂單 AllOrders=所有訂單 NbOfOrders=訂單號碼 OrdersStatistics=訂單統計 @@ -141,10 +141,10 @@ OrderByEMail=電子郵件 OrderByWWW=線上網路 OrderByPhone=電話 # Documents models -PDFEinsteinDescription=可產生一份完整的訂單範本(logo. ..) -PDFEratostheneDescription=可產生一份完整的訂單範本(logo. ..) +PDFEinsteinDescription=A complete order model +PDFEratostheneDescription=A complete order model PDFEdisonDescription=可產生一份簡單的訂單範本 -PDFProformaDescription=完整的發票型式(logo…) +PDFProformaDescription=A complete Proforma invoice template CreateInvoiceForThisCustomer=提單/記名票據 NoOrdersToInvoice=沒有訂單可計費 CloseProcessedOrdersAutomatically=將所有選定訂單分類為“已處理”。 diff --git a/htdocs/langs/zh_TW/other.lang b/htdocs/langs/zh_TW/other.lang index 22b945d3301..4cb5c9d0a89 100644 --- a/htdocs/langs/zh_TW/other.lang +++ b/htdocs/langs/zh_TW/other.lang @@ -2,128 +2,129 @@ SecurityCode=安全代碼 NumberingShort=N° Tools=工具 -TMenuTools=Tools -ToolsDesc=All tools not included in other menu entries are grouped here.
All the tools can be accessed via the left menu. +TMenuTools=工具 +ToolsDesc=所有在其他選單項目中未包含的工具都在此處。
所有工具均可通過左側選單使用。 Birthday=生日 -BirthdayDate=Birthday date -DateToBirth=Birth date -BirthdayAlertOn=生日提醒活躍 -BirthdayAlertOff=生日提醒無效 -TransKey=Translation of the key TransKey -MonthOfInvoice=Month (number 1-12) of invoice date -TextMonthOfInvoice=Month (text) of invoice date -PreviousMonthOfInvoice=Previous month (number 1-12) of invoice date -TextPreviousMonthOfInvoice=Previous month (text) of invoice date -NextMonthOfInvoice=Following month (number 1-12) of invoice date -TextNextMonthOfInvoice=Following month (text) of invoice date -ZipFileGeneratedInto=Zip file generated into %s. -DocFileGeneratedInto=Doc file generated into %s. -JumpToLogin=Disconnected. Go to login page... -MessageForm=Message on online payment form -MessageOK=Message on the return page for a validated payment -MessageKO=Message on the return page for a canceled payment +BirthdayDate=生日日期 +DateToBirth=生日 +BirthdayAlertOn=生日提醒啟動中 +BirthdayAlertOff=生日提醒停用中 +TransKey=密鑰TransKey的翻譯 +MonthOfInvoice=發票日期的月份(1-12) +TextMonthOfInvoice=發票日期的月份(文字) +PreviousMonthOfInvoice=發票日期的前一個月(1-12) +TextPreviousMonthOfInvoice=發票日期的前一個月(文字) +NextMonthOfInvoice=發票日期的下個月(1-12) +TextNextMonthOfInvoice=發票日期的下個月(文字) +ZipFileGeneratedInto=壓縮檔案已產生到 %s 中。 +DocFileGeneratedInto=DOC檔案已產生到 %s 中。 +JumpToLogin=已斷線。請前往登入頁面... +MessageForm=線上付款表單上的訊息 +MessageOK=退貨頁面上有關已驗證付款的訊息 +MessageKO=退貨頁面上關於已取消付款的訊息 ContentOfDirectoryIsNotEmpty=此資料夾的內容不是空的。 -DeleteAlsoContentRecursively=Check to delete all content recursively +DeleteAlsoContentRecursively=確認以遞歸方式刪除所有內容 +PoweredBy=Powered by +YearOfInvoice=發票日期年份 +PreviousYearOfInvoice=發票日期的上一年 +NextYearOfInvoice=發票日期的下一年 +DateNextInvoiceBeforeGen=下一張發票的日期(產生前) +DateNextInvoiceAfterGen=下一張發票的日期(產生後) -YearOfInvoice=Year of invoice date -PreviousYearOfInvoice=Previous year of invoice date -NextYearOfInvoice=Following year of invoice date -DateNextInvoiceBeforeGen=Date of next invoice (before generation) -DateNextInvoiceAfterGen=Date of next invoice (after generation) - -Notify_ORDER_VALIDATE=Sales order validated -Notify_ORDER_SENTBYMAIL=Sales order sent by mail -Notify_ORDER_SUPPLIER_SENTBYMAIL=Purchase order sent by email -Notify_ORDER_SUPPLIER_VALIDATE=Purchase order recorded -Notify_ORDER_SUPPLIER_APPROVE=Purchase order approved -Notify_ORDER_SUPPLIER_REFUSE=Purchase order refused -Notify_PROPAL_VALIDATE=驗證客戶的客戶提案/建議書 -Notify_PROPAL_CLOSE_SIGNED=Customer proposal closed signed -Notify_PROPAL_CLOSE_REFUSED=Customer proposal closed refused -Notify_PROPAL_SENTBYMAIL=通過郵件發送的商業提案/建議書 -Notify_WITHDRAW_TRANSMIT=傳輸撤軍 -Notify_WITHDRAW_CREDIT=信貸撤離 -Notify_WITHDRAW_EMIT=執行撤離 -Notify_COMPANY_CREATE=合作方已新增 -Notify_COMPANY_SENTBYMAIL=Mails sent from third party card -Notify_BILL_VALIDATE=客戶發票驗證 -Notify_BILL_UNVALIDATE=Customer invoice unvalidated -Notify_BILL_PAYED=客戶發票已付 -Notify_BILL_CANCEL=客戶發票取消 -Notify_BILL_SENTBYMAIL=通過郵件發送的客戶發票 -Notify_BILL_SUPPLIER_VALIDATE=Vendor invoice validated -Notify_BILL_SUPPLIER_PAYED=Vendor invoice paid -Notify_BILL_SUPPLIER_SENTBYMAIL=Vendor invoice sent by mail -Notify_BILL_SUPPLIER_CANCELED=Vendor invoice cancelled -Notify_CONTRACT_VALIDATE=合同驗證 -Notify_FICHINTER_VALIDATE=幹預驗證 -Notify_FICHINTER_ADD_CONTACT=Added contact to Intervention -Notify_FICHINTER_SENTBYMAIL=Intervention sent by mail -Notify_SHIPPING_VALIDATE=航運驗證 -Notify_SHIPPING_SENTBYMAIL=通過電子郵件發送的航運 -Notify_MEMBER_VALIDATE=會員驗證 -Notify_MEMBER_MODIFY=Member modified -Notify_MEMBER_SUBSCRIPTION=會員訂閱 -Notify_MEMBER_RESILIATE=Member terminated -Notify_MEMBER_DELETE=會員刪除 -Notify_PROJECT_CREATE=Project creation -Notify_TASK_CREATE=Task created -Notify_TASK_MODIFY=Task modified -Notify_TASK_DELETE=Task deleted -Notify_EXPENSE_REPORT_VALIDATE=Expense report validated (approval required) -Notify_EXPENSE_REPORT_APPROVE=Expense report approved -Notify_HOLIDAY_VALIDATE=Leave request validated (approval required) -Notify_HOLIDAY_APPROVE=Leave request approved +Notify_ORDER_VALIDATE=銷售訂單已驗證 +Notify_ORDER_SENTBYMAIL=使用郵件寄送的銷售訂單 +Notify_ORDER_SUPPLIER_SENTBYMAIL=使用電子郵件寄送的採購訂單 +Notify_ORDER_SUPPLIER_VALIDATE=採購訂單已記錄 +Notify_ORDER_SUPPLIER_APPROVE=採購訂單已批准 +Notify_ORDER_SUPPLIER_REFUSE=採購訂單已拒絕 +Notify_PROPAL_VALIDATE=客戶提案/建議書已驗證 +Notify_PROPAL_CLOSE_SIGNED=客戶提案/建議書已關閉已簽署 +Notify_PROPAL_CLOSE_REFUSED=客戶提案/建議書已關閉已拒絕 +Notify_PROPAL_SENTBYMAIL=使用郵件寄送的商業提案/建議書 +Notify_WITHDRAW_TRANSMIT=傳送提款 +Notify_WITHDRAW_CREDIT=信用提款 +Notify_WITHDRAW_EMIT=執行提款 +Notify_COMPANY_CREATE=合作方已建立 +Notify_COMPANY_SENTBYMAIL=從合作方卡傳送的郵件 +Notify_BILL_VALIDATE=已驗證客戶發票 +Notify_BILL_UNVALIDATE=未驗證客戶發票 +Notify_BILL_PAYED=已付款客戶發票 +Notify_BILL_CANCEL=已取消客戶發票 +Notify_BILL_SENTBYMAIL=以郵件寄送的客戶發票 +Notify_BILL_SUPPLIER_VALIDATE=已驗證供應商發票 +Notify_BILL_SUPPLIER_PAYED=已付款供應商發票 +Notify_BILL_SUPPLIER_SENTBYMAIL=以郵件寄送的供應商發票 +Notify_BILL_SUPPLIER_CANCELED=已取消供應商發票 +Notify_CONTRACT_VALIDATE=已驗證合約 +Notify_FICHINTER_VALIDATE=已驗證干預 +Notify_FICHINTER_ADD_CONTACT=在干預中增加了聯絡人 +Notify_FICHINTER_SENTBYMAIL=以郵件寄送干預 +Notify_SHIPPING_VALIDATE=已驗證發貨 +Notify_SHIPPING_SENTBYMAIL=以電子郵件寄送的發貨 +Notify_MEMBER_VALIDATE=會員已驗證 +Notify_MEMBER_MODIFY=會員已修改 +Notify_MEMBER_SUBSCRIPTION=會員已訂閱 +Notify_MEMBER_RESILIATE=會員已終止 +Notify_MEMBER_DELETE=會員已刪除 +Notify_PROJECT_CREATE=專案建立 +Notify_TASK_CREATE=任務已建立 +Notify_TASK_MODIFY=任務已修改 +Notify_TASK_DELETE=任務已刪除 +Notify_EXPENSE_REPORT_VALIDATE=費用報告已驗證(需要批准) +Notify_EXPENSE_REPORT_APPROVE=費用報告已批准 +Notify_HOLIDAY_VALIDATE=休假申請已驗證(需要批准) +Notify_HOLIDAY_APPROVE=休假申請已批准 SeeModuleSetup=請參閱模組%s的設定 -NbOfAttachedFiles=所附文件數/文件 +NbOfAttachedFiles=所附檔案/文件數 TotalSizeOfAttachedFiles=附件大小總計 -MaxSize=檔案最大 +MaxSize=檔案容量上限 AttachANewFile=附加一個新的檔案/文件 -LinkedObject=鏈接對象 -NbOfActiveNotifications=Number of notifications (no. of recipient emails) -PredefinedMailTest=__(Hello)__\nThis is a test mail sent to __EMAIL__.\nThe two lines are separated by a carriage return.\n\n__USER_SIGNATURE__ -PredefinedMailTestHtml=__(Hello)__\nThis is a test mail (the word test must be in bold).
The two lines are separated by a carriage return.

__USER_SIGNATURE__ +LinkedObject=已連結項目 +NbOfActiveNotifications=通知數(收件人電子郵件數量) +PredefinedMailTest=__(Hello)__\n這是一封測試郵件寄送給 __EMAIL__.\n這兩行使用Enter符號分隔.\n\n__USER_SIGNATURE__ +PredefinedMailTestHtml=__(Hello)__\n這是一封 測試郵件("測試"必須為粗體).
這兩行使用Enter符號分隔.

__USER_SIGNATURE__ PredefinedMailContentContract=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\nWe would like to remind you that the invoice __REF__ seems to have not been paid. A copy of the invoice is attached as a reminder.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendProposal=__(Hello)__\n\nPlease find commercial proposal __REF__ attached \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierProposal=__(Hello)__\n\nPlease find price request __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendOrder=__(Hello)__\n\nPlease find order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierOrder=__(Hello)__\n\nPlease find our order __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\nPlease find invoice __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendShipping=__(Hello)__\n\nPlease find shipping __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentSendFichInter=__(Hello)__\n\nPlease find intervention __REF__ attached\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoice=__(Hello)__\n\n請查看已附上之發票 __REF__ \n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendInvoiceReminder=__(Hello)__\n\n我們要提醒您發票__REF__ 似乎尚未付款.已附上發票副本.\n\n__ONLINE_PAYMENT_TEXT_AND_URL__\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendProposal=__(Hello)__\n\n請查看已附上之商業提案/建議書 __REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierProposal=__(Hello)__\n\n請查看已付上之價格要求__REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendOrder=__(Hello)__\n\n請查看已附上之訂單__REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierOrder=__(Hello)__\n\n請查看已附上之我們的訂單 __REF__ \n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendSupplierInvoice=__(Hello)__\n\n請查看已附上之發票__REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendShipping=__(Hello)__\n\n請查看已附上之發貨__REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ +PredefinedMailContentSendFichInter=__(Hello)__\n\n請查看已附上之干預__REF__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentThirdparty=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentContact=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ PredefinedMailContentUser=__(Hello)__\n\n\n__(Sincerely)__\n\n__USER_SIGNATURE__ -PredefinedMailContentLink=You can click on the link below to make your payment if it is not already done.\n\n%s\n\n -DemoDesc=Dolibarr is a compact ERP/CRM supporting several business modules. A demo showcasing all modules makes no sense as this scenario never occurs (several hundred available). So, several demo profiles are available. -ChooseYourDemoProfil=Choose the demo profile that best suits your needs... -ChooseYourDemoProfilMore=...or build your own profile
(manual module selection) +PredefinedMailContentLink=如果付款尚未完成您可以點擊以下連結.\n\n%s\n\n +DemoDesc=Dolibarr是一個嚴謹的ERP / CRM,支援多個業務模組。展示所有模組的DEMO沒有意義,因為這種情況永遠不會發生(有數百種可用)。因此,有幾個DEMO設定檔案可用。 +ChooseYourDemoProfil=選擇最適合您需求的DEMO設定檔案... +ChooseYourDemoProfilMore=...或建立您自己的設定檔案
(手動選擇模組) DemoFundation=管理基金會會員 DemoFundation2=管理基金會會員與銀行帳戶 -DemoCompanyServiceOnly=Company or freelance selling service only -DemoCompanyShopWithCashDesk=管理與現金辦公桌店 -DemoCompanyProductAndStocks=Company selling products with a shop -DemoCompanyAll=Company with multiple activities (all main modules) -CreatedBy=建立 by %s -ModifiedBy=修改 by %s -ValidatedBy=被%s驗證 -ClosedBy=被%s關閉 -CreatedById=User id who created -ModifiedById=User id who made latest change -ValidatedById=User id who validated -CanceledById=User id who canceled -ClosedById=User id who closed -CreatedByLogin=User login who created -ModifiedByLogin=User login who made latest change -ValidatedByLogin=User login who validated -CanceledByLogin=User login who canceled -ClosedByLogin=User login who closed -FileWasRemoved=檔案%s被刪除 -DirWasRemoved=資料夾%s被刪除 -FeatureNotYetAvailable=Feature not yet available in the current version -FeaturesSupported=Supported features +DemoCompanyServiceOnly=公司或自由業者僅能銷售服務 +DemoCompanyShopWithCashDesk=用收銀台管理商店 +DemoCompanyProductAndStocks=Shop selling products with Point Of Sales +DemoCompanyManufacturing=Company manufacturing products +DemoCompanyAll=有多項活動的公司(所有主要模組) +CreatedBy=由%s建立 +ModifiedBy=由%s修改 +ValidatedBy=由%s驗證 +ClosedBy=由%s關閉 +CreatedById=建立的用戶ID +ModifiedById=進行最新更改的用戶ID +ValidatedById=已驗證的用戶ID +CanceledById=已取消的用戶ID +ClosedById=已關閉的用戶ID +CreatedByLogin=已建立的用戶登入名稱 +ModifiedByLogin=進行最新更改的用戶登入名稱 +ValidatedByLogin=已驗證的用戶登入名稱 +CanceledByLogin=已取消的用戶登入名稱 +ClosedByLogin=已關閉的用戶登入名稱 +FileWasRemoved=檔案%s已刪除 +DirWasRemoved=資料夾%s已刪除 +FeatureNotYetAvailable=此功能在目前版本中尚不可用 +FeaturesSupported=已支援功能 Width=寬度 Height=高度 Depth=深度 @@ -131,20 +132,20 @@ Top=頂部 Bottom=底部的 Left=左 Right=右 -CalculatedWeight=計算重量 -CalculatedVolume=計算量 +CalculatedWeight=已計算重量 +CalculatedVolume=已計算體積 Weight=重量 -WeightUnitton=tonne -WeightUnitkg=Kg(公斤) -WeightUnitg=g(克) -WeightUnitmg=mg(毫克) -WeightUnitpound=pound(英鎊) -WeightUnitounce=ounce(盎司) +WeightUnitton=公噸 +WeightUnitkg=kg +WeightUnitg=g +WeightUnitmg=mg +WeightUnitpound=磅 +WeightUnitounce=盎司 Length=長度 -LengthUnitm=m(公尺) -LengthUnitdm=dm(公寸) -LengthUnitcm=cm(公分) -LengthUnitmm=mm(毫米) +LengthUnitm=m +LengthUnitdm=dm +LengthUnitcm=cm +LengthUnitmm=mm Surface=面積 SurfaceUnitm2=m² SurfaceUnitdm2=dm² @@ -159,117 +160,117 @@ VolumeUnitcm3=cm³ (ml) VolumeUnitmm3=mm³ (µl) VolumeUnitfoot3=ft³ VolumeUnitinch3=in³ -VolumeUnitounce=ounce(盎司) -VolumeUnitlitre=L(升) -VolumeUnitgallon=gallon(加侖) -SizeUnitm=m(公尺) -SizeUnitdm=dm(公寸) -SizeUnitcm=cm(公分) -SizeUnitmm=mm(毫米) -SizeUnitinch=inch(英吋) -SizeUnitfoot=foot(英呎) -SizeUnitpoint=point +VolumeUnitounce=盎司 +VolumeUnitlitre=公升 +VolumeUnitgallon=加侖 +SizeUnitm=m +SizeUnitdm=dm +SizeUnitcm=cm +SizeUnitmm=mm +SizeUnitinch=英寸 +SizeUnitfoot=英呎 +SizeUnitpoint=點 BugTracker=臭蟲追蹤系統 -SendNewPasswordDesc=This form allows you to request a new password. It will be sent to your email address.
Change will become effective once you click on the confirmation link in the email.
Check your inbox. -BackToLoginPage=回到登錄頁面 -AuthenticationDoesNotAllowSendNewPassword=認證模式為%s。
在這種模式下,Dolibarr不能知道,也不更改密碼。
聯系您的系統管理員,如果您想更改您的密碼。 -EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use this option. -ProfIdShortDesc=Prof Id %s的信息取決於合作方國家/地區。
例如,對於國家%s ,其代碼為%s 。 -DolibarrDemo=Dolibarr的ERP / CRM的演示 -StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +SendNewPasswordDesc=此表單允許您要求新的密碼。它將傳送到您的電子郵件。
點擊電子郵件中的確認連結後,更改將生效。
檢查您的信箱。 +BackToLoginPage=回到登入頁面 +AuthenticationDoesNotAllowSendNewPassword=認證模式為%s.
在這種模式下,Dolibarr不知道,也不能更改您的密碼。
如果您想更改您的密碼,請聯絡您的系統管理員。 +EnableGDLibraryDesc=在PHP安裝上安裝或啟用GD程式庫以使用此選項。 +ProfIdShortDesc=Prof Id %s的資訊取決於合作方國家/地區。
例如,對於國家%s ,其代碼為%s 。 +DolibarrDemo=Dolibarr的ERP / CRM的DEMO +StatsByNumberOfUnits=產品/服務數量統計 +StatsByNumberOfEntities=參考實際數量的統計(發票或訂單的數量...) NumberOfProposals=提案/建議書的數量 -NumberOfCustomerOrders=Number of sales orders -NumberOfCustomerInvoices=Number of customer invoices -NumberOfSupplierProposals=Number of vendor proposals -NumberOfSupplierOrders=Number of purchase orders -NumberOfSupplierInvoices=Number of vendor invoices -NumberOfContracts=Number of contracts -NumberOfUnitsProposals=提案/建議書的單位數量 -NumberOfUnitsCustomerOrders=Number of units on sales orders -NumberOfUnitsCustomerInvoices=Number of units on customer invoices -NumberOfUnitsSupplierProposals=Number of units on vendor proposals -NumberOfUnitsSupplierOrders=Number of units on purchase orders -NumberOfUnitsSupplierInvoices=Number of units on vendor invoices -NumberOfUnitsContracts=Number of units on contracts -EMailTextInterventionAddedContact=A new intervention %s has been assigned to you. -EMailTextInterventionValidated=幹預%s已被驗證。 -EMailTextInvoiceValidated=Invoice %s has been validated. -EMailTextInvoicePayed=Invoice %s has been paid. -EMailTextProposalValidated=Proposal %s has been validated. -EMailTextProposalClosedSigned=Proposal %s has been closed signed. -EMailTextOrderValidated=Order %s has been validated. -EMailTextOrderApproved=Order %s has been approved. -EMailTextOrderValidatedBy=Order %s has been recorded by %s. -EMailTextOrderApprovedBy=Order %s has been approved by %s. -EMailTextOrderRefused=Order %s has been refused. -EMailTextOrderRefusedBy=Order %s has been refused by %s. -EMailTextExpeditionValidated=Shipping %s has been validated. -EMailTextExpenseReportValidated=Expense report %s has been validated. -EMailTextExpenseReportApproved=Expense report %s has been approved. -EMailTextHolidayValidated=Leave request %s has been validated. -EMailTextHolidayApproved=Leave request %s has been approved. -ImportedWithSet=輸入數據集 +NumberOfCustomerOrders=銷售訂單數量 +NumberOfCustomerInvoices=客戶發票數量 +NumberOfSupplierProposals=供應商提案/建議書數量 +NumberOfSupplierOrders=採購訂單數量 +NumberOfSupplierInvoices=供應商發票數量 +NumberOfContracts=合約數量 +NumberOfUnitsProposals=提案/建議書中的單位數量 +NumberOfUnitsCustomerOrders=銷售訂單中的單位數量 +NumberOfUnitsCustomerInvoices=客戶發票中的單位數量 +NumberOfUnitsSupplierProposals=供應商提案中的單位數量 +NumberOfUnitsSupplierOrders=採購訂單中的單位數量 +NumberOfUnitsSupplierInvoices=供應商發票上的單位數量 +NumberOfUnitsContracts=合約中的單位數量 +EMailTextInterventionAddedContact=一個新的干預%s已分配給您。 +EMailTextInterventionValidated=干預%s已被驗證。 +EMailTextInvoiceValidated=發票%s已通過驗證。 +EMailTextInvoicePayed=發票%s已支付。 +EMailTextProposalValidated=提案/建議書%s已通過驗證。 +EMailTextProposalClosedSigned=提案/建議書%s已關閉簽名。 +EMailTextOrderValidated=訂單%s已通過驗證。 +EMailTextOrderApproved=訂單%s已被批准。 +EMailTextOrderValidatedBy=訂單%s已被%s記錄。 +EMailTextOrderApprovedBy=訂單%s已被%s批准。 +EMailTextOrderRefused=訂單%s已被拒絕。 +EMailTextOrderRefusedBy=訂單%s已被%s拒絕。 +EMailTextExpeditionValidated=發貨%s已通過驗證。 +EMailTextExpenseReportValidated=費用報告%s已通過驗證。 +EMailTextExpenseReportApproved=費用報告%s已批准。 +EMailTextHolidayValidated=休假申請%s已通過驗證。 +EMailTextHolidayApproved=休假申請%s已被批准。 +ImportedWithSet=匯入資料集 DolibarrNotification=自動通知 -ResizeDesc=輸入新的高度新的寬度 。比率將維持在調整大小... +ResizeDesc=輸入新的寬度 新的高度。調整大小時將維持長寬比率... NewLength=新寬度 NewHeight=新高度 -NewSizeAfterCropping=裁剪後的新尺寸 -DefineNewAreaToPick=定義圖像的新領域挑選(圖像左側單擊然後拖動,直到到達對面角落) -CurrentInformationOnImage=This tool was designed to help you to resize or crop an image. This is the information on the current edited image -ImageEditor=圖像編輯器 -YouReceiveMailBecauseOfNotification=您收到此消息,因為您的電子郵件已被添加到列表的目標是特定的事件通知到%%s的軟件第 -YouReceiveMailBecauseOfNotification2=此事件是: -ThisIsListOfModules=這是一個模塊,此演示配置文件(只有最常見的模塊在此演示中看到)預選名單。編輯本有一個更個性化的演示,並點擊“開始”。 -UseAdvancedPerms=一些模塊使用先進的權限 -FileFormat=文件格式 +NewSizeAfterCropping=剪裁後的新尺寸 +DefineNewAreaToPick=在圖片上定義要選擇的新區域(在圖片上點擊滑鼠左鍵然後拖動直到到達對角) +CurrentInformationOnImage=此工具被設計來幫助您調整圖片大小或裁剪圖片。這是有關目前編輯圖片的資訊 +ImageEditor=圖片編輯器 +YouReceiveMailBecauseOfNotification=之所以您會收到此訊息,是因為您的電子郵件已被加入到目標清單中,以便將特定事件通知到%s的%s軟體中。 +YouReceiveMailBecauseOfNotification2=此事件如下: +ThisIsListOfModules=這是此DEMO設定檔案預選的模組清單(此demo中僅可看到最常用的模組)。編輯它以具有更個性化的展示,然後點擊“開始”。 +UseAdvancedPerms=使用某些模組的進階權限 +FileFormat=檔案格式 SelectAColor=選擇一種顏色 -AddFiles=添加文件 +AddFiles=增加檔案 StartUpload=開始上傳 CancelUpload=取消上傳 -FileIsTooBig=文件過大 +FileIsTooBig=檔案過大 PleaseBePatient=請耐心等待... -NewPassword=New password -ResetPassword=Reset password -RequestToResetPasswordReceived=A request to change your password has been received. -NewKeyIs=This is your new keys to login -NewKeyWillBe=Your new key to login to software will be -ClickHereToGoTo=Click here to go to %s -YouMustClickToChange=You must however first click on the following link to validate this password change -ForgetIfNothing=If you didn't request this change, just forget this email. Your credentials are kept safe. -IfAmountHigherThan=If amount higher than %s -SourcesRepository=Repository for sources -Chart=Chart -PassEncoding=Password encoding -PermissionsAdd=Permissions added -PermissionsDelete=Permissions removed -YourPasswordMustHaveAtLeastXChars=Your password must have at least %s chars -YourPasswordHasBeenReset=Your password has been reset successfully -ApplicantIpAddress=IP address of applicant -SMSSentTo=SMS sent to %s -MissingIds=Missing ids -ThirdPartyCreatedByEmailCollector=Third party created by email collector from email MSGID %s -ContactCreatedByEmailCollector=Contact/address created by email collector from email MSGID %s -ProjectCreatedByEmailCollector=Project created by email collector from email MSGID %s -TicketCreatedByEmailCollector=Ticket created by email collector from email MSGID %s -OpeningHoursFormatDesc=Use a - to separate opening and closing hours.
Use a space to enter different ranges.
Example: 8-12 14-18 +NewPassword=新密碼 +ResetPassword=重置密碼 +RequestToResetPasswordReceived=已收到更改密碼的請求。 +NewKeyIs=這是您的新登入密碼 +NewKeyWillBe=您用於登入軟體的新密鑰將為 +ClickHereToGoTo=點擊這裡前往%s +YouMustClickToChange=您必須先點擊以下連結驗證此密碼更改 +ForgetIfNothing=如果您沒有請求此更改,請忽略此電子郵件。您的憑證仍保持安全狀態。 +IfAmountHigherThan=如果金額高於 %s +SourcesRepository=資料庫 +Chart=圖表 +PassEncoding=密碼編碼 +PermissionsAdd=權限已增加 +PermissionsDelete=權限已刪除 +YourPasswordMustHaveAtLeastXChars=您的密碼必須至少具有 %s 字元 +YourPasswordHasBeenReset=您的密碼已成功重置 +ApplicantIpAddress=申請人的IP位址 +SMSSentTo=簡訊已傳送至%s +MissingIds=缺少ID +ThirdPartyCreatedByEmailCollector=電子郵件收集器從電子郵件MSGID %s建立的合作方 +ContactCreatedByEmailCollector=電子郵件收集器從電子郵件MSGID %s建立的聯絡人/地址 +ProjectCreatedByEmailCollector=電子郵件收集器從電子郵件MSGID %s建立的專案 +TicketCreatedByEmailCollector=電子郵件收集器從電子郵件MSGID %s建立的服務單 +OpeningHoursFormatDesc=使用-分隔營業開始時間和營業結束時間。
使用空格輸入不同的範圍。
範例:8-12 14-18 ##### Export ##### ExportsArea=出口地區 -AvailableFormats=可用的格式 +AvailableFormats=可用格式 LibraryUsed=使用的程式庫 -LibraryVersion=Library version +LibraryVersion=程式庫版本 ExportableDatas=可匯出的資料 -NoExportableData=沒有可匯出的資料(導出加載的數據,或丟失的權限沒有模塊) +NoExportableData=沒有可匯出的資料(沒有已載入可匯出資料的模組, 或沒有權限) ##### External sites ##### WebsiteSetup=網站模組設定 -WEBSITE_PAGEURL=URL of page +WEBSITE_PAGEURL=頁面網址 WEBSITE_TITLE=標題 -WEBSITE_DESCRIPTION=廠商品號/品名/商品描述 -WEBSITE_IMAGE=Image -WEBSITE_IMAGEDesc=Relative path of the image media. You can keep this empty as this is rarely used (it can be used by dynamic content to show a preview of a list of blog posts). -WEBSITE_KEYWORDS=Keywords -LinesToImport=Lines to import +WEBSITE_DESCRIPTION=描述 +WEBSITE_IMAGE=圖片 +WEBSITE_IMAGEDesc=影像媒體的相對路徑。您可以將其保留為空,因為它很少使用(動態內容可以使用它在部落格文章清單中顯示縮圖)。如果路徑取決於網站名稱,請在路徑中使用__WEBSITEKEY__。 +WEBSITE_KEYWORDS=關鍵字 +LinesToImport=要匯入的行 -MemoryUsage=Memory usage -RequestDuration=Duration of request +MemoryUsage=記憶體使用率 +RequestDuration=請求期限 diff --git a/htdocs/langs/zh_TW/projects.lang b/htdocs/langs/zh_TW/projects.lang index 927560578bc..cefac44bf5c 100644 --- a/htdocs/langs/zh_TW/projects.lang +++ b/htdocs/langs/zh_TW/projects.lang @@ -6,7 +6,7 @@ ProjectLabel=專案標籤 ProjectsArea=專案區域 ProjectStatus=專案狀態 SharedProject=每一位 -PrivateProject=專案通訊錄 +PrivateProject=專案聯絡人 ProjectsImContactFor=我的確是聯絡人專案 AllAllowedProjects=我可以讀取的所有專案(我的+公共項目) AllProjects=所有專案 @@ -77,7 +77,7 @@ MyProjectsArea=專案區 DurationEffective=有效期限 ProgressDeclared=進度宣布 TaskProgressSummary=任務進度 -CurentlyOpenedTasks=目前的開放任務 +CurentlyOpenedTasks=目前的打開任務 TheReportedProgressIsLessThanTheCalculatedProgressionByX=預計進度比計算的進度少%s TheReportedProgressIsMoreThanTheCalculatedProgressionByX=預計進度比計算的進度多%s ProgressCalculated=進度計算 @@ -99,159 +99,163 @@ ListContractAssociatedProject=與專案相關的合約清單 ListShippingAssociatedProject=與專案相關的運送清單 ListFichinterAssociatedProject=與專案相關的干預措施清單 ListExpenseReportsAssociatedProject=與專案相關的費用報告清單 -ListDonationsAssociatedProject=List of donations related to the project -ListVariousPaymentsAssociatedProject=List of miscellaneous payments related to the project -ListSalariesAssociatedProject=List of payments of salaries related to the project -ListActionsAssociatedProject=List of events related to the project -ListTaskTimeUserProject=List of time consumed on tasks of project -ListTaskTimeForTask=List of time consumed on task -ActivityOnProjectToday=Activity on project today -ActivityOnProjectYesterday=Activity on project yesterday -ActivityOnProjectThisWeek=對項目活動周 -ActivityOnProjectThisMonth=本月初對項目活動 -ActivityOnProjectThisYear=今年對項目活動 -ChildOfProjectTask=專案/任務的子項 -ChildOfTask=任務的子項 -TaskHasChild=任務有子項任務 -NotOwnerOfProject=不是所有者的私人項目 -AffectedTo=受影響 -CantRemoveProject=這個項目不能刪除,因為它是由一些(其他對象引用的發票,訂單或其他)。見參照資訊標簽。 +ListDonationsAssociatedProject=與專案相關的捐款清單 +ListVariousPaymentsAssociatedProject=與專案相關的雜項付款清單 +ListSalariesAssociatedProject=與專案相關的工資支付清單 +ListActionsAssociatedProject=與專案相關的事件清單 +ListTaskTimeUserProject=專案的花費時間清單 +ListTaskTimeForTask=任務花費時間清單 +ActivityOnProjectToday=今天的專案活動 +ActivityOnProjectYesterday=昨天的專案活動 +ActivityOnProjectThisWeek=這週的專案活動 +ActivityOnProjectThisMonth=本月的專案活動 +ActivityOnProjectThisYear=今年的專案活動 +ChildOfProjectTask=專案/任務的子項目 +ChildOfTask=任務的子項目 +TaskHasChild=任務有子任務 +NotOwnerOfProject=不是此私人專案的所有者 +AffectedTo=分配給 +CantRemoveProject=這個專案不能刪除,因為它是由一些(其他項目引用的發票,訂單或其他)。請參照參考分頁。 ValidateProject=驗證專案 -ConfirmValidateProject=Are you sure you want to validate this project? -CloseAProject=結束專案 -ConfirmCloseAProject=您確定要結束此專案? -AlsoCloseAProject=也含已結專案(若您仍需要在此中專案中跟追產品任務,請持續開放) -ReOpenAProject=打開的項目 -ConfirmReOpenAProject=Are you sure you want to re-open this project? -ProjectContact=項目聯系人 -TaskContact=Task contacts -ActionsOnProject=行動項目 -YouAreNotContactOfProject=你是不是這個私人項目聯系 -UserIsNotContactOfProject=User is not a contact of this private project -DeleteATimeSpent=刪除的時間 -ConfirmDeleteATimeSpent=Are you sure you want to delete this time spent? -DoNotShowMyTasksOnly=See also tasks not assigned to me -ShowMyTasksOnly=View only tasks assigned to me -TaskRessourceLinks=Contacts of task -ProjectsDedicatedToThisThirdParty=致力於該合作方的項目 -NoTasks=該項目沒有任務 -LinkedToAnotherCompany=鏈接到其他合作方 -TaskIsNotAssignedToUser=Task not assigned to user. Use button '%s' to assign task now. -ErrorTimeSpentIsEmpty=所花費的時間是空的 -ThisWillAlsoRemoveTasks=這一行動也將刪除所有項目任務(%s任務的時刻),花全部的時間都投入。 -IfNeedToUseOtherObjectKeepEmpty=如果某些對象(發票,訂單,...),屬於其他第三方,必須與該項目以創建,保持這個空項目多的第三方。 -CloneTasks=Clone tasks -CloneContacts=Clone contacts -CloneNotes=Clone notes -CloneProjectFiles=Clone project joined files -CloneTaskFiles=Clone task(s) joined files (if task(s) cloned) -CloneMoveDate=Update project/tasks dates from now? -ConfirmCloneProject=Are you sure to clone this project? -ProjectReportDate=Change task dates according to new project start date -ErrorShiftTaskDate=Impossible to shift task date according to new project start date -ProjectsAndTasksLines=Projects and tasks +ConfirmValidateProject=您確定要驗證此專案嗎? +CloseAProject=關閉專案 +ConfirmCloseAProject=您確定要關閉此專案? +AlsoCloseAProject=同時關閉專案(如果仍然需要執行生產任務,請保持打開狀態) +ReOpenAProject=打開的專案 +ConfirmReOpenAProject=您確定要重新打開此專案嗎? +ProjectContact=專案聯絡人 +TaskContact=任務聯絡人 +ActionsOnProject=專案事件 +YouAreNotContactOfProject=你是不是這個私人專案的聯絡人 +UserIsNotContactOfProject=用戶不是此私人專案的聯絡人 +DeleteATimeSpent=刪除花費的時間 +ConfirmDeleteATimeSpent=您確定要刪除此花費的時間嗎? +DoNotShowMyTasksOnly=另請參閱未分配給我的任務 +ShowMyTasksOnly=查看僅分配給我的任務 +TaskRessourceLinks=任務聯絡人 +ProjectsDedicatedToThisThirdParty=此合作方的專案 +NoTasks=此專案沒有任務 +LinkedToAnotherCompany=連結到其他合作方 +TaskIsNotAssignedToUser=任務未分配給用戶。現在使用按鈕'%s'分配任務。 +ErrorTimeSpentIsEmpty=花費的時間是空的 +ThisWillAlsoRemoveTasks=此操作將刪除專案(此刻%s任務)的所有任務和所有輸入的花費時間。 +IfNeedToUseOtherObjectKeepEmpty=如果必須將屬於另一個合作方的某些項目(發票,訂單等)連結到要建立的專案,請將該欄位保留為空白以使此專案為多個合作方。 +CloneTasks=複製任務 +CloneContacts=複製聯絡人 +CloneNotes=複製註記 +CloneProjectFiles=複製專案連結檔案 +CloneTaskFiles=複製任務連結檔案(如果已複製任務) +CloneMoveDate=從現在開始更新專案/任務日期? +ConfirmCloneProject=您確定要複製此專案嗎? +ProjectReportDate=根據新專案的開始日期更改任務日期 +ErrorShiftTaskDate=不可能根據新專案的開始日期更改任務日期 +ProjectsAndTasksLines=專案與任務 ProjectCreatedInDolibarr=專案 %s 已建立 -ProjectValidatedInDolibarr=Project %s validated +ProjectValidatedInDolibarr=專案%s已驗證 ProjectModifiedInDolibarr=專案 %s 已修改 -TaskCreatedInDolibarr=Task %s created -TaskModifiedInDolibarr=Task %s modified -TaskDeletedInDolibarr=Task %s deleted -OpportunityStatus=Lead status -OpportunityStatusShort=Lead status -OpportunityProbability=Lead probability -OpportunityProbabilityShort=Lead probab. -OpportunityAmount=Lead amount -OpportunityAmountShort=Lead amount -OpportunityAmountAverageShort=Average lead amount -OpportunityAmountWeigthedShort=Weighted lead amount -WonLostExcluded=Won/Lost excluded +TaskCreatedInDolibarr=任務%s已建立 +TaskModifiedInDolibarr=任務%s已修改 +TaskDeletedInDolibarr=任務%s已刪除 +OpportunityStatus=潛在狀態 +OpportunityStatusShort=潛在狀態 +OpportunityProbability=潛在可能性 +OpportunityProbabilityShort=潛在機率。 +OpportunityAmount=潛在金額 +OpportunityAmountShort=潛在金額 +OpportunityAmountAverageShort=平均潛在金額 +OpportunityAmountWeigthedShort=加權潛在金額 +WonLostExcluded=不包含已獲得/遺失 ##### Types de contacts ##### -TypeContact_project_internal_PROJECTLEADER=專案負責人 -TypeContact_project_external_PROJECTLEADER=專案負責人 -TypeContact_project_internal_PROJECTCONTRIBUTOR=投稿 -TypeContact_project_external_PROJECTCONTRIBUTOR=投稿 +TypeContact_project_internal_PROJECTLEADER=內部專案負責人 +TypeContact_project_external_PROJECTLEADER=外部專案負責人 +TypeContact_project_internal_PROJECTCONTRIBUTOR=內部提案人 +TypeContact_project_external_PROJECTCONTRIBUTOR=外部提案人 TypeContact_project_task_internal_TASKEXECUTIVE=執行任務 TypeContact_project_task_external_TASKEXECUTIVE=執行任務 -TypeContact_project_task_internal_TASKCONTRIBUTOR=投稿 -TypeContact_project_task_external_TASKCONTRIBUTOR=投稿 -SelectElement=Select element -AddElement=Link to element +TypeContact_project_task_internal_TASKCONTRIBUTOR=內部提案人 +TypeContact_project_task_external_TASKCONTRIBUTOR=外部提案人 +SelectElement=選擇元件 +AddElement=連結到元件 # Documents models -DocumentModelBeluga=連結專案概述的文件範本 +DocumentModelBeluga=已連結項目概述的專案文件範本 DocumentModelBaleine=任務的專案文件範本 DocumentModelTimeSpent=花費時間的專案報告範本 -PlannedWorkload=Planned workload -PlannedWorkloadShort=Workload +PlannedWorkload=計劃的工作量 +PlannedWorkloadShort=工作量 ProjectReferers=相關項目 -ProjectMustBeValidatedFirst=Project must be validated first -FirstAddRessourceToAllocateTime=Assign a user resource to task to allocate time -InputPerDay=Input per day -InputPerWeek=Input per week -InputDetail=Input detail -TimeAlreadyRecorded=This is time spent already recorded for this task/day and user %s -ProjectsWithThisUserAsContact=Projects with this user as contact -TasksWithThisUserAsContact=Tasks assigned to this user -ResourceNotAssignedToProject=Not assigned to project -ResourceNotAssignedToTheTask=Not assigned to the task -NoUserAssignedToTheProject=No users assigned to this project -TimeSpentBy=Time spent by -TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Assign task to me -AssignTaskToUser=Assign task to %s -SelectTaskToAssign=Select task to assign... -AssignTask=Assign -ProjectOverview=Overview -ManageTasks=Use projects to follow tasks and/or report time spent (timesheets) -ManageOpportunitiesStatus=專案用於以下潛在/有機會的客戶 -ProjectNbProjectByMonth=No. of created projects by month -ProjectNbTaskByMonth=No. of created tasks by month -ProjectOppAmountOfProjectsByMonth=Amount of leads by month -ProjectWeightedOppAmountOfProjectsByMonth=Weighted amount of leads by month -ProjectOpenedProjectByOppStatus=Open project/lead by lead status -ProjectsStatistics=專案/潛在客戶的統計 +ProjectMustBeValidatedFirst=必須先驗證專案 +FirstAddRessourceToAllocateTime=為任務分配用戶資源以分配時間 +InputPerDay=每天輸入 +InputPerWeek=每週輸入 +InputDetail=輸入詳細訊息 +TimeAlreadyRecorded=這是為此任務/天和用戶%s已經記錄的花費時間 +ProjectsWithThisUserAsContact=與此用戶聯絡人的專案 +TasksWithThisUserAsContact=分配給此用戶的任務 +ResourceNotAssignedToProject=未分配給專案 +ResourceNotAssignedToTheTask=未分配給任務 +NoUserAssignedToTheProject=沒有分配給此專案的用戶 +TimeSpentBy=花費時間者 +TasksAssignedTo=任務分配給 +AssignTaskToMe=分配任務給我 +AssignTaskToUser=將任務分配給%s +SelectTaskToAssign=選擇要分配的任務... +AssignTask=分配 +ProjectOverview=總覽 +ManageTasks=使用專案來追踪任務和/或報告所花費的時間(時間表) +ManageOpportunitiesStatus=使用專案來追蹤潛在/機會 +ProjectNbProjectByMonth=每月建立的專案數 +ProjectNbTaskByMonth=每月建立的任務數 +ProjectOppAmountOfProjectsByMonth=每月的潛在客戶數量 +ProjectWeightedOppAmountOfProjectsByMonth=每月加權的潛在客戶數量 +ProjectOpenedProjectByOppStatus=依照潛在狀態打開專案/ 潛在 +ProjectsStatistics=專案/潛在客戶統計 TasksStatistics=專案/潛在客戶任務的統計 -TaskAssignedToEnterTime=Task assigned. Entering time on this task should be possible. -IdTaskTime=Id task time -YouCanCompleteRef=If you want to complete the ref with some suffix, it is recommanded to add a - character to separate it, so the automatic numbering will still work correctly for next projects. For example %s-MYSUFFIX -OpenedProjectsByThirdparties=Open projects by third parties -OnlyOpportunitiesShort=Only leads -OpenedOpportunitiesShort=Open leads -NotOpenedOpportunitiesShort=Not an open lead -NotAnOpportunityShort=Not a lead -OpportunityTotalAmount=Total amount of leads -OpportunityPonderatedAmount=Weighted amount of leads -OpportunityPonderatedAmountDesc=Leads amount weighted with probability +TaskAssignedToEnterTime=任務已分配。應該可以輸入此任務的時間。 +IdTaskTime=任務時間ID +YouCanCompleteRef=如果要使用一些後綴來完成引用,則建議增加-字元以將其分隔,因此自動編號仍可正確用於下一個專案。例如%s-MYSUFFIX +OpenedProjectsByThirdparties=開啟合作方專案 +OnlyOpportunitiesShort=僅潛在機會 +OpenedOpportunitiesShort=開啟潛在機會 +NotOpenedOpportunitiesShort=不是打開的潛在機會 +NotAnOpportunityShort=不是潛在機會 +OpportunityTotalAmount=潛在機會總數量 +OpportunityPonderatedAmount=權重潛在機會數量 +OpportunityPonderatedAmountDesc=潛在機會數量加權機率 OppStatusPROSP=潛在機會 -OppStatusQUAL=Qualification +OppStatusQUAL=符合資格條件 OppStatusPROPO=提案/建議書 -OppStatusNEGO=Negociation +OppStatusNEGO=談判交涉 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 projects of other companies
- A list of third-party ids separated by commas: can link all projects of these third partys (Example: 123,4795,53)
-LatestProjects=Latest %s projects -LatestModifiedProjects=Latest %s modified projects -OtherFilteredTasks=Other filtered tasks -NoAssignedTasks=No assigned tasks found (assign project/tasks to the current user from the top select box to enter time on it) -ThirdPartyRequiredToGenerateInvoice=A third party must be defined on project to be able to invoice it. +OppStatusWON=獲得 +OppStatusLOST=失去 +Budget=預算 +AllowToLinkFromOtherCompany=允許連結其他公司的專案

支援的值:
-保留為空:可以連結公司的任何專案(預設)
-“全部”:可以連結任何專案,甚至其他公司的專案
-用逗號分隔的合作方ID清單:可以連結這些合作方的所有專案(例如:123,4795,53)
+LatestProjects=最新%s的專案 +LatestModifiedProjects=最新%s件修改專案 +OtherFilteredTasks=其他過濾任務 +NoAssignedTasks=找不到分配的任務(從頂部選擇框向目前用戶分配專案/任務以輸入時間) +ThirdPartyRequiredToGenerateInvoice=必須在專案上定義合作方才能開立發票。 # Comments trans -AllowCommentOnTask=Allow user comments on tasks -AllowCommentOnProject=Allow user comments on projects -DontHavePermissionForCloseProject=You do not have permissions to close the project %s -DontHaveTheValidateStatus=The project %s must be open to be closed -RecordsClosed=%s project(s) closed -SendProjectRef=Information project %s -ModuleSalaryToDefineHourlyRateMustBeEnabled=Module 'Salaries' must be enabled to define employee hourly rate to have time spent valorized -NewTaskRefSuggested=Task ref already used, a new task ref is required -TimeSpentInvoiced=Time spent billed -TimeSpentForInvoice=所花費的時間 -OneLinePerUser=One line per user -ServiceToUseOnLines=Service to use on lines -InvoiceGeneratedFromTimeSpent=Invoice %s has been generated from time spent on project -ProjectBillTimeDescription=Check if you enter timesheet on tasks of project AND you plan to generate invoice(s) from the timesheet to bill the customer of the project (do not check if you plan to create invoice that is not based on entered timesheets). -ProjectFollowOpportunity=Follow opportunity -ProjectFollowTasks=Follow tasks -UsageOpportunity=Usage: Opportunity -UsageTasks=Usage: Tasks -UsageBillTimeShort=使用:帳單時間 +AllowCommentOnTask=允許用戶對任務發表評論 +AllowCommentOnProject=允許用戶對專案發表評論 +DontHavePermissionForCloseProject=您沒有關閉專案%s的權限 +DontHaveTheValidateStatus=必須打開專案%s才能將其關閉 +RecordsClosed=%s專案已關閉 +SendProjectRef=專案%s的資訊 +ModuleSalaryToDefineHourlyRateMustBeEnabled=必須啟用“工資”模組來定義員工的每小時工資,以使所花費的時間保持平衡 +NewTaskRefSuggested=任務參考已使用,需要新的任務參考 +TimeSpentInvoiced=花費時間已計費 +TimeSpentForInvoice=花費時間 +OneLinePerUser=每位用戶一行 +ServiceToUseOnLines=行上使用的服務 +InvoiceGeneratedFromTimeSpent=根據專案花費的時間產生了發票%s +ProjectBillTimeDescription=請勾選如果您輸入了有關專案任務的時間表,並計劃從此時間表中產生發票以向此專案的客戶開立帳單(不要勾選如果您打算建立不基於輸入時間表的發票)。注意:要產生發票,請前往專案的“花費時間”分頁上,並選擇要包括的行。 +ProjectFollowOpportunity=追蹤機會 +ProjectFollowTasks=追蹤任務 +UsageOpportunity=用法:機會 +UsageTasks=用法:任務 +UsageBillTimeShort=用法:帳單時間 +InvoiceToUse=發票草稿 +NewInvoice=新發票 +OneLinePerTask=每個任務一行 +OneLinePerPeriod=每個週期一行 diff --git a/htdocs/langs/zh_TW/propal.lang b/htdocs/langs/zh_TW/propal.lang index f5311b13cd8..bd722968a43 100644 --- a/htdocs/langs/zh_TW/propal.lang +++ b/htdocs/langs/zh_TW/propal.lang @@ -28,7 +28,7 @@ ShowPropal=顯示提案/建議書 PropalsDraft=草稿 PropalsOpened=開放 PropalStatusDraft=草案(等待驗證) -PropalStatusValidated=驗證(提案/建議書已開放) +PropalStatusValidated=驗證(建議打開) PropalStatusSigned=簽名(需要收費) PropalStatusNotSigned=不簽署(非公開) PropalStatusBilled=已開票 @@ -76,8 +76,8 @@ TypeContact_propal_external_BILLING=客戶發票聯絡人 TypeContact_propal_external_CUSTOMER=後續提案/建議書的客戶聯絡人 TypeContact_propal_external_SHIPPING=客戶交貨聯絡人 # Document models -DocModelAzurDescription=一個完整的提案/建議書模型(logo. ..) -DocModelCyanDescription=一個完整的提案/建議書模型(logo. ..) +DocModelAzurDescription=A complete proposal model +DocModelCyanDescription=A complete proposal model DefaultModelPropalCreate=預設模型建立 DefaultModelPropalToBill=當關閉企業提案/建議書時使用的預設範本(開立發票) DefaultModelPropalClosed=當關閉企業提案/建議書時使用的預設範本(未開票) diff --git a/htdocs/langs/zh_TW/stocks.lang b/htdocs/langs/zh_TW/stocks.lang index 66d3188a618..9d95c3de609 100644 --- a/htdocs/langs/zh_TW/stocks.lang +++ b/htdocs/langs/zh_TW/stocks.lang @@ -143,6 +143,7 @@ InventoryCode=移動或庫存代碼 IsInPackage=包含在包裝中 WarehouseAllowNegativeTransfer=庫存可為負值 qtyToTranferIsNotEnough=您的來源倉庫中沒有足夠的庫存,並且您的設定不允許出現負值庫存。 +qtyToTranferLotIsNotEnough=您的原始倉庫中沒有足夠的此批號庫存,並且您的設定不允許出現負庫存(在倉庫'%s'中批號為'%s'的產品'%s'數量為%s)。 ShowWarehouse=顯示倉庫 MovementCorrectStock=產品%s的庫存更正 MovementTransferStock=將產品%s庫存轉移到另一個倉庫 @@ -192,6 +193,7 @@ TheoricalQty=理論數量 TheoricalValue=理論數量 LastPA=最新BP CurrentPA=目前BP +RecordedQty=Recorded Qty RealQty=實際數量 RealValue=實際價值 RegulatedQty=調整數量 diff --git a/htdocs/langs/zh_TW/stripe.lang b/htdocs/langs/zh_TW/stripe.lang index 48eb8c3517d..c8f6da33455 100644 --- a/htdocs/langs/zh_TW/stripe.lang +++ b/htdocs/langs/zh_TW/stripe.lang @@ -1,70 +1,70 @@ # Dolibarr language file - Source file is en_US - stripe -StripeSetup=Stripe module setup -StripeDesc=Offer customers a Stripe online payment page for payments with credit/cebit cards via Stripe. This can be used to allow your customers to make ad-hoc payments or for payments related to a particular Dolibarr object (invoice, order, ...) -StripeOrCBDoPayment=Pay with credit card or Stripe -FollowingUrlAreAvailableToMakePayments=以下網址可提供給客戶的網頁上,能夠作出Dolibarr支付對象 -PaymentForm=付款方式 -WelcomeOnPaymentPage=歡迎使用我們的在線支付服務 -ThisScreenAllowsYouToPay=這個屏幕允許你進行網上支付%s。 -ThisIsInformationOnPayment=這是在做付款信息 -ToComplete=要完成 -YourEMail=付款確認的電子郵件 -STRIPE_PAYONLINE_SENDEMAIL=Email notification after a payment attempt (success or fail) +StripeSetup=Stripe模組設定 +StripeDesc=通過 Stripe 為客戶提供一個Stripe線上支付頁面,以使用信用卡/簽帳卡付款。這可允許您的客戶進行臨時付款或用於與特定Dolibarr項目(發票,訂單等)有關的付款。 +StripeOrCBDoPayment=用信用卡或Stripe付款 +FollowingUrlAreAvailableToMakePayments=以下網址可用於向客戶提供頁面以對Dolibarr項目進行付款 +PaymentForm=付款表單 +WelcomeOnPaymentPage=歡迎使用我們的線上支付服務 +ThisScreenAllowsYouToPay=這個畫面允許你進行線上支付到%s。 +ThisIsInformationOnPayment=這是關於付款的資訊 +ToComplete=完成 +YourEMail=接收付款確認的電子郵件 +STRIPE_PAYONLINE_SENDEMAIL=付款後的電子郵件通知(成功或失敗) Creditor=債權人 PaymentCode=付款代碼 -StripeDoPayment=Pay with Stripe -YouWillBeRedirectedOnStripe=You will be redirected on secured Stripe page to input you credit card information -Continue=未來 -ToOfferALinkForOnlinePayment=網址為%s支付 -ToOfferALinkForOnlinePaymentOnOrder=URL to offer a %s online payment page for a sales order -ToOfferALinkForOnlinePaymentOnInvoice=URL to offer a %s online payment page for a customer invoice -ToOfferALinkForOnlinePaymentOnContractLine=URL to offer a %s online payment page for a contract line -ToOfferALinkForOnlinePaymentOnFreeAmount=URL to offer a %s online payment page of any amount with no existing object -ToOfferALinkForOnlinePaymentOnMemberSubscription=URL to offer a %s online payment page for a member subscription -ToOfferALinkForOnlinePaymentOnDonation=URL to offer a %s online payment page for payment of a donation -YouCanAddTagOnUrl=You can also add url parameter &tag=value to any of those URL (mandatory only for payment not linked to an object) to add your own payment comment tag.
For the URL of payments with no existing object, you may also add the parameter &noidempotency=1 so the same link with same tag can be used several times (some payment mode may limit the payment to 1 for each different link without this parameter) -SetupStripeToHavePaymentCreatedAutomatically=Setup your Stripe with url %s to have payment created automatically when validated by Stripe. +StripeDoPayment=用Stripe付款 +YouWillBeRedirectedOnStripe=您將在“Stripe”頁面上重新轉向以輸入您的信用卡資訊 +Continue=下一步 +ToOfferALinkForOnlinePayment=%s付款的網址 +ToOfferALinkForOnlinePaymentOnOrder=提供%s銷售訂單線上支付頁面的網址 +ToOfferALinkForOnlinePaymentOnInvoice=提供%s客戶發票線上支付頁面的網址 +ToOfferALinkForOnlinePaymentOnContractLine=提供%s合約行線上支付頁面的網址 +ToOfferALinkForOnlinePaymentOnFreeAmount=提供%s沒有現有項目的任意金額線上支付頁面網址 +ToOfferALinkForOnlinePaymentOnMemberSubscription=提供%s會員訂閱線上支付頁面的網址 +ToOfferALinkForOnlinePaymentOnDonation=提供%s捐款支付的線上支付頁面網址 +YouCanAddTagOnUrl=您還可以將網址參數&tag=value 加到任何這些網址中(僅對於未連結到項目的付款有強制性),以增加您自己的付款註釋標籤。
對於沒有現有項目的支付網址,您還可以增加參數&noidempotency=1,因此具有相同標籤的同一連結可以多次使用(某些付款方式可能會將每個沒有這個參數的不同連結支付限制為1) +SetupStripeToHavePaymentCreatedAutomatically=使用網址 %s 設定您的Stripe,以便在Stripe驗證後自動建立付款。 AccountParameter=帳戶參數 UsageParameter=使用參數 -InformationToFindParameters=幫助,找到你的%s帳戶信息 -STRIPE_CGI_URL_V2=Url of Stripe CGI module for payment +InformationToFindParameters=尋找您%s帳戶資訊的幫助 +STRIPE_CGI_URL_V2=Stripe CGI模組的付款網址 VendorName=供應商名稱 -CSSUrlForPaymentForm=付款方式的CSS樣式表的URL -NewStripePaymentReceived=New Stripe payment received -NewStripePaymentFailed=New Stripe payment tried but failed -STRIPE_TEST_SECRET_KEY=Secret test key -STRIPE_TEST_PUBLISHABLE_KEY=Publishable test key -STRIPE_TEST_WEBHOOK_KEY=Webhook test key -STRIPE_LIVE_SECRET_KEY=Secret live key -STRIPE_LIVE_PUBLISHABLE_KEY=Publishable live key -STRIPE_LIVE_WEBHOOK_KEY=Webhook live key -ONLINE_PAYMENT_WAREHOUSE=Stock to use for stock decrease when online payment is done
(TODO When option to decrease stock is done on an action on invoice and the online payment generate itself the invoice ?) -StripeLiveEnabled=Stripe live enabled (otherwise test/sandbox mode) -StripeImportPayment=Import Stripe payments -ExampleOfTestCreditCard=Example of credit card for test: %s => valid, %s => error CVC, %s => expired, %s => charge fails -StripeGateways=Stripe gateways -OAUTH_STRIPE_TEST_ID=Stripe Connect Client ID (ca_...) -OAUTH_STRIPE_LIVE_ID=Stripe Connect Client ID (ca_...) -BankAccountForBankTransfer=Bank account for fund payouts -StripeAccount=Stripe account -StripeChargeList=List of Stripe charges -StripeTransactionList=List of Stripe transactions -StripeCustomerId=Stripe customer id -StripePaymentModes=Stripe payment modes -LocalID=Local ID +CSSUrlForPaymentForm=CSS樣式付款表單網址 +NewStripePaymentReceived=收到新的Stripe付款 +NewStripePaymentFailed=已嘗試新的Stripe付款但失敗 +STRIPE_TEST_SECRET_KEY=秘密測試金鑰 +STRIPE_TEST_PUBLISHABLE_KEY=可發布的測試金鑰 +STRIPE_TEST_WEBHOOK_KEY=Webhook測試金鑰 +STRIPE_LIVE_SECRET_KEY=秘密live金鑰 +STRIPE_LIVE_PUBLISHABLE_KEY=可發布的live金鑰 +STRIPE_LIVE_WEBHOOK_KEY=Webhook live金鑰 +ONLINE_PAYMENT_WAREHOUSE=完成線上支付時用於減少庫存的庫存
(待辦事項 如果針對發票操作完成了減少庫存的選項,在線支付也同時產生發票?) +StripeLiveEnabled=啟用Stripe live模式(否則為測試/沙盒模式) +StripeImportPayment=匯入Stripe付款 +ExampleOfTestCreditCard=用於信用卡測試的範例:%s =>有效,%s =>錯誤CVC,%s =>已過期,%s =>加值失敗 +StripeGateways=Stripe閘道 +OAUTH_STRIPE_TEST_ID=Stripe Connect客戶端ID(ca _...) +OAUTH_STRIPE_LIVE_ID=Stripe Connect客戶端ID(ca _...) +BankAccountForBankTransfer=銀行帳戶中的資金支出 +StripeAccount=Stripe帳戶 +StripeChargeList=Stripe加值清單 +StripeTransactionList=Stripe交易清單 +StripeCustomerId=Stripe客戶編號 +StripePaymentModes=Stripe付款方式 +LocalID=本地ID StripeID=Stripe ID -NameOnCard=Name on card -CardNumber=Card Number -ExpiryDate=Expiry Date +NameOnCard=卡片上的名字 +CardNumber=卡片號碼 +ExpiryDate=到期日 CVN=CVN -DeleteACard=Delete Card -ConfirmDeleteCard=Are you sure you want to delete this Credit or Debit card? -CreateCustomerOnStripe=Create customer on Stripe -CreateCardOnStripe=Create card on Stripe -ShowInStripe=Show in Stripe -StripeUserAccountForActions=User account to use for email notification of some Stripe events (Stripe payouts) -StripePayoutList=List of Stripe payouts -ToOfferALinkForTestWebhook=Link to setup Stripe WebHook to call the IPN (test mode) -ToOfferALinkForLiveWebhook=Link to setup Stripe WebHook to call the IPN (live mode) -PaymentWillBeRecordedForNextPeriod=Payment will be recorded for the next period. -ClickHereToTryAgain=Click here to try again... +DeleteACard=刪除卡片 +ConfirmDeleteCard=您確定要刪除此信用卡或金融信用卡嗎? +CreateCustomerOnStripe=在Stripe上建立客戶 +CreateCardOnStripe=在Stripe上建立卡片 +ShowInStripe=在Stripe上顯示 +StripeUserAccountForActions=用於某些Stripe事件的電子郵件通知用戶帳戶(Stripe支出) +StripePayoutList=Stripe支出清單 +ToOfferALinkForTestWebhook=連結到Stripe WebHook設定以呼叫IPN(測試模式) +ToOfferALinkForLiveWebhook=連結到Stripe WebHook設定以呼叫IPN(live模式) +PaymentWillBeRecordedForNextPeriod=付款將記錄在下一個期間。 +ClickHereToTryAgain=點擊此處重試... diff --git a/htdocs/langs/zh_TW/supplier_proposal.lang b/htdocs/langs/zh_TW/supplier_proposal.lang index df0ce225564..7bb87f2607e 100644 --- a/htdocs/langs/zh_TW/supplier_proposal.lang +++ b/htdocs/langs/zh_TW/supplier_proposal.lang @@ -32,7 +32,7 @@ SupplierProposalStatusValidatedShort=已驗證 SupplierProposalStatusClosedShort=已關閉 SupplierProposalStatusSignedShort=已接受 SupplierProposalStatusNotSignedShort=已拒絕 -CopyAskFrom=複製現有要求以新增價格要求 +CopyAskFrom=複製現有要求以建立價格要求 CreateEmptyAsk=新增空白的要求 ConfirmCloneAsk=您確定要複製價格請求%s嗎? ConfirmReOpenAsk=您確定要重新打開價格請求%s嗎? diff --git a/htdocs/langs/zh_TW/website.lang b/htdocs/langs/zh_TW/website.lang index 80b43ddfc1b..e8dc9b98c3f 100644 --- a/htdocs/langs/zh_TW/website.lang +++ b/htdocs/langs/zh_TW/website.lang @@ -1,84 +1,84 @@ # Dolibarr language file - Source file is en_US - website -Shortname=碼 -WebsiteSetupDesc=Create here the websites you wish to use. Then go into menu Websites to edit them. -DeleteWebsite=Delete website -ConfirmDeleteWebsite=Are you sure you want to delete this web site? All its pages and content will also be removed. The files uploaded (like into the medias directory, the ECM module, ...) will remain. -WEBSITE_TYPE_CONTAINER=Type of page/container -WEBSITE_PAGE_EXAMPLE=Web page to use as example -WEBSITE_PAGENAME=Page name/alias -WEBSITE_ALIASALT=Alternative page names/aliases -WEBSITE_ALIASALTDesc=Use here list of other name/aliases so the page can also be accessed using this other names/aliases (for example the old name after renaming the alias to keep backlink on old link/name working). Syntax is:
alternativename1, alternativename2, ... -WEBSITE_CSS_URL=URL of external CSS file -WEBSITE_CSS_INLINE=CSS file content (common to all pages) -WEBSITE_JS_INLINE=Javascript file content (common to all pages) -WEBSITE_HTML_HEADER=Addition at bottom of HTML Header (common to all pages) -WEBSITE_ROBOT=Robot file (robots.txt) -WEBSITE_HTACCESS=Website .htaccess file -WEBSITE_MANIFEST_JSON=Website manifest.json file -WEBSITE_README=README.md file -EnterHereLicenseInformation=Enter here meta data or license information to fille a README.md file. if you distribute your website as a template, the file will be included into the temptate package. -HtmlHeaderPage=HTML header (specific to this page only) -PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge a SEO URL when website is ran from a Virtual host of a Web server (like Apacke, Nginx, ...). Use the button "%s" to edit this alias. -EditTheWebSiteForACommonHeader=Note: If you want to define a personalized header for all pages, edit the header on the site level instead of on the page/container. -MediaFiles=Media library -EditCss=Edit website properties -EditMenu=Edit menu -EditMedias=Edit medias -EditPageMeta=Edit page/container properties -EditInLine=Edit inline -AddWebsite=Add website -Webpage=Web page/container -AddPage=Add page/container -HomePage=Home Page -PageContainer=Page/container -PreviewOfSiteNotYetAvailable=Preview of your website %s not yet available. You must first 'Import a full website template' or just 'Add a page/container'. -RequestedPageHasNoContentYet=Requested page with id %s has no content yet, or cache file .tpl.php was removed. Edit content of the page to solve this. -SiteDeleted=Web site '%s' deleted -PageContent=Page/Contenair -PageDeleted=Page/Contenair '%s' of website %s deleted -PageAdded=Page/Contenair '%s' added -ViewSiteInNewTab=View site in new tab -ViewPageInNewTab=View page in new tab -SetAsHomePage=Set as Home page -RealURL=Real URL -ViewWebsiteInProduction=View web site using home URLs -SetHereVirtualHost=Use with Apache/NGinx/...
If you can create, on your web server (Apache, Nginx, ...), a dedicated Virtual Host with PHP enabled and a Root directory on
%s
then set the name of the virtual host you have created in the properties of web site, so the preview can be done also using this dedicated web server access instead of the internal Dolibarr server. -YouCanAlsoTestWithPHPS=Use with PHP embedded server
On develop environment, you may prefer to test the site with the PHP embedded web server (PHP 5.5 required) by running
php -S 0.0.0.0:8080 -t %s +Shortname=代碼 +WebsiteSetupDesc=在此處建立您要使用的網站。然後進入選單網站進行編輯。 +DeleteWebsite=刪除網站 +ConfirmDeleteWebsite=您確定要刪除此網站嗎?其所有頁面和內容也將被刪除。上傳的文件(例如進入medias資料夾,ECM模組等)將保留。 +WEBSITE_TYPE_CONTAINER=頁面/容器的類型 +WEBSITE_PAGE_EXAMPLE=範本網頁 +WEBSITE_PAGENAME=頁面名稱/別名 +WEBSITE_ALIASALT=備用頁面名稱/別名 +WEBSITE_ALIASALTDesc=使用此處的其他名稱/別名清單,因此也可以使用此其他名稱/別名來訪問頁面(例如,重命名別名以使舊連結/名稱保持反向連結正常工作後的舊名稱)。語法是:
Alternativename1,Alternativename2,... +WEBSITE_CSS_URL=外部CSS檔案的網址 +WEBSITE_CSS_INLINE=CSS檔案內容(所有頁面共有) +WEBSITE_JS_INLINE=Javascript檔案內容(所有頁面共有) +WEBSITE_HTML_HEADER=附加在HTML標頭底部(所有頁面共有) +WEBSITE_ROBOT=Robot檔案(robots.txt) +WEBSITE_HTACCESS=網站.htaccess檔案 +WEBSITE_MANIFEST_JSON=網站manifest.json檔案 +WEBSITE_README=README.md檔案 +EnterHereLicenseInformation=在此處輸入meta data或許可證資訊以填入README.md檔案。如果您以模板型式發佈網站,則檔案將包含在模板軟體包中。 +HtmlHeaderPage=HTML標頭(僅用於此頁面) +PageNameAliasHelp=頁面的名稱或別名。
當從Web伺服器的虛擬主機(如Apacke,Nginx等)執行網站時,此別名還用於偽造SEO網址。使用按鈕“ %s ”編輯此別名。 +EditTheWebSiteForACommonHeader=注意:如果要為所有頁面定義個性化標題,請在網站級別而不是頁面/容器上編輯標題。 +MediaFiles=媒體庫 +EditCss=編輯網站屬性 +EditMenu=編輯選單 +EditMedias=編輯媒體 +EditPageMeta=編輯頁面/容器屬性 +EditInLine=編輯嵌入 +AddWebsite=新增網站 +Webpage=網頁/容器 +AddPage=增加頁面/容器 +HomePage=首頁 +PageContainer=頁面/容器 +PreviewOfSiteNotYetAvailable=您的網站%s預覽尚不可用。您必須先“ 導入完整的網站模板 ”或僅“ 新增頁面/容器 ”。 +RequestedPageHasNoContentYet=要求ID為%s的頁面尚無內容,或暫存檔案.tpl.php被刪除。編輯頁面內容以解決此問題。 +SiteDeleted=網站'%s'已刪除 +PageContent=頁面/內容 +PageDeleted=網站%s的頁面/內容'%s'已刪除 +PageAdded=頁面/內容'%s'已增加 +ViewSiteInNewTab=在新分頁中檢視網站 +ViewPageInNewTab=在新分頁中檢視頁面 +SetAsHomePage=設為首頁 +RealURL=真實網址 +ViewWebsiteInProduction=使用家庭網址檢視網站 +SetHereVirtualHost=如果您會建立請使用Apache/NGinx/...
, 在您的網站伺服器上 (Apache, Nginx, ...), 已啟用PHP的專用虛擬主機並且根資料夾位於
%s
然後在網站的屬性中設定您建立的虛擬主機名稱, 因此也可以預覽此網站伺服器而不是內部Dolibarr伺服器. +YouCanAlsoTestWithPHPS=在開發環境中使用嵌入式PHP伺服器
, 您也許想要使用
php -S 0.0.0.0:8080 -t %s 來測試此嵌入式PHP伺服器 (需要PHP 5.5) 的網站 YouCanAlsoDeployToAnotherWHP=Run your web site with another Dolibarr Hosting provider
If you don't have a web server like Apache or NGinx available on internet, you can export and import your web site onto another Dolibarr instance provided by another Dolibarr hosting provider that provide full integration with the Website module. You can find a list of some Dolibarr hosting providers on https://saas.dolibarr.org CheckVirtualHostPerms=Check also that virtual host has permission %s on files into
%s ReadPerm=閱讀 -WritePerm=Write -TestDeployOnWeb=Test/deploy on web +WritePerm=寫入 +TestDeployOnWeb=上線測試/部署 PreviewSiteServedByWebServer=Preview %s in a new tab.

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

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

To use your own external web server to serve this web site, create a virtual host on your web server that point on directory
%s
then enter the name of this virtual server and click on the other preview button. -VirtualHostUrlNotDefined=URL of the virtual host served by external web server not defined -NoPageYet=No pages yet -YouCanCreatePageOrImportTemplate=You can create a new page or import a full website template -SyntaxHelp=Help on specific syntax tips -YouCanEditHtmlSourceckeditor=You can edit HTML source code using the "Source" button in editor. +VirtualHostUrlNotDefined=未定義由外部網站伺服器提供服務的虛擬主機網址 +NoPageYet=暫無頁面 +YouCanCreatePageOrImportTemplate=您可以建立一個新頁面或匯入完整的網站模板 +SyntaxHelp=有關特定語法提示的幫助 +YouCanEditHtmlSourceckeditor=您可以使用編輯器中的“Source”按鈕來編輯HTML源代碼。 YouCanEditHtmlSource=
You can include PHP code into this source using tags <?php ?>. The following global variables are available: $conf, $db, $mysoc, $user, $website, $websitepage, $weblangs.

You can also include content of another Page/Container with the following syntax:
<?php includeContainer('alias_of_container_to_include'); ?>

You can make a redirect to another Page/Container with the following syntax (Note: do not output any content before a redirect):
<?php redirectToContainer('alias_of_container_to_redirect_to'); ?>

To add a link to another page, use the syntax:
<a href="alias_of_page_to_link_to.php">mylink<a>

To include a link to download a file stored into the documents directory, use the document.php wrapper:
Example, for a file into documents/ecm (need to be logged), syntax is:
<a href="/document.php?modulepart=ecm&file=[relative_dir/]filename.ext">
For a file into documents/medias (open directory for public access), syntax is:
<a href="/document.php?modulepart=medias&file=[relative_dir/]filename.ext">
For a file shared with a share link (open access using the sharing hash key of file), syntax is:
<a href="/document.php?hashp=publicsharekeyoffile">

To include an image stored into the documents directory, use the viewimage.php wrapper:
Example, for an image into documents/medias (open directory for public access), syntax is:
<img src="/viewimage.php?modulepart=medias&file=[relative_dir/]filename.ext">

More examples of HTML or dynamic code available on the wiki documentation
. -ClonePage=Clone page/container -CloneSite=Clone site -SiteAdded=Website added +ClonePage=複製頁面/容器 +CloneSite=複製網站 +SiteAdded=網站已增加 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 ? +PageIsANewTranslation=新頁面是目前頁面的翻譯? 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 +ParentPageId=母頁面ID +WebsiteId=網站ID CreateByFetchingExternalPage=Create page/container by fetching page from external URL... OrEnterPageInfoManually=Or create page from scratch or from a page template... -FetchAndCreate=Fetch and Create -ExportSite=Export website -ImportSite=Import website template -IDOfPage=Id of page +FetchAndCreate=提取與建立 +ExportSite=匯出網站 +ImportSite=匯入網站模板 +IDOfPage=頁面ID Banner=Banner -BlogPost=Blog post -WebsiteAccount=Website account +BlogPost=部落格文章 +WebsiteAccount=網站帳號 WebsiteAccounts=網站帳號 -AddWebsiteAccount=Create web site account +AddWebsiteAccount=建立網站帳號 BackToListOfThirdParty=Back to list for Third Party DisableSiteFirst=Disable website first -MyContainerTitle=My web site title +MyContainerTitle=我的網站標題 AnotherContainer=This is how to include content of another page/container (you may have an error here if you enable dynamic code because the embedded subcontainer may not exists) SorryWebsiteIsCurrentlyOffLine=Sorry, this website is currently off line. Please comme back later... WEBSITE_USE_WEBSITE_ACCOUNTS=Enable the web site account table @@ -92,32 +92,32 @@ WebsiteRootOfImages=Root directory for website images SubdirOfPage=Sub-directory dedicated to page AliasPageAlreadyExists=Alias page %s already exists CorporateHomePage=Corporate Home page -EmptyPage=Empty page -ExternalURLMustStartWithHttp=External URL must start with http:// or https:// +EmptyPage=空白頁 +ExternalURLMustStartWithHttp=外部網址必須以http://或https://開始 ZipOfWebsitePackageToImport=Upload the Zip file of the website template package ZipOfWebsitePackageToLoad=or Choose an available embedded website template package -ShowSubcontainers=Include dynamic content -InternalURLOfPage=Internal URL of page +ShowSubcontainers=包含動態內容 +InternalURLOfPage=頁面的內部網址 ThisPageIsTranslationOf=This page/container is a translation of ThisPageHasTranslationPages=This page/container has translation NoWebSiteCreateOneFirst=No website has been created yet. Create one first. -GoTo=Go to +GoTo=前往 DynamicPHPCodeContainsAForbiddenInstruction=You add dynamic PHP code that contains the PHP instruction '%s' that is forbidden by default as dynamic content (see hidden options WEBSITE_PHP_ALLOW_xxx to increase list of allowed commands). -NotAllowedToAddDynamicContent=You don't have permission to add or edit PHP dynamic content in websites. Ask permission or just keep code into php tags unmodified. -ReplaceWebsiteContent=Search or Replace website content -DeleteAlsoJs=Delete also all javascript files specific to this website? -DeleteAlsoMedias=Delete also all medias files specific to this website? -MyWebsitePages=My website pages -SearchReplaceInto=Search | Replace into -ReplaceString=New string -CSSContentTooltipHelp=Enter here CSS content. To avoid any conflict with the CSS of the application, be sure to prepend all declaration with the .bodywebsite class. For example:

#mycssselector, input.myclass:hover { ... }
must be
.bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

Note: If you have a large file without this prefix, you can use 'lessc' to convert it to append the .bodywebsite prefix everywhere. -LinkAndScriptsHereAreNotLoadedInEditor=Warning: This content is output only when site is accessed from a server. It is not used in Edit mode so if you need to load javascript files also in edit mode, just add your tag 'script src=...' into the page. -Dynamiccontent=Sample of a page with dynamic content -ImportSite=Import website template -EditInLineOnOff=Mode 'Edit inline' is %s -ShowSubContainersOnOff=Mode to execute 'dynamic content' is %s -GlobalCSSorJS=Global CSS/JS/Header file of web site -BackToHomePage=Back to home page... -TranslationLinks=Translation links -YouTryToAccessToAFileThatIsNotAWebsitePage=You try to access to a page that is not a website page -UseTextBetween5And70Chars=For good SEO practices, use a text between 5 and 70 characters +NotAllowedToAddDynamicContent=您沒有權限在網站中增加或編輯PHP動態內容。請求權限或僅將代碼保留在未經修改的php標籤中。 +ReplaceWebsiteContent=搜尋或替換網站內容 +DeleteAlsoJs=還要刪除網站的所有JavaScript檔案嗎? +DeleteAlsoMedias=還要刪除此網站的所有媒體檔案嗎? +MyWebsitePages=我的網站頁面 +SearchReplaceInto=搜尋|替換成 +ReplaceString=新字串 +CSSContentTooltipHelp=在此處輸入CSS內容。為避免與應用程式的CSS發生任何衝突,請確保在所有聲明之前增加.bodywebsite類別。例如:

#mycssselector, input.myclass:hover { ... }
must be
.bodywebsite #mycssselector, .bodywebsite input.myclass:hover { ... }

注意:如果您有一個沒有此前綴的大檔案,則可以使用“ lessc”將其轉換為.bodywebsite前綴並附加到任何地方。 +LinkAndScriptsHereAreNotLoadedInEditor=警告:僅當從伺服器訪問站台時,才輸出此內容。它在“編輯”模式下不使用,因此,如果您還需要在“編輯”模式下載入javascript文件,只需在頁面中增加標籤“ script src = ...”即可。 +Dynamiccontent=具有動態內容的頁面範例 +ImportSite=匯入網站模板 +EditInLineOnOff=模式“內聯編輯”為%s +ShowSubContainersOnOff=執行“動態內容”的模式為%s +GlobalCSSorJS=網站的全域CSS / JS / Header檔案 +BackToHomePage=返回首頁... +TranslationLinks=翻譯連結 +YouTryToAccessToAFileThatIsNotAWebsitePage=您嘗試訪問不是網站頁面的頁面 +UseTextBetween5And70Chars=為了獲得良好的SEO實踐,請使用5到70個字元的文字 diff --git a/htdocs/langs/zh_TW/withdrawals.lang b/htdocs/langs/zh_TW/withdrawals.lang index ae8bdbd3fd6..bb934a14939 100644 --- a/htdocs/langs/zh_TW/withdrawals.lang +++ b/htdocs/langs/zh_TW/withdrawals.lang @@ -1,119 +1,119 @@ # Dolibarr language file - Source file is en_US - withdrawals -CustomersStandingOrdersArea=直接付款(Direct Debit Payment)訂單區域 -SuppliersStandingOrdersArea=直接信用付款(Direct Credit Payment)訂單區 -StandingOrdersPayment=直接付款訂單 -StandingOrderPayment=直接付款訂單 -NewStandingOrder=新直接付款訂單 +CustomersStandingOrdersArea=直接轉帳付款訂單區 +SuppliersStandingOrdersArea=直接信用付款訂單區 +StandingOrdersPayment=直接轉帳付款訂單 +StandingOrderPayment=直接轉帳付款訂單 +NewStandingOrder=新直接轉帳付款訂單 StandingOrderToProcess=處理 -WithdrawalsReceipts=直接付款訂單(s) -WithdrawalReceipt=直接付款訂單 -LastWithdrawalReceipts=最新的%s直接扣款文件 -WithdrawalsLines=直接扣款訂單行 -RequestStandingOrderToTreat=要求直接付款訂單處理 -RequestStandingOrderTreated=要求直接付款的付款訂單已處理 -NotPossibleForThisStatusOfWithdrawReceiptORLine=Not yet possible. Withdraw status must be set to 'credited' before declaring reject on specific lines. -NbOfInvoiceToWithdraw=No. of qualified invoice with waiting direct debit order -NbOfInvoiceToWithdrawWithInfo=No. of customer invoice with direct debit payment orders having defined bank account information -InvoiceWaitingWithdraw=Invoice waiting for direct debit -AmountToWithdraw=收回的款額 -WithdrawsRefused=Direct debit refused -NoInvoiceToWithdraw=No customer invoice with open 'Direct debit requests' is waiting. Go on tab '%s' on invoice card to make a request. -ResponsibleUser=User Responsible -WithdrawalsSetup=Direct debit payment setup -WithdrawStatistics=Direct debit payment statistics -WithdrawRejectStatistics=Direct debit payment reject statistics -LastWithdrawalReceipt=Latest %s direct debit receipts -MakeWithdrawRequest=Make a direct debit payment request -WithdrawRequestsDone=%s direct debit payment requests recorded -ThirdPartyBankCode=Third-party bank code -NoInvoiceCouldBeWithdrawed=No invoice debited successfully. Check that invoices are on companies with a valid IBAN and that IBAN has a UMR (Unique Mandate Reference) with mode %s. -ClassCredited=分類記 -ClassCreditedConfirm=你確定要分類這一撤離收據上記入您的銀行帳戶? -TransData=數據傳輸 -TransMetod=傳輸的方法 -Send=發送 -Lines=線路 +WithdrawalsReceipts=直接轉帳付款訂單 +WithdrawalReceipt=直接轉帳付款訂單 +LastWithdrawalReceipts=最新%s個直接轉帳付款檔案 +WithdrawalsLines=直接轉帳付款訂單行 +RequestStandingOrderToTreat=直接轉帳付款訂單處理要求 +RequestStandingOrderTreated=直接轉帳付款訂單要求已處理 +NotPossibleForThisStatusOfWithdrawReceiptORLine=尚不可能。在特定行中宣佈拒絕之前,必須將“退款”狀態設定為“已記入”。 +NbOfInvoiceToWithdraw=等待直接轉帳付款訂單的合格發票數 +NbOfInvoiceToWithdrawWithInfo=具有已定義銀行帳戶資訊的直接轉帳付款訂單客戶發票數量 +InvoiceWaitingWithdraw=等待直接轉帳付款的發票 +AmountToWithdraw=提款金額 +WithdrawsRefused=直接轉帳付款被拒絕 +NoInvoiceToWithdraw=沒有打開“直接轉帳付款請求”的客戶發票。在發票卡上的分頁“ %s”上進行請求。 +ResponsibleUser=用戶負責 +WithdrawalsSetup=直接轉帳付款設定 +WithdrawStatistics=直接轉帳付款統計 +WithdrawRejectStatistics=直接轉帳付款拒絕統計 +LastWithdrawalReceipt=最新%s張直接轉帳付款收據 +MakeWithdrawRequest=提出直接轉帳付款請求 +WithdrawRequestsDone=已記錄%s直接轉帳付款請求 +ThirdPartyBankCode=合作方銀行代碼 +NoInvoiceCouldBeWithdrawed=沒有直接轉帳成功的發票。檢查發票上是否有有效IBAN的公司,以及IBAN是否具有模式為 %s 的UMR(唯一授權參考)。 +ClassCredited=分類為已記入 +ClassCreditedConfirm=您確定要將此提款收據分類為銀行帳戶中的已記入嗎? +TransData=傳送日期 +TransMetod=傳送方式 +Send=寄送 +Lines=行 StandingOrderReject=發出拒絕 -WithdrawalRefused=提款Refuseds -WithdrawalRefusedConfirm=你確定要輸入一個社會拒絕撤出 -RefusedData=日期拒收 -RefusedReason=拒絕的原因 +WithdrawalRefused=提款被拒絕 +WithdrawalRefusedConfirm=您確定要為協會輸入拒絕提款嗎? +RefusedData=拒絕日期 +RefusedReason=拒絕原因 RefusedInvoicing=開具拒絕單 -NoInvoiceRefused=拒絕不收 -InvoiceRefused=Invoice refused (Charge the rejection to customer) -StatusDebitCredit=Status debit/credit +NoInvoiceRefused=此拒絕不收費 +InvoiceRefused=發票被拒絕(向客戶收取拒絕費用) +StatusDebitCredit=借項/貸項狀況 StatusWaiting=等候 -StatusTrans=傳播 -StatusCredited=計入 -StatusRefused=拒絕 +StatusTrans=傳送 +StatusCredited=已記入 +StatusRefused=已拒絕 StatusMotif0=未指定 -StatusMotif1=提供insuffisante -StatusMotif2=Tirage conteste -StatusMotif3=No direct debit payment order +StatusMotif1=不充足的資金 +StatusMotif2=請求有爭議 +StatusMotif3=沒有直接轉帳付款訂單 StatusMotif4=銷售訂單 -StatusMotif5=肋inexploitable -StatusMotif6=帳戶無余額 +StatusMotif5=無法使用RIB +StatusMotif6=帳戶沒有餘額 StatusMotif7=司法判決 StatusMotif8=其他原因 -CreateForSepaFRST=Create direct debit file (SEPA FRST) -CreateForSepaRCUR=Create direct debit file (SEPA RCUR) -CreateAll=Create direct debit file (all) +CreateForSepaFRST=建立直接轉帳付款檔案(SEPA FRST) +CreateForSepaRCUR=建立直接轉帳付款檔案(SEPA RCUR) +CreateAll=建立直接轉帳付款檔案(全部) CreateGuichet=只有辦公室 CreateBanque=只有銀行 -OrderWaiting=等待治療 -NotifyTransmision=提款傳輸 -NotifyCredit=提款信用 -NumeroNationalEmetter=國家發射數 -WithBankUsingRIB=有關銀行賬戶,使用肋 -WithBankUsingBANBIC=使用的IBAN / BIC / SWIFT的銀行帳戶 -BankToReceiveWithdraw=Receiving Bank Account +OrderWaiting=等待處理 +NotifyTransmision=提款轉帳 +NotifyCredit=提款額度 +NumeroNationalEmetter=國際轉帳編號 +WithBankUsingRIB=用於RIB的銀行帳戶 +WithBankUsingBANBIC=用於IBAN / BIC / SWIFT的銀行帳戶 +BankToReceiveWithdraw=收款銀行帳戶 CreditDate=信貸 -WithdrawalFileNotCapable=Unable to generate withdrawal receipt file for your country %s (Your country is not supported) -ShowWithdraw=Show Direct Debit Order -IfInvoiceNeedOnWithdrawPaymentWontBeClosed=However, if invoice has at least one direct debit payment order not yet processed, it won't be set as paid to allow prior withdrawal management. -DoStandingOrdersBeforePayments=This tab allows you to request a direct debit payment order. Once done, go into menu Bank->Direct Debit orders to manage the direct debit payment order. When payment order is closed, payment on invoice will be automatically recorded, and invoice closed if remainder to pay is null. -WithdrawalFile=Withdrawal file -SetToStatusSent=Set to status "File Sent" -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 +WithdrawalFileNotCapable=無法為您的國家/地區產生提款收據檔案%s(不支援您的國家/地區) +ShowWithdraw=顯示直接轉帳付款訂單 +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=但是,如果發票中至少有一個直接轉帳付款訂單尚未處理,則不會將其設定為已付款以允許事先提款管理。 +DoStandingOrdersBeforePayments=此分頁可讓您請求直接轉帳付款訂單。完成後,進入選單銀行->直接轉帳訂單以管理直接轉帳付款訂單。關閉付款訂單後,將自動記錄發票付款,如果剩餘付款為空,則關閉發票。 +WithdrawalFile=提款檔案 +SetToStatusSent=設定狀態為“檔案已傳送” +ThisWillAlsoAddPaymentOnInvoice=這將記錄對發票的付款,如果剩餘應付款為空,則將其分類為“已付款” +StatisticsByLineStatus=依照行狀態統計 RUM=UMR -DateRUM=Mandate signature date -RUMLong=Unique Mandate Reference -RUMWillBeGenerated=If empty, a UMR (Unique Mandate Reference) will be generated once the bank account information is saved. -WithdrawMode=Direct debit mode (FRST or RECUR) -WithdrawRequestAmount=Amount of Direct debit request: -WithdrawRequestErrorNilAmount=Unable to create direct debit request for empty amount. -SepaMandate=SEPA Direct Debit Mandate -SepaMandateShort=SEPA Mandate -PleaseReturnMandate=Please return this mandate form by email to %s or by mail to -SEPALegalText=By signing this mandate form, you authorize (A) %s to send instructions to your bank to debit your account and (B) your bank to debit your account in accordance with the instructions from %s. As part of your rights, you are entitled to a refund from your bank under the terms and conditions of your agreement with your bank. A refund must be claimed within 8 weeks starting from the date on which your account was debited. Your rights regarding the above mandate are explained in a statement that you can obtain from your bank. -CreditorIdentifier=Creditor Identifier -CreditorName=Creditor Name -SEPAFillForm=(B) Please complete all the fields marked * -SEPAFormYourName=Your name -SEPAFormYourBAN=Your Bank Account Name (IBAN) -SEPAFormYourBIC=Your Bank Identifier Code (BIC) -SEPAFrstOrRecur=Type of payment -ModeRECUR=Recurring payment -ModeFRST=One-off payment -PleaseCheckOne=Please check one only -DirectDebitOrderCreated=Direct debit order %s created -AmountRequested=Amount requested +DateRUM=委託簽名日期 +RUMLong=唯一授權參考 +RUMWillBeGenerated=如果為空,則在保存銀行帳戶資訊後將產生UMR(唯一授權參考)。 +WithdrawMode=直接轉帳付款模式 (FRST or RECUR) +WithdrawRequestAmount=直接轉帳付款請求金額: +WithdrawRequestErrorNilAmount=無法為空金額建立直接轉帳付款請求。 +SepaMandate=SEPA直接轉帳付款授權 +SepaMandateShort=SEPA授權 +PleaseReturnMandate=請以電子郵件將本授權書退回至%s或郵寄至 +SEPALegalText=通過簽署此授權書,您授權(A)%s向您的銀行發送指示以從您的帳戶中扣款,並(B)您的銀行根據%s的指示向您的帳戶直接轉帳。作為您權利的一部分,您有權根據與銀行達成的協議的條款和條件從銀行退款。必須從您的帳戶扣除之日起8週內要求退款。您可以從銀行獲得的聲明中了解您對上述授權的權利。 +CreditorIdentifier=債權人識別碼 +CreditorName=債權人名稱 +SEPAFillForm=(B)請填寫所有標有*的欄位 +SEPAFormYourName=您的名字 +SEPAFormYourBAN=您的銀行帳戶名稱(IBAN) +SEPAFormYourBIC=您的銀行識別碼(BIC) +SEPAFrstOrRecur=付款方式 +ModeRECUR=定期付款 +ModeFRST=一次性付款 +PleaseCheckOne=請只確認一個 +DirectDebitOrderCreated=已建立直接轉帳付款訂單%s +AmountRequested=要求的金額 SEPARCUR=SEPA CUR SEPAFRST=SEPA FRST -ExecutionDate=Execution date -CreateForSepa=Create direct debit file -ICS=Creditor Identifier CI -END_TO_END="EndToEndId" SEPA XML tag - Unique id assigned per transaction -USTRD="Unstructured" SEPA XML tag -ADDDAYS=Add days to Execution Date +ExecutionDate=執行日期 +CreateForSepa=建立直接轉帳付款檔案 +ICS=債權人識別碼 +END_TO_END="EndToEndId" SEPA XML標籤- 每筆交易分配的唯一ID +USTRD="Unstructured" SEPA XML標籤 +ADDDAYS=將天數加到執行日期 ### Notifications -InfoCreditSubject=Payment of direct debit payment order %s by the bank -InfoCreditMessage=The direct debit payment order %s has been paid by the bank
Data of payment: %s -InfoTransSubject=Transmission of direct debit payment order %s to bank -InfoTransMessage=The direct debit payment order %s has been sent to bank by %s %s.

-InfoTransData=金額:%s
metode:%s
日期:%s -InfoRejectSubject=Direct debit payment order refused -InfoRejectMessage=Hello,

the direct debit payment order of invoice %s related to the company %s, with an amount of %s has been refused by the bank.

--
%s -ModeWarning=實模式下的選項沒有設置,我們停止後,這個模擬 +InfoCreditSubject=銀行支付直接轉帳付款訂單%s +InfoCreditMessage=直接轉帳付款訂單%s已由銀行
支付。付款資料:%s +InfoTransSubject=將直接轉帳付款訂單%s傳輸到銀行 +InfoTransMessage=直接轉帳付款訂單%s已由%s %s傳送到銀行。

+InfoTransData=金額:%s
方式:%s
日期:%s +InfoRejectSubject=直接轉帳付款訂單已被拒絕 +InfoRejectMessage=您好,

銀行拒絕了與公司%s相關的發票%s的直接轉帳付款訂單 。%s的金額已被銀行拒絕

--
%s +ModeWarning=未設定實際模式選項,我們將在此模擬後停止 From fc63d7366d0b9b9b5437e9573b78d9bb532de31a Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Mon, 27 Jan 2020 22:22:59 +0100 Subject: [PATCH 7/9] FIX Mandatory fields must stay mandatory if create/update submit fails --- htdocs/core/lib/functions.lib.php | 10 +++++++--- 1 file changed, 7 insertions(+), 3 deletions(-) diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index 2e86e88460d..60b19fed58f 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -7417,7 +7417,7 @@ function printCommonFooter($zone = 'private') if (constant('DOL_URL_ROOT')) $relativepathstring = preg_replace('/^'.preg_quote(constant('DOL_URL_ROOT'), '/').'/', '', $relativepathstring); $relativepathstring = preg_replace('/^\//', '', $relativepathstring); $relativepathstring = preg_replace('/^custom\//', '', $relativepathstring); - $tmpqueryarraywehave = explode('&', dol_string_nohtmltag($_SERVER['QUERY_STRING'])); + //$tmpqueryarraywehave = explode('&', dol_string_nohtmltag($_SERVER['QUERY_STRING'])); if (!empty($user->default_values[$relativepathstring]['focus'])) { foreach ($user->default_values[$relativepathstring]['focus'] as $defkey => $defval) @@ -7429,7 +7429,9 @@ function printCommonFooter($zone = 'private') $foundintru = 0; foreach ($tmpqueryarraytohave as $tmpquerytohave) { - if (!in_array($tmpquerytohave, $tmpqueryarraywehave)) $foundintru = 1; + $tmpquerytohaveparam = explode('=', $tmpquerytohave); + //print "console.log('".$tmpquerytohaveparam[0]." ".$tmpquerytohaveparam[1]." ".GETPOST($tmpquerytohaveparam[0])."');"; + if (!GETPOSTISSET($tmpquerytohaveparam[0]) || ($tmpquerytohaveparam[1] != GETPOST($tmpquerytohaveparam[0]))) $foundintru = 1; } if (!$foundintru) $qualified = 1; //var_dump($defkey.'-'.$qualified); @@ -7459,7 +7461,9 @@ function printCommonFooter($zone = 'private') $foundintru = 0; foreach ($tmpqueryarraytohave as $tmpquerytohave) { - if (!in_array($tmpquerytohave, $tmpqueryarraywehave)) $foundintru = 1; + $tmpquerytohaveparam = explode('=', $tmpquerytohave); + //print "console.log('".$tmpquerytohaveparam[0]." ".$tmpquerytohaveparam[1]." ".GETPOST($tmpquerytohaveparam[0])."');"; + if (!GETPOSTISSET($tmpquerytohaveparam[0]) || ($tmpquerytohaveparam[1] != GETPOST($tmpquerytohaveparam[0]))) $foundintru = 1; } if (!$foundintru) $qualified = 1; //var_dump($defkey.'-'.$qualified); From c2c80bf40f38392406ef2f9f1d836c9ee1c987d3 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 28 Jan 2020 02:21:39 +0100 Subject: [PATCH 8/9] Fix Look and feel v11 --- htdocs/admin/defaultvalues.php | 4 +- htdocs/admin/expedition.php | 6 +-- htdocs/admin/translation.php | 4 +- htdocs/core/lib/sendings.lib.php | 49 ++++++++++++++---- htdocs/expedition/contact.php | 2 +- htdocs/livraison/card.php | 59 ++-------------------- htdocs/livraison/class/livraison.class.php | 47 +++++++---------- htdocs/theme/eldy/global.inc.php | 9 +++- 8 files changed, 74 insertions(+), 106 deletions(-) diff --git a/htdocs/admin/defaultvalues.php b/htdocs/admin/defaultvalues.php index 8ddd453b458..29043720dee 100644 --- a/htdocs/admin/defaultvalues.php +++ b/htdocs/admin/defaultvalues.php @@ -193,14 +193,14 @@ $enabledisablehtml .= $langs->trans("EnableDefaultValues").' '; if (empty($conf->global->MAIN_ENABLE_DEFAULT_VALUES)) { // Button off, click to enable - $enabledisablehtml .= ''; + $enabledisablehtml .= ''; $enabledisablehtml .= img_picto($langs->trans("Disabled"), 'switch_off'); $enabledisablehtml .= ''; } else { // Button on, click to disable - $enabledisablehtml .= ''; + $enabledisablehtml .= ''; $enabledisablehtml .= img_picto($langs->trans("Activated"), 'switch_on'); $enabledisablehtml .= ''; } diff --git a/htdocs/admin/expedition.php b/htdocs/admin/expedition.php index 58808c00410..d76f77dd018 100644 --- a/htdocs/admin/expedition.php +++ b/htdocs/admin/expedition.php @@ -201,7 +201,7 @@ dol_fiche_head($head, 'shipment', $langs->trans("Sendings"), -1, 'sending'); // Shipment numbering model -print load_fiche_titre($langs->trans("SendingsNumberingModules")); +print load_fiche_titre($langs->trans("SendingsNumberingModules"), '', ''); print ''; print ''; @@ -304,7 +304,7 @@ print '

'; /* * Documents models for Sendings Receipt */ -print load_fiche_titre($langs->trans("SendingsReceiptModel")); +print load_fiche_titre($langs->trans("SendingsReceiptModel"), '', ''); // Defini tableau def de modele invoice $type="shipping"; @@ -463,7 +463,7 @@ print '
'; * Other options * */ -print load_fiche_titre($langs->trans("OtherOptions")); +print load_fiche_titre($langs->trans("OtherOptions"), '', ''); print '
'; print ''; diff --git a/htdocs/admin/translation.php b/htdocs/admin/translation.php index c3b38ca7a45..5e98d7c5503 100644 --- a/htdocs/admin/translation.php +++ b/htdocs/admin/translation.php @@ -208,14 +208,14 @@ $enabledisablehtml .= $langs->trans("EnableOverwriteTranslation").' '; if (empty($conf->global->MAIN_ENABLE_OVERWRITE_TRANSLATION)) { // Button off, click to enable - $enabledisablehtml .= ''; + $enabledisablehtml .= ''; $enabledisablehtml .= img_picto($langs->trans("Disabled"), 'switch_off'); $enabledisablehtml .= ''; } else { // Button on, click to disable - $enabledisablehtml .= ''; + $enabledisablehtml .= ''; $enabledisablehtml .= img_picto($langs->trans("Activated"), 'switch_on'); $enabledisablehtml .= ''; } diff --git a/htdocs/core/lib/sendings.lib.php b/htdocs/core/lib/sendings.lib.php index 79446183685..7f8de19e2e5 100644 --- a/htdocs/core/lib/sendings.lib.php +++ b/htdocs/core/lib/sendings.lib.php @@ -119,7 +119,7 @@ function shipping_prepare_head($object) */ function delivery_prepare_head($object) { - global $langs, $conf, $user; + global $langs, $db, $conf, $user; // Load translation files required by the page $langs->loadLangs(array("sendings","deliveries")); @@ -140,29 +140,56 @@ function delivery_prepare_head($object) $head[$h][2] = 'delivery'; $h++; - $head[$h][0] = DOL_URL_ROOT."/expedition/contact.php?id=".$object->origin_id; + // Show more tabs from modules + // Entries must be declared in modules descriptor with line + // $this->tabs = array('entity:+tabname:Title:@mymodule:/mymodule/mypage.php?id=__ID__'); to add new tab + // $this->tabs = array('entity:-tabname); to remove a tab + // complete_head_from_modules use $object->id for this link so we temporary change it + + $savObjectId = $object->id; + + // Get parent object + $tmpobject = null; + if ($object->origin) { + $tmpobject = new Expedition($db); + $tmpobject->fetch($object->origin_id); + } else { + $tmpobject = $object; + } + + $head[$h][0] = DOL_URL_ROOT."/expedition/contact.php?id=".$tmpobject->id; $head[$h][1] = $langs->trans("ContactsAddresses"); $head[$h][2] = 'contact'; $h++; - $head[$h][0] = DOL_URL_ROOT."/expedition/note.php?id=".$object->origin_id; + + require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php'; + require_once DOL_DOCUMENT_ROOT.'/core/class/link.class.php'; + $upload_dir = $conf->commande->dir_output . "/" . dol_sanitizeFileName($tmpobject->ref); + $nbFiles = count(dol_dir_list($upload_dir, 'files', 0, '', '(\.meta|_preview.*\.png)$')); + $nbLinks=Link::count($db, $tmpobject->element, $tmpobject->id); + $head[$h][0] = DOL_URL_ROOT.'/expedition/document.php?id='.$tmpobject->id; + $head[$h][1] = $langs->trans('Documents'); + if (($nbFiles+$nbLinks) > 0) $head[$h][1].= ''.($nbFiles+$nbLinks).''; + $head[$h][2] = 'documents'; + $h++; + + $nbNote = 0; + if (!empty($tmpobject->note_private)) $nbNote++; + if (!empty($tmpobject->note_public)) $nbNote++; + $head[$h][0] = DOL_URL_ROOT."/expedition/note.php?id=".$tmpobject->id; $head[$h][1] = $langs->trans("Notes"); + if ($nbNote > 0) $head[$h][1].= ''.$nbNote.''; $head[$h][2] = 'note'; $h++; - // Show more tabs from modules - // Entries must be declared in modules descriptor with line - // $this->tabs = array('entity:+tabname:Title:@mymodule:/mymodule/mypage.php?id=__ID__'); to add new tab - // $this->tabs = array('entity:-tabname); to remove a tab - // complete_head_from_modules use $object->id for this link so we temporary change it - $tmpObjectId = $object->id; - $object->id = $object->origin_id; + $object->id = $tmpobject->id; complete_head_from_modules($conf, $langs, $object, $head, $h, 'delivery'); complete_head_from_modules($conf, $langs, $object, $head, $h, 'delivery', 'remove'); - $object->id = $tmpObjectId; + $object->id = $savObjectId; return $head; } diff --git a/htdocs/expedition/contact.php b/htdocs/expedition/contact.php index 478d4287a82..146f4b54962 100644 --- a/htdocs/expedition/contact.php +++ b/htdocs/expedition/contact.php @@ -211,7 +211,7 @@ if ($id > 0 || !empty($ref)) //print '
'; print '
'; - print ''; + print '
'; // Linked documents if ($typeobject == 'commande' && $object->$typeobject->id && !empty($conf->commande->enabled)) diff --git a/htdocs/livraison/card.php b/htdocs/livraison/card.php index 5717eecf83a..b879f3d740f 100644 --- a/htdocs/livraison/card.php +++ b/htdocs/livraison/card.php @@ -24,7 +24,7 @@ /** * \file htdocs/livraison/card.php * \ingroup livraison - * \brief Fiche descriptive d'un bon de livraison=reception + * \brief Page to describe a delivery receipt */ require '../main.inc.php'; @@ -247,50 +247,9 @@ $upload_dir = $conf->expedition->dir_output.'/receipt'; $permissiontoadd = $user->rights->expedition->creer; include DOL_DOCUMENT_ROOT.'/core/actions_builddoc.inc.php'; - -/* - * Build document - */ -/* -if ($action == 'builddoc') // En get ou en post -{ - // Save last template used to generate document - if (GETPOST('model')) $object->setDocModel($user, GETPOST('model','alpha')); - - // Define output language - $outputlangs = $langs; - $newlang=''; - if ($conf->global->MAIN_MULTILANGS && empty($newlang) && GETPOST('lang_id','aZ09')) $newlang=GETPOST('lang_id','aZ09'); - if ($conf->global->MAIN_MULTILANGS && empty($newlang)) $newlang=$object->thirdparty->default_lang; - if (! empty($newlang)) - { - $outputlangs = new Translate("",$conf); - $outputlangs->setDefaultLang($newlang); - } - $ret=$object->fetch($id); // Reload to get new records - $result= $object->generateDocument($object->modelpdf, $outputlangs); - if ($result < 0) - { - setEventMessages($object->error, $object->errors, 'errors'); - $action=''; - } -} - -// Delete file in doc form -elseif ($action == 'remove_file') -{ - require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php'; - - $upload_dir = $conf->expedition->dir_output . "/receipt"; - $file = $upload_dir . '/' . GETPOST('file'); - $ret=dol_delete_file($file,0,0,0,$object); - if ($ret) setEventMessages($langs->trans("FileWasRemoved", GETPOST('urlfile')), null, 'mesgs'); - else setEventMessages($langs->trans("ErrorFailToDeleteFile", GETPOST('urlfile')), null, 'errors'); -} -*/ - include DOL_DOCUMENT_ROOT.'/core/actions_printing.inc.php'; + /* * View */ @@ -300,20 +259,10 @@ llxHeader('', $langs->trans('Delivery'), 'Livraison'); $form = new Form($db); $formfile = new FormFile($db); -/********************************************************************* - * - * Mode creation - * - *********************************************************************/ -if ($action == 'create') // Seems to no be used +if ($action == 'create') // Create. Seems to no be used { } -else -/* *************************************************************************** */ -/* */ -/* Mode vue et edition */ -/* */ -/* *************************************************************************** */ +else // View { if ($object->id > 0) { diff --git a/htdocs/livraison/class/livraison.class.php b/htdocs/livraison/class/livraison.class.php index e28f2e7324f..c8a3275dced 100644 --- a/htdocs/livraison/class/livraison.class.php +++ b/htdocs/livraison/class/livraison.class.php @@ -838,8 +838,8 @@ class Livraison extends CommonObject /** * Renvoi le libelle d'un statut donne * - * @param int $status Id status - * @param int $mode 0=libelle long, 1=libelle court, 2=Picto + Libelle court, 3=Picto, 4=Picto + Libelle long, 5=Libelle court + Picto + * @param int $status Id status + * @param int $mode 0=long label, 1=short label, 2=Picto + short label, 3=Picto, 4=Picto + long label, 5=Short label + Picto, 6=Long label + Picto * @return string Label */ public function LibStatut($status, $mode) @@ -847,36 +847,23 @@ class Livraison extends CommonObject // phpcs:enable global $langs; - if ($mode==0) + if (empty($this->labelStatus) || empty($this->labelStatusShort)) { - if ($status==-1) return $langs->trans('StatusDeliveryCanceled'); - elseif ($status==0) return $langs->trans('StatusDeliveryDraft'); - elseif ($status==1) return $langs->trans('StatusDeliveryValidated'); - } - elseif ($mode==1) - { - if ($status==-1) return $langs->trans($this->statuts[$status]); - elseif ($status==0) return $langs->trans($this->statuts[$status]); - elseif ($status==1) return $langs->trans($this->statuts[$status]); - } - elseif ($mode == 3) - { - if ($status==-1) return img_picto($langs->trans('StatusDeliveryCanceled'), 'statut5'); - if ($status==0) return img_picto($langs->trans('StatusDeliveryDraft'), 'statut0'); - if ($status==1) return img_picto($langs->trans('StatusDeliveryValidated'), 'statut4'); - } - elseif ($mode == 4) - { - if ($status==-1) return img_picto($langs->trans('StatusDeliveryCanceled'), 'statut5').' '.$langs->trans('StatusDeliveryCanceled'); - elseif ($status==0) return img_picto($langs->trans('StatusDeliveryDraft'), 'statut0').' '.$langs->trans('StatusDeliveryDraft'); - elseif ($status==1) return img_picto($langs->trans('StatusDeliveryValidated'), 'statut4').' '.$langs->trans('StatusDeliveryValidated'); - } - elseif ($mode == 6) - { - if ($status==-1) return $langs->trans('StatusDeliveryCanceled').' '.img_picto($langs->trans('StatusDeliveryCanceled'), 'statut5'); - elseif ($status==0) return $langs->trans('StatusDeliveryDraft').' '.img_picto($langs->trans('StatusDeliveryDraft'), 'statut0'); - elseif ($status==1) return $langs->trans('StatusDeliveryValidated').' '.img_picto($langs->trans('StatusDeliveryValidated'), 'statut4'); + global $langs; + //$langs->load("mymodule"); + $this->labelStatus[-1] = $langs->trans('StatusDeliveryCanceled'); + $this->labelStatus[0] = $langs->trans('StatusDeliveryDraft'); + $this->labelStatus[1] = $langs->trans('StatusDeliveryValidated'); + $this->labelStatusShort[-1] = $langs->trans('StatusDeliveryCanceled'); + $this->labelStatusShort[0] = $langs->trans('StatusDeliveryDraft'); + $this->labelStatusShort[1] = $langs->trans('StatusDeliveryValidated'); } + + $statusType = 'status0'; + if ($status == -1) $statusType = 'status5'; + if ($status == 1) $statusType = 'status4'; + + return dolGetStatus($this->labelStatus[$status], $this->labelStatusShort[$status], '', $statusType, $mode); } diff --git a/htdocs/theme/eldy/global.inc.php b/htdocs/theme/eldy/global.inc.php index fe42bcfc995..c6386ba7ea2 100644 --- a/htdocs/theme/eldy/global.inc.php +++ b/htdocs/theme/eldy/global.inc.php @@ -2377,9 +2377,14 @@ div.tabs { div.tabsElem { margin-top: 1px; } /* To avoid overlap of tabs when not browser */ -div.tabsElem a { - /* font-weight: normal !important; */ +/* +div.tabsElem a.tabactive::before, div.tabsElem a.tabunactive::before { + content: "\f0da"; + font-family: "Font Awesome 5 Free"; + padding-right: 2px; + font-weight: 900; } +*/ div.tabBar { color: #; padding-top: 16px; From f64ad71924759ffba09a077024979d440df664a0 Mon Sep 17 00:00:00 2001 From: Laurent Destailleur Date: Tue, 28 Jan 2020 02:50:11 +0100 Subject: [PATCH 9/9] Missing country code --- htdocs/core/lib/functions.lib.php | 3 ++- 1 file changed, 2 insertions(+), 1 deletion(-) diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index 60b19fed58f..e4a200fceff 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -5946,7 +5946,8 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, '__MYCOMPANY_TOWN__' => $mysoc->town, '__MYCOMPANY_COUNTRY__' => $mysoc->country, '__MYCOMPANY_COUNTRY_ID__' => $mysoc->country_id, - '__MYCOMPANY_CURRENCY_CODE__' => $conf->currency + '__MYCOMPANY_COUNTRY_CODE__' => $mysoc->country_code, + '__MYCOMPANY_CURRENCY_CODE__' => $conf->currency )); }