diff --git a/htdocs/adherents/admin/member.php b/htdocs/adherents/admin/member.php index 32476f137a8..fa2062be7c1 100644 --- a/htdocs/adherents/admin/member.php +++ b/htdocs/adherents/admin/member.php @@ -105,6 +105,7 @@ if ($action == 'set_default') { $res1 = dolibarr_set_const($db, 'ADHERENT_LOGIN_NOT_REQUIRED', GETPOST('ADHERENT_LOGIN_NOT_REQUIRED', 'alpha') ? 0 : 1, 'chaine', 0, '', $conf->entity); $res2 = dolibarr_set_const($db, 'ADHERENT_MAIL_REQUIRED', GETPOST('ADHERENT_MAIL_REQUIRED', 'alpha'), 'chaine', 0, '', $conf->entity); $res3 = dolibarr_set_const($db, 'ADHERENT_DEFAULT_SENDINFOBYMAIL', GETPOST('ADHERENT_DEFAULT_SENDINFOBYMAIL', 'alpha'), 'chaine', 0, '', $conf->entity); + $res3 = dolibarr_set_const($db, 'ADHERENT_CREATE_EXTERNAL_USER_LOGIN', GETPOST('ADHERENT_CREATE_EXTERNAL_USER_LOGIN', 'alpha'), 'chaine', 0, '', $conf->entity); $res4 = dolibarr_set_const($db, 'ADHERENT_BANK_USE', GETPOST('ADHERENT_BANK_USE', 'alpha'), 'chaine', 0, '', $conf->entity); // Use vat for invoice creation if ($conf->facture->enabled) { @@ -217,6 +218,11 @@ print ''.$langs->trans("MemberSendInformationByMailByDef print $form->selectyesno('ADHERENT_DEFAULT_SENDINFOBYMAIL', (!empty($conf->global->ADHERENT_DEFAULT_SENDINFOBYMAIL) ? $conf->global->ADHERENT_DEFAULT_SENDINFOBYMAIL : 0), 1); print "\n"; +// Create an external user login for each new member subscription validated +print ''.$langs->trans("MemberCreateAnExternalUserForSubscriptionValidated").''; +print $form->selectyesno('ADHERENT_CREATE_EXTERNAL_USER_LOGIN', (!empty($conf->global->ADHERENT_CREATE_EXTERNAL_USER_LOGIN) ? $conf->global->ADHERENT_CREATE_EXTERNAL_USER_LOGIN : 0), 1); +print "\n"; + // Insert subscription into bank account print ''.$langs->trans("MoreActionsOnSubscription").''; $arraychoices = array('0'=>$langs->trans("None")); diff --git a/htdocs/adherents/card.php b/htdocs/adherents/card.php index 93a0761183b..1bf575aeb8a 100644 --- a/htdocs/adherents/card.php +++ b/htdocs/adherents/card.php @@ -284,6 +284,7 @@ if (empty($reshook)) { $object->phone_perso = trim(GETPOST("phone_perso", 'alpha')); $object->phone_mobile = trim(GETPOST("phone_mobile", 'alpha')); $object->email = preg_replace('/\s+/', '', GETPOST("member_email", 'alpha')); + $object->url = trim(GETPOST('member_url', 'custom', 0, FILTER_SANITIZE_URL)); $object->socialnetworks = array(); foreach ($socialnetworks as $key => $value) { if (GETPOSTISSET($key) && GETPOST($key, 'alphanohtml') != '') { @@ -431,6 +432,7 @@ if (empty($reshook)) { // $facebook=GETPOST("member_facebook", 'alpha'); // $linkedin=GETPOST("member_linkedin", 'alpha'); $email = preg_replace('/\s+/', '', GETPOST("member_email", 'alpha')); + $url = trim(GETPOST('url', 'custom', 0, FILTER_SANITIZE_URL)); $login = GETPOST("member_login", 'alphanohtml'); $pass = GETPOST("password", 'alpha'); $photo = GETPOST("photo", 'alpha'); @@ -469,6 +471,7 @@ if (empty($reshook)) { // $object->linkedin = $linkedin; $object->email = $email; + $object->url = $url; $object->login = $login; $object->pass = $pass; $object->birth = $birthdate; @@ -537,6 +540,10 @@ if (empty($reshook)) { $langs->load("errors"); setEventMessages($langs->trans("ErrorBadEMail", $email), null, 'errors'); } + if (!empty($object->url) && !isValidUrl($object->url)) { + $langs->load("errors"); + setEventMessages('', $langs->trans("ErrorBadUrl", $object->url), 'errors'); + } $public = 0; if (isset($public)) { $public = 1; @@ -1028,6 +1035,10 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($action)) { print ''.($conf->global->ADHERENT_MAIL_REQUIRED ? '' : '').$langs->trans("EMail").($conf->global->ADHERENT_MAIL_REQUIRED ? '' : '').''; print ''.img_picto('', 'object_email').' '; + // Website + print ''.$form->editfieldkey('Web', 'member_url', '', $object, 0).''; + print ''.img_picto('', 'globe').' '; + // Address print ''.$langs->trans("Address").''; print ''; @@ -1272,6 +1283,10 @@ if (is_object($objcanvas) && $objcanvas->displayCanvasExists($action)) { print ''.($conf->global->ADHERENT_MAIL_REQUIRED ? '' : '').$langs->trans("EMail").($conf->global->ADHERENT_MAIL_REQUIRED ? '' : '').''; print ''.img_picto('', 'object_email').' email).'">'; + // Website + print ''.$form->editfieldkey('Web', 'member_url', GETPOST('member_url', 'alpha'), $object, 0).''; + print ''.img_picto('', 'globe').' '; + // Address print ''.$langs->trans("Address").''; print ''; diff --git a/htdocs/adherents/class/adherent.class.php b/htdocs/adherents/class/adherent.class.php index 80d14ee9ceb..a663cea85d2 100644 --- a/htdocs/adherents/class/adherent.class.php +++ b/htdocs/adherents/class/adherent.class.php @@ -140,6 +140,11 @@ class Adherent extends CommonObject */ public $email; + /** + * @var string url + */ + public $url; + /** * @var array array of socialnetworks */ @@ -307,6 +312,7 @@ class Adherent extends CommonObject 'state_id' => array('type' => 'integer', 'label' => 'State id', 'enabled' => 1, 'visible' => -1, 'position' => 90), 'country' => array('type' => 'integer:Ccountry:core/class/ccountry.class.php', 'label' => 'Country', 'enabled' => 1, 'visible' => -1, 'position' => 95), 'email' => array('type' => 'varchar(255)', 'label' => 'Email', 'enabled' => 1, 'visible' => -1, 'position' => 100), + 'url' =>array('type'=>'varchar(255)', 'label'=>'Url', 'enabled'=>1, 'visible'=>-1, 'position'=>110), 'socialnetworks' => array('type' => 'text', 'label' => 'Socialnetworks', 'enabled' => 1, 'visible' => -1, 'position' => 105), 'phone' => array('type' => 'varchar(30)', 'label' => 'Phone', 'enabled' => 1, 'visible' => -1, 'position' => 115), 'phone_perso' => array('type' => 'varchar(30)', 'label' => 'Phone perso', 'enabled' => 1, 'visible' => -1, 'position' => 120), @@ -661,6 +667,7 @@ class Adherent extends CommonObject $this->setUpperOrLowerCase(); $this->note_public = ($this->note_public ? $this->note_public : $this->note_public); $this->note_private = ($this->note_private ? $this->note_private : $this->note_private); + $this->url = $this->url ?clean_url($this->url, 0) : ''; // Check parameters if (!empty($conf->global->ADHERENT_MAIL_REQUIRED) && !isValidEMail($this->email)) { @@ -686,6 +693,7 @@ class Adherent extends CommonObject $sql .= ", country = ".($this->country_id > 0 ? $this->db->escape($this->country_id) : "null"); $sql .= ", state_id = ".($this->state_id > 0 ? $this->db->escape($this->state_id) : "null"); $sql .= ", email = '".$this->db->escape($this->email)."'"; + $sql .= ", url = ".(!empty($this->url) ? "'".$this->db->escape($this->url)."'" : "null"); $sql .= ", socialnetworks = '".$this->db->escape(json_encode($this->socialnetworks))."'"; $sql .= ", phone = ".($this->phone ? "'".$this->db->escape($this->phone)."'" : "null"); $sql .= ", phone_perso = ".($this->phone_perso ? "'".$this->db->escape($this->phone_perso)."'" : "null"); @@ -1298,7 +1306,7 @@ class Adherent extends CommonObject $sql = "SELECT d.rowid, d.ref, d.ref_ext, d.civility as civility_code, d.gender, d.firstname, d.lastname,"; $sql .= " d.societe as company, d.fk_soc, d.statut, d.public, d.address, d.zip, d.town, d.note_private,"; $sql .= " d.note_public,"; - $sql .= " d.email, d.socialnetworks, d.phone, d.phone_perso, d.phone_mobile, d.login, d.pass, d.pass_crypted,"; + $sql .= " d.email, d.url, d.socialnetworks, d.phone, d.phone_perso, d.phone_mobile, d.login, d.pass, d.pass_crypted,"; $sql .= " d.photo, d.fk_adherent_type, d.morphy, d.entity,"; $sql .= " d.datec as datec,"; $sql .= " d.tms as datem,"; @@ -1377,6 +1385,7 @@ class Adherent extends CommonObject $this->phone_perso = $obj->phone_perso; $this->phone_mobile = $obj->phone_mobile; $this->email = $obj->email; + $this->url = $obj->url; $this->socialnetworks = (array) json_decode($obj->socialnetworks, true); diff --git a/htdocs/adherents/list.php b/htdocs/adherents/list.php index 775c0d25c81..1ec9d498b9d 100644 --- a/htdocs/adherents/list.php +++ b/htdocs/adherents/list.php @@ -247,6 +247,42 @@ if (empty($reshook)) { } } + // Create external user + if ($massaction == 'createexternaluser' && $user->rights->adherent->creer && $user->rights->user->user->creer) { + $tmpmember = new Adherent($db); + $error = 0; + $nbcreated = 0; + + $db->begin(); + + foreach ($toselect as $idtoclose) { + $tmpmember->fetch($idtoclose); + + if (!empty($tmpmember->fk_soc)) { + $nuser = new User($db); + $tmpuser = dol_clone($tmpmember); + + $result = $nuser->create_from_member($tmpuser, $tmpmember->login); + + if ($result < 0 && !count($tmpmember->errors)) { + setEventMessages($tmpmember->error, $tmpmember->errors, 'errors'); + } else { + if ($result > 0) { + $nbcreated++; + } + } + } + } + + if (!$error) { + setEventMessages($langs->trans("XExternalUserCreated", $nbcreated), null, 'mesgs'); + + $db->commit(); + } else { + $db->rollback(); + } + } + // Mass actions $objectclass = 'Adherent'; $objectlabel = 'Members'; @@ -555,6 +591,9 @@ if ($user->rights->adherent->supprimer) { if ($user->rights->societe->creer) { $arrayofmassactions['preaffecttag'] = img_picto('', 'category', 'class="pictofixedwidth"').$langs->trans("AffectTag"); } +if ($user->rights->adherent->creer && $user->rights->user->user->creer) { + $arrayofmassactions['createexternaluser'] = img_picto('', 'user', 'class="pictofixedwidth"').$langs->trans("CreateExternalUser"); +} if (in_array($massaction, array('presend', 'predelete','preaffecttag'))) { $arrayofmassactions = array(); } diff --git a/htdocs/adherents/partnership.php b/htdocs/adherents/partnership.php new file mode 100644 index 00000000000..3cd70de3228 --- /dev/null +++ b/htdocs/adherents/partnership.php @@ -0,0 +1,558 @@ + + * Copyright (C) 2021 NextGestion + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +/** + * \file partnership_card.php + * \ingroup partnership + * \brief Page to create/edit/view partnership + */ + +//if (! defined('NOREQUIREDB')) define('NOREQUIREDB', '1'); // Do not create database handler $db +//if (! defined('NOREQUIREUSER')) define('NOREQUIREUSER', '1'); // Do not load object $user +//if (! defined('NOREQUIRESOC')) define('NOREQUIRESOC', '1'); // Do not load object $mysoc +//if (! defined('NOREQUIRETRAN')) define('NOREQUIRETRAN', '1'); // Do not load object $langs +//if (! defined('NOSCANGETFORINJECTION')) define('NOSCANGETFORINJECTION', '1'); // Do not check injection attack on GET parameters +//if (! defined('NOSCANPOSTFORINJECTION')) define('NOSCANPOSTFORINJECTION', '1'); // Do not check injection attack on POST parameters +//if (! defined('NOCSRFCHECK')) define('NOCSRFCHECK', '1'); // Do not check CSRF attack (test on referer + on token if option MAIN_SECURITY_CSRF_WITH_TOKEN is on). +//if (! defined('NOTOKENRENEWAL')) define('NOTOKENRENEWAL', '1'); // Do not roll the Anti CSRF token (used if MAIN_SECURITY_CSRF_WITH_TOKEN is on) +//if (! defined('NOSTYLECHECK')) define('NOSTYLECHECK', '1'); // Do not check style html tag into posted data +//if (! defined('NOREQUIREMENU')) define('NOREQUIREMENU', '1'); // If there is no need to load and show top and left menu +//if (! defined('NOREQUIREHTML')) define('NOREQUIREHTML', '1'); // If we don't need to load the html.form.class.php +//if (! defined('NOREQUIREAJAX')) define('NOREQUIREAJAX', '1'); // Do not load ajax.lib.php library +//if (! defined("NOLOGIN")) define("NOLOGIN", '1'); // If this page is public (can be called outside logged session). This include the NOIPCHECK too. +//if (! defined('NOIPCHECK')) define('NOIPCHECK', '1'); // Do not check IP defined into conf $dolibarr_main_restrict_ip +//if (! defined("MAIN_LANG_DEFAULT")) define('MAIN_LANG_DEFAULT', 'auto'); // Force lang to a particular value +//if (! defined("MAIN_AUTHENTICATION_MODE")) define('MAIN_AUTHENTICATION_MODE', 'aloginmodule'); // Force authentication handler +//if (! defined("NOREDIRECTBYMAINTOLOGIN")) define('NOREDIRECTBYMAINTOLOGIN', 1); // The main.inc.php does not make a redirect if not logged, instead show simple error message +//if (! defined("FORCECSP")) define('FORCECSP', 'none'); // Disable all Content Security Policies +//if (! defined('CSRFCHECK_WITH_TOKEN')) define('CSRFCHECK_WITH_TOKEN', '1'); // Force use of CSRF protection with tokens even for GET +//if (! defined('NOBROWSERNOTIF')) define('NOBROWSERNOTIF', '1'); // Disable browser notification + +// Load Dolibarr environment +$res = 0; +// Try main.inc.php into web root known defined into CONTEXT_DOCUMENT_ROOT (not always defined) +if (!$res && !empty($_SERVER["CONTEXT_DOCUMENT_ROOT"])) { + $res = @include $_SERVER["CONTEXT_DOCUMENT_ROOT"]."/main.inc.php"; +} +// Try main.inc.php into web root detected using web root calculated from SCRIPT_FILENAME +$tmp = empty($_SERVER['SCRIPT_FILENAME']) ? '' : $_SERVER['SCRIPT_FILENAME']; $tmp2 = realpath(__FILE__); $i = strlen($tmp) - 1; $j = strlen($tmp2) - 1; +while ($i > 0 && $j > 0 && isset($tmp[$i]) && isset($tmp2[$j]) && $tmp[$i] == $tmp2[$j]) { + $i--; $j--; +} +if (!$res && $i > 0 && file_exists(substr($tmp, 0, ($i + 1))."/main.inc.php")) { + $res = @include substr($tmp, 0, ($i + 1))."/main.inc.php"; +} +if (!$res && $i > 0 && file_exists(dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php")) { + $res = @include dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php"; +} +// Try main.inc.php using relative path +if (!$res && file_exists("../main.inc.php")) { + $res = @include "../main.inc.php"; +} +if (!$res && file_exists("../../main.inc.php")) { + $res = @include "../../main.inc.php"; +} +if (!$res && file_exists("../../../main.inc.php")) { + $res = @include "../../../main.inc.php"; +} +if (!$res) { + die("Include of main fails"); +} + +require_once DOL_DOCUMENT_ROOT.'/core/class/html.formfile.class.php'; +require_once DOL_DOCUMENT_ROOT.'/core/class/html.formprojet.class.php'; +require_once DOL_DOCUMENT_ROOT.'/core/lib/member.lib.php'; +require_once DOL_DOCUMENT_ROOT.'/adherents/class/adherent.class.php'; +require_once DOL_DOCUMENT_ROOT.'/adherents/class/adherent_type.class.php'; +dol_include_once('/partnership/class/partnership.class.php'); +dol_include_once('/partnership/lib/partnership.lib.php'); + +// Load translation files required by the page +$langs->loadLangs(array("companies","members","partnership", "other")); + +// Get parameters +$id = GETPOST('id', 'int'); +$memberid = GETPOST('rowid', 'int'); +$ref = GETPOST('ref', 'alpha'); +$action = GETPOST('action', 'aZ09'); +$confirm = GETPOST('confirm', 'alpha'); +$cancel = GETPOST('cancel', 'aZ09'); +$contextpage = GETPOST('contextpage', 'aZ') ? GETPOST('contextpage', 'aZ') : 'partnershipcard'; // To manage different context of search +$backtopage = GETPOST('backtopage', 'alpha'); +$backtopageforcancel = GETPOST('backtopageforcancel', 'alpha'); +//$lineid = GETPOST('lineid', 'int'); + +$member = new Adherent($db); +if ($memberid > 0) { + $member->fetch($memberid); +} + +// Initialize technical objects +$object = new Partnership($db); +$extrafields = new ExtraFields($db); +$adht = new AdherentType($db); +$diroutputmassaction = $conf->partnership->dir_output.'/temp/massgeneration/'.$user->id; +$hookmanager->initHooks(array('partnershipthirdparty', 'globalcard')); // Note that conf->hooks_modules contains array + +// Fetch optionals attributes and labels +$extrafields->fetch_name_optionals_label($object->table_element); + +$search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); + +// Initialize array of search criterias +$search_all = GETPOST("search_all", 'alpha'); +$search = array(); + +foreach ($object->fields as $key => $val) { + if (GETPOST('search_'.$key, 'alpha')) { + $search[$key] = GETPOST('search_'.$key, 'alpha'); + } +} + +// Load object +include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Must be include, not include_once. + +$permissiontoread = $user->rights->partnership->read; +$permissiontoadd = $user->rights->partnership->write; // Used by the include of actions_addupdatedelete.inc.php and actions_lineupdown.inc.php +$permissiontodelete = $user->rights->partnership->delete || ($permissiontoadd && isset($object->status) && $object->status == $object::STATUS_DRAFT); +$permissionnote = $user->rights->partnership->write; // Used by the include of actions_setnotes.inc.php +$permissiondellink = $user->rights->partnership->write; // Used by the include of actions_dellink.inc.php +$usercanclose = $user->rights->partnership->write; // Used by the include of actions_addupdatedelete.inc.php and actions_lineupdown.inc.php +$upload_dir = $conf->partnership->multidir_output[isset($object->entity) ? $object->entity : 1]; + + +if ($conf->global->PARTNERSHIP_IS_MANAGED_FOR != 'member') accessforbidden(); +if (empty($conf->partnership->enabled)) accessforbidden(); +if (empty($permissiontoread)) accessforbidden(); +if ($action == 'edit' && empty($permissiontoadd)) accessforbidden(); + +$partnershipid = $object->fetch(0, "", $memberid); +if (empty($action) && empty($partnershipid)) { + $action = 'create'; +} +if (($action == 'update' || $action == 'edit') && $object->status != $object::STATUS_DRAFT) accessforbidden(); + +if (empty($memberid) && $object) { + $memberid = $object->fk_member; +} +/* + * Actions + */ + +$parameters = array(); +$reshook = $hookmanager->executeHooks('doActions', $parameters, $object, $action); // Note that $action and $object may have been modified by some hooks +if ($reshook < 0) { + setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); +} + +$date_start = dol_mktime(0, 0, 0, GETPOST('date_partnership_startmonth', 'int'), GETPOST('date_partnership_startday', 'int'), GETPOST('date_partnership_startyear', 'int')); +$date_end = dol_mktime(0, 0, 0, GETPOST('date_partnership_endmonth', 'int'), GETPOST('date_partnership_endday', 'int'), GETPOST('date_partnership_endyear', 'int')); + +if (empty($reshook)) { + $error = 0; + + $backtopage = dol_buildpath('/partnership/partnership.php', 1).'?rowid='.($memberid > 0 ? $memberid : '__ID__'); + + $triggermodname = 'PARTNERSHIP_MODIFY'; // Name of trigger action code to execute when we modify record + + if ($action == 'add' && $permissiontoread) { + $error = 0; + + $db->begin(); + + $now = dol_now(); + + if (!$error) { + $old_start_date = $object->date_partnership_start; + + $object->fk_member = $memberid; + $object->date_partnership_start = (!GETPOST('date_partnership_start')) ? '' : $date_start; + $object->date_partnership_end = (!GETPOST('date_partnership_end')) ? '' : $date_end; + $object->note_public = GETPOST('note_public', 'restricthtml'); + $object->date_creation = $now; + $object->fk_user_creat = $user->id; + $object->entity = $conf->entity; + + // Fill array 'array_options' with data from add form + $ret = $extrafields->setOptionalsFromPost(null, $object); + if ($ret < 0) { + $error++; + } + } + + if (!$error) { + $result = $object->create($user); + if ($result < 0) { + $error++; + if ($result == -4) { + setEventMessages($langs->trans("ErrorRefAlreadyExists"), null, 'errors'); + } else { + setEventMessages($object->error, $object->errors, 'errors'); + } + } + } + + if ($error) { + $db->rollback(); + $action = 'create'; + } else { + $db->commit(); + } + } elseif ($action == 'update' && $permissiontoread) { + $error = 0; + + $db->begin(); + + $now = dol_now(); + + if (!$error) { + $object->oldcopy = clone $object; + + $old_start_date = $object->date_partnership_start; + + $object->date_partnership_start = (!GETPOST('date_partnership_start')) ? '' : $date_start; + $object->date_partnership_end = (!GETPOST('date_partnership_end')) ? '' : $date_end; + $object->note_public = GETPOST('note_public', 'restricthtml'); + $object->fk_user_creat = $user->id; + $object->fk_user_modif = $user->id; + + // Fill array 'array_options' with data from add form + $ret = $extrafields->setOptionalsFromPost(null, $object); + if ($ret < 0) { + $error++; + } + } + + if (!$error) { + $result = $object->update($user); + if ($result < 0) { + $error++; + if ($result == -4) { + setEventMessages($langs->trans("ErrorRefAlreadyExists"), null, 'errors'); + } else { + setEventMessages($object->error, $object->errors, 'errors'); + } + } + } + + if ($error) { + $db->rollback(); + $action = 'edit'; + } else { + $db->commit(); + } + } elseif ($action == 'confirm_close' || $action == 'update_extras') { + include DOL_DOCUMENT_ROOT.'/core/actions_addupdatedelete.inc.php'; + + header("Location: ".$_SERVER['PHP_SELF']."?rowid=".$memberid); + exit; + } + + // Actions when linking object each other + include DOL_DOCUMENT_ROOT.'/core/actions_dellink.inc.php'; +} + +$object->fields['fk_member']['visible'] = 0; +if ($object->id > 0 && $object->status == $object::STATUS_REFUSED && empty($action)) $object->fields['reason_decline_or_cancel']['visible'] = 1; +$object->fields['note_public']['visible'] = 1; + +/* + * View + * + * Put here all code to build page + */ + +$form = new Form($db); +$formfile = new FormFile($db); + +$title = $langs->trans("Partnership"); +llxHeader('', $title); + +$form = new Form($db); + +if ($memberid) { + $langs->load("members"); + + $member = new Adherent($db); + $result = $member->fetch($memberid); + + if (!empty($conf->notification->enabled)) { + $langs->load("mails"); + } + + $adht->fetch($object->typeid); + + $head = member_prepare_head($member); + + print dol_get_fiche_head($head, 'partnership', $langs->trans("ThirdParty"), -1, 'user'); + + $linkback = ''.$langs->trans("BackToList").''; + + dol_banner_tab($member, 'rowid', $linkback); + + print '
'; + + print '
'; + print ''; + + // Login + if (empty($conf->global->ADHERENT_LOGIN_NOT_REQUIRED)) { + print ''; + } + + // Type + print '\n"; + + // Morphy + print ''; + print ''; + + // Company + print ''; + + // Civility + print ''; + print ''; + + print '
'.$langs->trans("Login").' / '.$langs->trans("Id").''.$member->login.' 
'.$langs->trans("Type").''.$adht->getNomUrl(1)."
'.$langs->trans("MemberNature").''.$member->getmorphylib().'
'.$langs->trans("Company").''.$member->company.'
'.$langs->trans("UserTitle").''.$member->getCivilityLabel().' 
'; + + print '
'; + + print dol_get_fiche_end(); + + $params = ''; + + print '
'; +} else { + dol_print_error('', 'Parameter rowid not defined'); +} + +// Part to create +if ($action == 'create') { + print load_fiche_titre($langs->trans("NewObject", $langs->transnoentitiesnoconv("Partnership")), '', ''); + + $backtopageforcancel = DOL_URL_ROOT.'/partnership/partnership.php?rowid='.$memberid; + + print '
'; + print ''; + print ''; + print ''; + print ''; + + if ($backtopage) { + print ''; + } + if ($backtopageforcancel) { + print ''; + } + + print dol_get_fiche_head(array(), ''); + + print ''."\n"; + + // Common attributes + include DOL_DOCUMENT_ROOT.'/core/tpl/commonfields_add.tpl.php'; + + // Other attributes + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_add.tpl.php'; + + print '
'."\n"; + + print dol_get_fiche_end(); + + print '
'; + print ''; + print '  '; + // print ''; // Cancel for create does not post form if we don't know the backtopage + print '
'; + + print '
'; +} + +// Part to edit record +if (($partnershipid || $ref) && $action == 'edit') { + print load_fiche_titre($langs->trans("Partnership"), '', ''); + + $backtopageforcancel = DOL_URL_ROOT.'/partnership/partnership.php?rowid='.$memberid; + + print '
'; + print ''; + print ''; + print ''; + print ''; + if ($backtopage) { + print ''; + } + if ($backtopageforcancel) { + print ''; + } + + print dol_get_fiche_head(); + + print ''."\n"; + + // Common attributes + include DOL_DOCUMENT_ROOT.'/core/tpl/commonfields_edit.tpl.php'; + + // Other attributes + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_edit.tpl.php'; + + print '
'; + + print dol_get_fiche_end(); + + print '
'; + print '   '; + print '
'; + + print '
'; +} + +// Part to show record +if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'create'))) { + print load_fiche_titre($langs->trans("PartnershipDedicatedToThisMember", $langs->transnoentitiesnoconv("Partnership")), '', ''); + + $res = $object->fetch_optionals(); + + // $head = partnershipPrepareHead($object); + // print dol_get_fiche_head($head, 'card', $langs->trans("Partnership"), -1, $object->picto); + + $linkback = ''; + dol_banner_tab($object, 'id', $linkback, 0, 'rowid', 'ref'); + + $formconfirm = ''; + + // Close confirmation + if ($action == 'close') { + // Create an array for form + $formquestion = array(); + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ToClose'), $langs->trans('ConfirmClosePartnershipAsk', $object->ref), 'confirm_close', $formquestion, 'yes', 1); + } + // Reopon confirmation + if ($action == 'reopen') { + // Create an array for form + $formquestion = array(); + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ToReopon'), $langs->trans('ConfirmReoponAsk', $object->ref), 'confirm_reopen', $formquestion, 'yes', 1); + } + + // Refuse confirmatio + if ($action == 'refuse') { + //Form to close proposal (signed or not) + $formquestion = array( + array('type' => 'text', 'name' => 'reason_decline_or_cancel', 'label' => $langs->trans("Note"), 'morecss' => 'reason_decline_or_cancel', 'value' => '') // Field to complete private note (not replace) + ); + + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ReasonDecline'), $text, 'confirm_refuse', $formquestion, '', 1, 250); + } + + // Call Hook formConfirm + $parameters = array('formConfirm' => $formconfirm, 'lineid' => $lineid); + $reshook = $hookmanager->executeHooks('formConfirm', $parameters, $object, $action); // Note that $action and $object may have been modified by hook + if (empty($reshook)) { + $formconfirm .= $hookmanager->resPrint; + } elseif ($reshook > 0) { + $formconfirm = $hookmanager->resPrint; + } + + // Print form confirm + print $formconfirm; + + + // Object card + // ------------------------------------------------------------ + $linkback = ''.$langs->trans("BackToList").''; + + print '
'; + print '
'; + print '
'; + print ''."\n"; + + // Common attributes + //$keyforbreak='fieldkeytoswitchonsecondcolumn'; // We change column just before this field + //unset($object->fields['fk_project']); // Hide field already shown in banner + //unset($object->fields['fk_member']); // Hide field already shown in banner + include DOL_DOCUMENT_ROOT.'/core/tpl/commonfields_view.tpl.php'; + + // End of subscription date + $fadherent = new Adherent($db); + $fadherent->fetch($object->fk_member); + print ''; + + // Other attributes. Fields from hook formObjectOptions and Extrafields. + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_view.tpl.php'; + + print '
'.$langs->trans("SubscriptionEndDate").''; + if ($fadherent->datefin) { + print dol_print_date($fadherent->datefin, 'day'); + if ($fadherent->hasDelay()) { + print " ".img_warning($langs->trans("Late")); + } + } else { + if (!$adht->subscription) { + print $langs->trans("SubscriptionNotRecorded"); + if ($fadherent->statut > 0) { + print " ".img_warning($langs->trans("Late")); // Display a delay picto only if it is not a draft and is not canceled + } + } else { + print $langs->trans("SubscriptionNotReceived"); + if ($fadherent->statut > 0) { + print " ".img_warning($langs->trans("Late")); // Display a delay picto only if it is not a draft and is not canceled + } + } + } + print '
'; + print '
'; + + print '
'; + + print dol_get_fiche_end(); + + // Buttons for actions + + if ($action != 'presend') { + print '
'."\n"; + $parameters = array(); + $reshook = $hookmanager->executeHooks('addMoreActionsButtons', $parameters, $object, $action); // Note that $action and $object may have been modified by hook + if ($reshook < 0) { + setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); + } + + if (empty($reshook)) { + if ($object->status == $object::STATUS_DRAFT) { + print dolGetButtonAction($langs->trans('Modify'), '', 'default', $_SERVER["PHP_SELF"].'?rowid='.$memberid.'&action=edit', '', $permissiontoadd); + } + + // Show + if ($permissiontoadd) { + print dolGetButtonAction($langs->trans('ShowPartnership'), '', 'default', dol_buildpath('/partnership/partnership_card.php', 1).'?id='.$object->id, '', $permissiontoadd); + } + + // Cancel + if ($permissiontoadd) { + if ($object->status == $object::STATUS_ACCEPTED) { + print dolGetButtonAction($langs->trans('Cancel'), '', 'default', $_SERVER["PHP_SELF"].'?id='.$object->id.'&action=close&token='.newToken(), '', $permissiontoadd); + } + } + } + print '
'."\n"; + } +} + +// End of page +llxFooter(); +$db->close(); diff --git a/htdocs/admin/mails_templates.php b/htdocs/admin/mails_templates.php index 31ccd1f02c8..fee54b6ce75 100644 --- a/htdocs/admin/mails_templates.php +++ b/htdocs/admin/mails_templates.php @@ -160,19 +160,15 @@ if (empty($conf->global->MAIN_EMAIL_TEMPLATES_FOR_OBJECT_LINES)) { $tabhelp = array(); $tabhelp[25] = array( - 'topic'=>$helpsubstit, + 'topic'=>''.$helpsubstit.'', 'joinfiles'=>$langs->trans('AttachMainDocByDefault'), - 'content'=>$helpsubstit, - 'content_lines'=>$helpsubstitforlines, + 'content'=>''.$helpsubstit.'', + 'content_lines'=>''.$helpsubstitforlines.'', 'type_template'=>$langs->trans("TemplateForElement"), 'private'=>$langs->trans("TemplateIsVisibleByOwnerOnly"), 'position'=>$langs->trans("PositionIntoComboList") ); -// List of check for fields (NOT USED YET) -$tabfieldcheck = array(); -$tabfieldcheck[25] = array(); - $elementList = array(); diff --git a/htdocs/admin/translation.php b/htdocs/admin/translation.php index f5ab2af51e3..2ede168b601 100644 --- a/htdocs/admin/translation.php +++ b/htdocs/admin/translation.php @@ -36,12 +36,12 @@ if (!$user->admin) { $id = GETPOST('rowid', 'int'); $action = GETPOST('action', 'aZ09'); +$optioncss = GETPOST('optionscss', 'aZ09'); $langcode = GETPOST('langcode', 'alphanohtml'); $transkey = GETPOST('transkey', 'alphanohtml'); $transvalue = GETPOST('transvalue', 'restricthtml'); - $mode = GETPOST('mode', 'aZ09') ? GETPOST('mode', 'aZ09') : 'searchkey'; $limit = GETPOST('limit', 'int') ? GETPOST('limit', 'int') : $conf->liste_limit; @@ -537,8 +537,8 @@ if ($mode == 'searchkey') { // retrieve rowid $sql = "SELECT rowid"; $sql .= " FROM ".MAIN_DB_PREFIX."overwrite_trans"; - $sql .= " WHERE transkey = '".$db->escape($key)."'"; - $sql .= " AND entity IN (".getEntity('overwrite_trans').")"; + $sql .= " WHERE entity IN (".getEntity('overwrite_trans').")"; + $sql .= " AND transkey = '".$db->escape($key)."'"; dol_syslog("translation::select from table", LOG_DEBUG); $result = $db->query($sql); if ($result) { diff --git a/htdocs/compta/facture/class/facture.class.php b/htdocs/compta/facture/class/facture.class.php index db3fd2b6837..8827c56e132 100644 --- a/htdocs/compta/facture/class/facture.class.php +++ b/htdocs/compta/facture/class/facture.class.php @@ -4990,14 +4990,14 @@ class Facture extends CommonInvoice complete_substitutions_array($substitutionarray, $outputlangs, $tmpinvoice); + // Topic + $sendTopic = make_substitutions(empty($arraymessage->topic) ? $outputlangs->transnoentitiesnoconv('InformationMessage') : $arraymessage->topic, $substitutionarray, $outputlangs, 1); + // Content $content = $outputlangs->transnoentitiesnoconv($arraymessage->content); $sendContent = make_substitutions($content, $substitutionarray, $outputlangs, 1); - //Topic - $sendTopic = (!empty($arraymessage->topic)) ? $arraymessage->topic : $outputlangs->transnoentitiesnoconv('InformationMessage'); - // Recipient $res = $tmpinvoice->fetch_thirdparty(); $recipient = $tmpinvoice->thirdparty; diff --git a/htdocs/core/actions_linkedfiles.inc.php b/htdocs/core/actions_linkedfiles.inc.php index af60583118d..2a610cb3bf6 100644 --- a/htdocs/core/actions_linkedfiles.inc.php +++ b/htdocs/core/actions_linkedfiles.inc.php @@ -44,6 +44,10 @@ if (GETPOST('sendit', 'alpha') && !empty($conf->global->MAIN_UPLOAD_DOC)) { setEventMessages($langs->trans("ErrorFieldRequired", $langs->transnoentitiesnoconv("File")), null, 'errors'); } } + if (preg_match('/__.*__/', $_FILES['userfile']['name'][$key])) { + $error++; + setEventMessages($langs->trans('ErrorWrongFileName'), null, 'errors'); + } } if (!$error) { @@ -172,8 +176,11 @@ if ($action == 'confirm_deletefile' && $confirm == 'yes') { // We apply dol_string_nohtmltag also to clean file names (this remove duplicate spaces) because // this function is also applied when we upload and when we make try to download file (by the GETPOST(filename, 'alphanohtml') call). $filenameto = dol_string_nohtmltag($filenameto); - - if ($filenamefrom != $filenameto) { + if (preg_match('/__.*__/', $filenameto)) { + $error++; + setEventMessages($langs->trans('ErrorWrongFileName'), null, 'errors'); + } + if (!$error && $filenamefrom != $filenameto) { // Security: // Disallow file with some extensions. We rename them. // Because if we put the documents directory into a directory inside web root (very bad), this allows to execute on demand arbitrary code. diff --git a/htdocs/core/actions_massactions.inc.php b/htdocs/core/actions_massactions.inc.php index c7954384fae..75844b77d4c 100644 --- a/htdocs/core/actions_massactions.inc.php +++ b/htdocs/core/actions_massactions.inc.php @@ -90,6 +90,9 @@ if (!$error && $massaction == 'confirm_presend') { if ($objecttmp->element == 'expensereport') { $thirdparty = new User($db); } + if ($objecttmp->element == 'partnership' && $conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') { + $thirdparty = new Adherent($db); + } if ($objecttmp->element == 'holiday') { $thirdparty = new User($db); } @@ -107,6 +110,9 @@ if (!$error && $massaction == 'confirm_presend') { if ($objecttmp->element == 'expensereport') { $thirdpartyid = $objecttmp->fk_user_author; } + if ($objecttmp->element == 'partnership' && $conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') { + $thirdpartyid = $objecttmp->fk_member; + } if ($objecttmp->element == 'holiday') { $thirdpartyid = $objecttmp->fk_user; } @@ -250,6 +256,10 @@ if (!$error && $massaction == 'confirm_presend') { $fuser = new User($db); $fuser->fetch($objectobj->fk_user_author); $sendto = $fuser->email; + } elseif ($objectobj->element == 'partnership' && $conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') { + $fadherent = new Adherent($db); + $fadherent->fetch($objectobj->fk_member); + $sendto = $fadherent->email; } elseif ($objectobj->element == 'holiday') { $fuser = new User($db); $fuser->fetch($objectobj->fk_user); diff --git a/htdocs/core/js/lib_foot.js.php b/htdocs/core/js/lib_foot.js.php index 356b0aba5e7..c0a8844b572 100644 --- a/htdocs/core/js/lib_foot.js.php +++ b/htdocs/core/js/lib_foot.js.php @@ -102,7 +102,7 @@ if (!defined('JS_JQUERY_DISABLE_DROPDOWN')) { var lastopendropdown = null; // Click onto the link "link to" or "hamburger", toggle dropdown - $(".dropdown dt a").on(\'click\', function () { + $(document).on(\'click\', \'.dropdown dt a\', function () { console.log("toggle dropdown dt a"); //$(this).parent().parent().find(\'dd ul\').slideToggle(\'fast\'); diff --git a/htdocs/core/lib/functions.lib.php b/htdocs/core/lib/functions.lib.php index b017f9c037b..d058111973a 100644 --- a/htdocs/core/lib/functions.lib.php +++ b/htdocs/core/lib/functions.lib.php @@ -3496,7 +3496,7 @@ function img_picto($titlealt, $picto, $moreatt = '', $pictoisfullpath = false, $ 'delete', 'dolly', 'dollyrevert', 'donation', 'download', 'dynamicprice', 'edit', 'ellipsis-h', 'email', 'eraser', 'establishment', 'expensereport', 'external-link-alt', 'external-link-square-alt', 'filter', 'file-code', 'file-export', 'file-import', 'file-upload', 'autofill', 'folder', 'folder-open', 'folder-plus', - 'globe', 'globe-americas', 'graph', 'grip', 'grip_title', 'group', + 'generate', 'globe', 'globe-americas', 'graph', 'grip', 'grip_title', 'group', 'help', 'holiday', 'images', 'incoterm', 'info', 'intervention', 'inventory', 'intracommreport', 'knowledgemanagement', 'label', 'language', 'link', 'list', 'listlight', 'loan', 'lot', 'long-arrow-alt-right', @@ -3534,7 +3534,7 @@ function img_picto($titlealt, $picto, $moreatt = '', $pictoisfullpath = false, $ 'donation'=>'file-alt', 'dynamicprice'=>'hand-holding-usd', 'setup'=>'cog', 'companies'=>'building', 'products'=>'cube', 'commercial'=>'suitcase', 'invoicing'=>'coins', 'accounting'=>'search-dollar', 'category'=>'tag', 'dollyrevert'=>'dolly', - 'hrm'=>'user-tie', 'incoterm'=>'truck-loading', + 'generate'=>'plus-square', 'hrm'=>'user-tie', 'incoterm'=>'truck-loading', 'margin'=>'calculator', 'members'=>'user-friends', 'ticket'=>'ticket-alt', 'globe'=>'external-link-alt', 'lot'=>'barcode', 'email'=>'at', 'establishment'=>'building', 'edit'=>'pencil-alt', 'graph'=>'chart-line', 'grip_title'=>'arrows-alt', 'grip'=>'arrows-alt', 'help'=>'question-circle', @@ -4496,7 +4496,7 @@ function dol_print_error($db = '', $error = '', $errors = null) } $langs->loadLangs(array("main", "errors")); // Reload main because language may have been set only on previous line so we have to reload files we need. // This should not happen, except if there is a bug somewhere. Enabled and check log in such case. - print 'This website or feature is currently temporarly not available or failed after a technical error.

This may be due to a maintenance operation. Current status of operation are on next line...

'."\n"; + print 'This website or feature is currently temporarly not available or failed after a technical error.

This may be due to a maintenance operation. Current status of operation ('.dol_print_date(dol_now(), 'dayhourrfc').') are on next line...

'."\n"; print $langs->trans("DolibarrHasDetectedError").'. '; print $langs->trans("YouCanSetOptionDolibarrMainProdToZero"); define("MAIN_CORE_ERROR", 1); @@ -6809,6 +6809,7 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, $substitutionarray['__MEMBER_CIVILITY__'] = '__MEMBER_CIVILITY__'; $substitutionarray['__MEMBER_FIRSTNAME__'] = '__MEMBER_FIRSTNAME__'; $substitutionarray['__MEMBER_LASTNAME__'] = '__MEMBER_LASTNAME__'; + $substitutionarray['__MEMBER_USER_LOGIN_INFORMATION__'] = 'Login and pass of the external user account'; /*$substitutionarray['__MEMBER_NOTE_PUBLIC__'] = '__MEMBER_NOTE_PUBLIC__'; $substitutionarray['__MEMBER_NOTE_PRIVATE__'] = '__MEMBER_NOTE_PRIVATE__';*/ } @@ -6884,6 +6885,7 @@ function getCommonSubstitutionArray($outputlangs, $onlykey = 0, $exclude = null, } $substitutionarray['__MEMBER_FIRSTNAME__'] = (isset($object->firstname) ? $object->firstname : ''); $substitutionarray['__MEMBER_LASTNAME__'] = (isset($object->lastname) ? $object->lastname : ''); + $substitutionarray['__MEMBER_USER_LOGIN_INFORMATION__'] = ''; if (method_exists($object, 'getFullName')) { $substitutionarray['__MEMBER_FULLNAME__'] = $object->getFullName($outputlangs); } diff --git a/htdocs/core/modules/modBom.class.php b/htdocs/core/modules/modBom.class.php index 6b69c6b7af0..18f46fda70f 100644 --- a/htdocs/core/modules/modBom.class.php +++ b/htdocs/core/modules/modBom.class.php @@ -2,6 +2,7 @@ /* Copyright (C) 2004-2018 Laurent Destailleur * Copyright (C) 2018 Nicolas ZABOURI * Copyright (C) 2019 Maxime Kohlhaas + * Copyright (C) 2021 Ferran Marcet * * This program is free software; you can redistribute it and/or modify * it under the terms of the GNU General Public License as published by @@ -315,6 +316,142 @@ class modBom extends DolibarrModules $this->export_sql_end[$r] .= ' AND t.entity IN ('.getEntity('bom').')'; $r++; /* END MODULEBUILDER EXPORT BILLOFMATERIALS */ + + // Imports + //-------- + $r = 0; + //Import BOM Header + + $r++; + $this->import_code[$r] = 'bom_'.$r; + $this->import_label[$r] = 'BillOfMaterials'; + $this->import_icon[$r] = $this->picto; + $this->import_entities_array[$r] = []; + $this->import_tables_array[$r] = ['b' => MAIN_DB_PREFIX.'bom_bom', 'extra' => MAIN_DB_PREFIX.'bom_bom_extrafields']; + $this->import_tables_creator_array[$r] = ['b' => 'fk_user_creat']; // Fields to store import user id + $this->import_fields_array[$r] = [ + 'b.ref' => 'Document Ref*', + 'b.label' => 'BomLabel*', + 'b.fk_product' => 'ProductRef*', + 'b.description' => 'Description', + 'b.note_public' => 'Note', + 'b.note_private' => 'NotePrivate', + 'b.fk_warehouse' => 'WarehouseRef', + 'b.qty' => 'Qty', + 'b.efficiency' => 'Efficiency', + 'b.duration' => 'Duration', + 'b.date_creation' => 'DateCreation', + 'b.date_valid' => 'DateValid', + 'b.fk_user_modif' => 'ModifiedById', + 'b.fk_user_valid' => 'ValidatedById', + 'b.model_pdf' => 'Model', + 'b.status' => 'Status*', + 'b.bomtype' => 'BomType*' + + ]; + + // Add extra fields + $import_extrafield_sample = []; + $sql = "SELECT name, label, fieldrequired FROM ".MAIN_DB_PREFIX."extrafields WHERE elementtype = 'bom_bom' AND entity IN (0, ".$conf->entity.")"; + $resql = $this->db->query($sql); + + if ($resql) { + while ($obj = $this->db->fetch_object($resql)) { + $fieldname = 'extra.'.$obj->name; + $fieldlabel = ucfirst($obj->label); + $this->import_fields_array[$r][$fieldname] = $fieldlabel.($obj->fieldrequired ? '*' : ''); + $import_extrafield_sample[$fieldname] = $fieldlabel; + } + } + // End add extra fields + + $this->import_fieldshidden_array[$r] = ['extra.fk_object' => 'lastrowid-'.MAIN_DB_PREFIX.'bom_bom']; + $this->import_regex_array[$r] = [ + 'b.ref' => '(CPV\d{4}-\d{4}|BOM\d{4}-\d{4}|PROV.{1,32}$)' + ]; + + $this->import_updatekeys_array[$r] = ['b.ref' => 'Ref']; + $this->import_convertvalue_array[$r] = [ + 'b.fk_product' => [ + 'rule' => 'fetchidfromref', + 'file' => '/product/class/product.class.php', + 'class' => 'Product', + 'method' => 'fetch', + 'element' => 'Product' + ], + 'b.fk_warehouse' => [ + 'rule' => 'fetchidfromref', + 'file' => '/product/stock/class/entrepot.class.php', + 'class' => 'Entrepot', + 'method' => 'fetch', + 'element' => 'Warehouse' + ], + 'b.fk_user_valid' => [ + 'rule' => 'fetchidfromref', + 'file' => '/user/class/user.class.php', + 'class' => 'User', + 'method' => 'fetch', + 'element' => 'user' + ], + 'b.fk_user_modif' => [ + 'rule' => 'fetchidfromref', + 'file' => '/user/class/user.class.php', + 'class' => 'User', + 'method' => 'fetch', + 'element' => 'user' + ], + ]; + + //Import BOM Lines + $r++; + $this->import_code[$r] = 'bom_lines_'.$r; + $this->import_label[$r] = 'BillOfMaterialsLine'; + $this->import_icon[$r] = $this->picto; + $this->import_entities_array[$r] = []; + $this->import_tables_array[$r] = ['bd' => MAIN_DB_PREFIX.'bom_bomline', 'extra' => MAIN_DB_PREFIX.'bom_bomline_extrafields']; + $this->import_fields_array[$r] = [ + 'bd.fk_bom' => 'Document Ref*', + 'bd.fk_product' => 'ProductRef', + 'bd.fk_bom_child' => 'BOMChild', + 'bd.description' => 'Description', + 'bd.qty' => 'LineQty', + 'bd.qty_frozen' => 'LineIsFrozen', + 'bd.disable_stock_change' => 'Disable Stock Change', + 'bd.efficiency' => 'Efficiency', + 'bd.position' => 'LinePosition' + ]; + + // Add extra fields + $sql = "SELECT name, label, fieldrequired FROM ".MAIN_DB_PREFIX."extrafields WHERE elementtype = 'bom_bomline' AND entity IN (0, ".$conf->entity.")"; + $resql = $this->db->query($sql); + if ($resql) { + while ($obj = $this->db->fetch_object($resql)) { + $fieldname = 'extra.'.$obj->name; + $fieldlabel = ucfirst($obj->label); + $this->import_fields_array[$r][$fieldname] = $fieldlabel.($obj->fieldrequired ? '*' : ''); + } + } + // End add extra fields + + $this->import_fieldshidden_array[$r] = ['extra.fk_object' => 'lastrowid-'.MAIN_DB_PREFIX.'bom_bomline']; + $this->import_regex_array[$r] = []; + $this->import_updatekeys_array[$r] = ['bd.fk_bom' => 'BOM Id']; + $this->import_convertvalue_array[$r] = [ + 'bd.fk_bom' => [ + 'rule' => 'fetchidfromref', + 'file' => '/bom/class/bom.class.php', + 'class' => 'BOM', + 'method' => 'fetch', + 'element' => 'bom' + ], + 'bd.fk_product' => [ + 'rule' => 'fetchidfromref', + 'file' => '/product/class/product.class.php', + 'class' => 'Product', + 'method' => 'fetch', + 'element' => 'Product' + ], + ]; } /** diff --git a/htdocs/core/modules/modPartnership.class.php b/htdocs/core/modules/modPartnership.class.php index 8b3b0cdb2c4..d12cd610238 100644 --- a/htdocs/core/modules/modPartnership.class.php +++ b/htdocs/core/modules/modPartnership.class.php @@ -180,10 +180,10 @@ class modPartnership extends DolibarrModules $tabtoadd = (!empty(getDolGlobalString('PARTNERSHIP_IS_MANAGED_FOR')) && getDolGlobalString('PARTNERSHIP_IS_MANAGED_FOR') == 'member') ? 'member' : 'thirdparty'; if ($tabtoadd == 'member') { - $this->tabs[] = array('data'=>'member:+partnership:Partnership:partnership@partnership:$user->rights->partnership->read:/partnership/partnership.php?socid=__ID__'); + $this->tabs[] = array('data'=>'member:+partnership:Partnership:partnership@partnership:$user->rights->partnership->read:/adherents/partnership.php?rowid=__ID__'); $fk_mainmenu = "members"; } else { - $this->tabs[] = array('data'=>'thirdparty:+partnership:Partnership:partnership@partnership:$user->rights->partnership->read:/partnership/partnership.php?socid=__ID__'); + $this->tabs[] = array('data'=>'thirdparty:+partnership:Partnership:partnership@partnership:$user->rights->partnership->read:/societe/partnership.php?socid=__ID__'); $fk_mainmenu = "companies"; } @@ -253,12 +253,12 @@ class modPartnership extends DolibarrModules // Cronjobs (List of cron jobs entries to add when module is enabled) // unit_frequency must be 60 for minute, 3600 for hour, 86400 for day, 604800 for week - $statusatinstall=0; $arraydate=dol_getdate(dol_now()); $datestart=dol_mktime(21, 15, 0, $arraydate['mon'], $arraydate['mday'], $arraydate['year']); $this->cronjobs = array( - 0 => array('priority'=>60, 'label'=>'CancelPartnershipForExpiredMembers', 'jobtype'=>'method', 'class'=>'/partnership/class/partnershiputils.class.php', 'objectname'=>'PartnershipUtils', 'method'=>'doCancelStatusOfPartnership', 'parameters'=>'', 'comment'=>'Cancel status of partnership when subscription is expired + x days.', 'frequency'=>1, 'unitfrequency'=>86400, 'status'=>$statusatinstall, 'test'=>'$conf->partnership->enabled', 'datestart'=>$datestart), + 0 => array('priority'=>60, 'label'=>'CancelPartnershipForExpiredMembers', 'jobtype'=>'method', 'class'=>'/partnership/class/partnershiputils.class.php', 'objectname'=>'PartnershipUtils', 'method'=>'doCancelStatusOfMemberPartnership', 'parameters'=>'', 'comment'=>'Cancel status of partnership when subscription is expired + x days.', 'frequency'=>1, 'unitfrequency'=>86400, 'status'=>1, 'test'=>'$conf->partnership->enabled', 'datestart'=>$datestart), + 1 => array('priority'=>61, 'label'=>'CheckDolibarrBacklink', 'jobtype'=>'method', 'class'=>'/partnership/class/partnershiputils.class.php', 'objectname'=>'PartnershipUtils', 'method'=>'doWarningOfPartnershipIfDolibarrBacklinkNotfound', 'parameters'=>'', 'comment'=>'Warning of partnership if Dolibarr backlink not found on partner website.', 'frequency'=>1, 'unitfrequency'=>86400, 'status'=>0, 'test'=>'$conf->partnership->enabled', 'datestart'=>$datestart), ); // Permissions provided by this module diff --git a/htdocs/core/tpl/card_presend.tpl.php b/htdocs/core/tpl/card_presend.tpl.php index de10465a736..62aafc2fdb5 100644 --- a/htdocs/core/tpl/card_presend.tpl.php +++ b/htdocs/core/tpl/card_presend.tpl.php @@ -151,6 +151,10 @@ if ($action == 'presend') { $fuser = new User($db); $fuser->fetch($object->fk_user_author); $liste['thirdparty'] = $fuser->getFullName($outputlangs)." <".$fuser->email.">"; + } elseif ($object->element == 'partnership' && $conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') { + $fadherent = new Adherent($db); + $fadherent->fetch($object->fk_member); + $liste['member'] = $fadherent->getFullName($outputlangs)." <".$fadherent->email.">"; } elseif ($object->element == 'societe') { foreach ($object->thirdparty_and_contact_email_array(1) as $key => $value) { $liste[$key] = $value; diff --git a/htdocs/core/tpl/massactions_pre.tpl.php b/htdocs/core/tpl/massactions_pre.tpl.php index 79b00f01590..2848bd3d48c 100644 --- a/htdocs/core/tpl/massactions_pre.tpl.php +++ b/htdocs/core/tpl/massactions_pre.tpl.php @@ -127,6 +127,10 @@ if ($massaction == 'presend') { $fuser = new User($db); $fuser->fetch($thirdpartyid); $liste['thirdparty'] = $fuser->getFullName($langs)." <".$fuser->email.">"; + } elseif ($objecttmp->element == 'partnership' && $conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') { + $fadherent = new Adherent($db); + $fadherent->fetch($objecttmp->fk_member); + $liste['member'] = $fadherent->getFullName($langs)." <".$fadherent->email.">"; } else { $soc = new Societe($db); $soc->fetch($thirdpartyid); diff --git a/htdocs/install/mysql/data/llx_00_c_country.sql b/htdocs/install/mysql/data/llx_00_c_country.sql index 88df2349391..fa2b4339983 100644 --- a/htdocs/install/mysql/data/llx_00_c_country.sql +++ b/htdocs/install/mysql/data/llx_00_c_country.sql @@ -6,6 +6,7 @@ -- Copyright (C) 2005-2009 Regis Houssin -- Copyright (C) 2007 Patrick Raguin -- Copyright (C) 2014 Alexandre Spangaro +-- Copyright (C) 2021 Udo Tamm -- -- This program is free software; you can redistribute it and/or modify -- it under the terms of the GNU General Public License as published by @@ -50,7 +51,7 @@ INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (19 INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (20,'SE','SWE','Sweden',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (21,'CI','CIV','Côte d''Ivoire',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (22,'SN','SEN','Senegal',1,0); -INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (23,'AR','ARG','Argentine',1,0); +INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (23,'AR','ARG','Argentina',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (24,'CM','CMR','Cameroun',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (25,'PT','PRT','Portugal',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (26,'SA','SAU','Saudi Arabia',1,0); @@ -59,21 +60,21 @@ INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (28 INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (29,'SG','SGP','Singapour',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (30,'AF','AFG','Afghanistan',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (31,'AX','ALA','Iles Aland',1,0); -INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (32,'AL','ALB','Albanie',1,0); +INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (32,'AL','ALB','Albania',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (33,'AS','ASM','Samoa américaines',1,0); -INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (34,'AD','AND','Andorre',1,0); +INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (34,'AD','AND','Andorra',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (35,'AO','AGO','Angola',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (36,'AI','AIA','Anguilla',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (37,'AQ','ATA','Antarctique',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (38,'AG','ATG','Antigua-et-Barbuda',1,0); -INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (39,'AM','ARM','Arménie',1,0); -INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (41,'AT','AUT','Autriche',1,0); +INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (39,'AM','ARM','Armenia',1,0); +INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (41,'AT','AUT','Austria',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (42,'AZ','AZE','Azerbaïdjan',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (43,'BS','BHS','Bahamas',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (44,'BH','BHR','Bahreïn',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (45,'BD','BGD','Bangladesh',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (46,'BB','BRB','Barbade',1,0); -INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (47,'BY','BLR','Biélorussie',1,0); +INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (47,'BY','BLR','Belarus',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (48,'BZ','BLZ','Belize',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (49,'BJ','BEN','Bénin',1,0); INSERT INTO llx_c_country (rowid,code,code_iso,label,active,favorite) VALUES (50,'BM','BMU','Bermudes',1,0); diff --git a/htdocs/install/mysql/migration/13.0.0-14.0.0.sql b/htdocs/install/mysql/migration/13.0.0-14.0.0.sql index af6c2f48f50..2c3173ed4f2 100644 --- a/htdocs/install/mysql/migration/13.0.0-14.0.0.sql +++ b/htdocs/install/mysql/migration/13.0.0-14.0.0.sql @@ -413,8 +413,9 @@ CREATE TABLE llx_partnership( note_private text, note_public text, last_main_doc varchar(255), - count_last_url_check_error integer DEFAULT '0', - import_key varchar(14), + count_last_url_check_error integer DEFAULT '0', + last_check_backlink datetime NULL, + import_key varchar(14), model_pdf varchar(255) ) ENGINE=innodb; @@ -435,7 +436,11 @@ create table llx_partnership_extrafields ALTER TABLE llx_partnership_extrafields ADD INDEX idx_partnership_fk_object(fk_object); -INSERT INTO llx_c_email_templates (entity,module,type_template,label,lang,position,topic,joinfiles,content) VALUES (0, 'partnership', 'member', '(AlertStatusPartnershipExpiration)', NULL, 100, '[__[MAIN_INFO_SOCIETE_NOM]__] - __(YourMembershipWillSoonExpireTopic)__', 0, '\n

Dear __MEMBER_FULLNAME__,

\n__(YourMembershipWillSoonExpireContent)__

\n
\n\n __(Sincerely)__
\n __[PARTNERSHIP_SOCIETE_NOM]__
\n \n'); +INSERT INTO llx_c_email_templates (entity,module,type_template,label,lang,position,topic,joinfiles,content) VALUES (0, 'partnership', 'partnership_send', '(SendingEmailOnPartnershipWillSoonBeCanceled)', '', 100, '[__[MAIN_INFO_SOCIETE_NOM]__] - __(YourPartnershipWillSoonBeCanceledTopic)__', 0, '\n

Hello,

\n__(YourPartnershipWillSoonBeCanceledContent)__

\n
\n\n
\n\n __(Sincerely)__
\n __[MAIN_INFO_SOCIETE_NOM]__
\n \n'); +INSERT INTO llx_c_email_templates (entity,module,type_template,label,lang,position,topic,joinfiles,content) VALUES (0, 'partnership', 'partnership_send', '(SendingEmailOnPartnershipCanceled)', '', 100, '[__[MAIN_INFO_SOCIETE_NOM]__] - __(YourPartnershipCanceledTopic)__', 0, '\n

Hello,

\n__(YourPartnershipCanceledContent)__

\n
\n\n
\n\n __(Sincerely)__
\n __[MAIN_INFO_SOCIETE_NOM]__
\n \n'); +INSERT INTO llx_c_email_templates (entity,module,type_template,label,lang,position,topic,joinfiles,content) VALUES (0, 'partnership', 'partnership_send', '(SendingEmailOnPartnershipRefused)', '', 100, '[__[MAIN_INFO_SOCIETE_NOM]__] - __(YourPartnershipRefusedTopic)__', 0, '\n

Hello,

\n__(YourPartnershipRefusedContent)__

\n
\n\n
\n\n __(Sincerely)__
\n __[MAIN_INFO_SOCIETE_NOM]__
\n \n'); +INSERT INTO llx_c_email_templates (entity,module,type_template,label,lang,position,topic,joinfiles,content) VALUES (0, 'partnership', 'partnership_send', '(SendingEmailOnPartnershipAccepted)', '', 100, '[__[MAIN_INFO_SOCIETE_NOM]__] - __(YourPartnershipAcceptedTopic)__', 0, '\n

Hello,

\n__(YourPartnershipAcceptedContent)__

\n
\n\n
\n\n __(Sincerely)__
\n __[MAIN_INFO_SOCIETE_NOM]__
\n \n'); +ALTER TABLE llx_adherent ADD COLUMN url varchar(255) NULL AFTER email; ALTER TABLE llx_facture_fourn ADD COLUMN date_closing datetime DEFAULT NULL after date_valid; ALTER TABLE llx_facture_fourn ADD COLUMN fk_user_closing integer DEFAULT NULL after fk_user_valid; diff --git a/htdocs/langs/am_ET/accountancy.lang b/htdocs/langs/am_ET/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/am_ET/accountancy.lang +++ b/htdocs/langs/am_ET/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/am_ET/admin.lang b/htdocs/langs/am_ET/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/am_ET/admin.lang +++ b/htdocs/langs/am_ET/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/am_ET/banks.lang b/htdocs/langs/am_ET/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/am_ET/banks.lang +++ b/htdocs/langs/am_ET/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/am_ET/bills.lang b/htdocs/langs/am_ET/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/am_ET/bills.lang +++ b/htdocs/langs/am_ET/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/am_ET/boxes.lang b/htdocs/langs/am_ET/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/am_ET/boxes.lang +++ b/htdocs/langs/am_ET/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/am_ET/cashdesk.lang b/htdocs/langs/am_ET/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/am_ET/cashdesk.lang +++ b/htdocs/langs/am_ET/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/am_ET/categories.lang b/htdocs/langs/am_ET/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/am_ET/categories.lang +++ b/htdocs/langs/am_ET/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/am_ET/companies.lang b/htdocs/langs/am_ET/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/am_ET/companies.lang +++ b/htdocs/langs/am_ET/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/am_ET/compta.lang b/htdocs/langs/am_ET/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/am_ET/compta.lang +++ b/htdocs/langs/am_ET/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/am_ET/ecm.lang b/htdocs/langs/am_ET/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/am_ET/ecm.lang +++ b/htdocs/langs/am_ET/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/am_ET/errors.lang b/htdocs/langs/am_ET/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/am_ET/errors.lang +++ b/htdocs/langs/am_ET/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/am_ET/knowledgemanagement.lang b/htdocs/langs/am_ET/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/am_ET/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/am_ET/mails.lang b/htdocs/langs/am_ET/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/am_ET/mails.lang +++ b/htdocs/langs/am_ET/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/am_ET/main.lang b/htdocs/langs/am_ET/main.lang index dc2a83f2015..13793aad13f 100644 --- a/htdocs/langs/am_ET/main.lang +++ b/htdocs/langs/am_ET/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/am_ET/members.lang b/htdocs/langs/am_ET/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/am_ET/members.lang +++ b/htdocs/langs/am_ET/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/am_ET/modulebuilder.lang b/htdocs/langs/am_ET/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/am_ET/modulebuilder.lang +++ b/htdocs/langs/am_ET/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/am_ET/other.lang b/htdocs/langs/am_ET/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/am_ET/other.lang +++ b/htdocs/langs/am_ET/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/am_ET/partnership.lang b/htdocs/langs/am_ET/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/am_ET/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/am_ET/productbatch.lang b/htdocs/langs/am_ET/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/am_ET/productbatch.lang +++ b/htdocs/langs/am_ET/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/am_ET/products.lang b/htdocs/langs/am_ET/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/am_ET/products.lang +++ b/htdocs/langs/am_ET/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/am_ET/projects.lang b/htdocs/langs/am_ET/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/am_ET/projects.lang +++ b/htdocs/langs/am_ET/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/am_ET/recruitment.lang b/htdocs/langs/am_ET/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/am_ET/recruitment.lang +++ b/htdocs/langs/am_ET/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/am_ET/sendings.lang b/htdocs/langs/am_ET/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/am_ET/sendings.lang +++ b/htdocs/langs/am_ET/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/am_ET/stocks.lang b/htdocs/langs/am_ET/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/am_ET/stocks.lang +++ b/htdocs/langs/am_ET/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/am_ET/users.lang b/htdocs/langs/am_ET/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/am_ET/users.lang +++ b/htdocs/langs/am_ET/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/am_ET/website.lang b/htdocs/langs/am_ET/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/am_ET/website.lang +++ b/htdocs/langs/am_ET/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ar_EG/accountancy.lang b/htdocs/langs/ar_EG/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/ar_EG/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/ar_EG/admin.lang b/htdocs/langs/ar_EG/admin.lang index 671975c34bd..f426e787f85 100644 --- a/htdocs/langs/ar_EG/admin.lang +++ b/htdocs/langs/ar_EG/admin.lang @@ -46,7 +46,6 @@ Module40Name=موردين Module700Name=تبرعات Module1780Name=الأوسمة/التصنيفات Permission81=قراءة أوامر الشراء -ShowBugTrackLink=Show link "%s" MailToSendInvoice=فواتير العميل MailToSendSupplierOrder=أوامر الشراء MailToSendSupplierInvoice=فواتير المورد diff --git a/htdocs/langs/ar_EG/cron.lang b/htdocs/langs/ar_EG/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/ar_EG/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/ar_EG/eventorganization.lang b/htdocs/langs/ar_EG/eventorganization.lang new file mode 100644 index 00000000000..c338d77f1cb --- /dev/null +++ b/htdocs/langs/ar_EG/eventorganization.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - eventorganization +EvntOrgDraft =مسودة diff --git a/htdocs/langs/ar_EG/main.lang b/htdocs/langs/ar_EG/main.lang index 91cdd996f11..44cf90cc973 100644 --- a/htdocs/langs/ar_EG/main.lang +++ b/htdocs/langs/ar_EG/main.lang @@ -21,7 +21,6 @@ FormatDateHourTextShort=%b %d, %Y, %I:%M %p FormatDateHourText=%B %d, %Y, %I:%M %p Closed2=مقفول CloseAs=اضبط الحالة على -NumberByMonth=الرقم بالشهر RefSupplier=المرجع. مورد CommercialProposalsShort=عروض تجارية Refused=مرفوض diff --git a/htdocs/langs/ar_EG/partnership.lang b/htdocs/langs/ar_EG/partnership.lang new file mode 100644 index 00000000000..b617038bda4 --- /dev/null +++ b/htdocs/langs/ar_EG/partnership.lang @@ -0,0 +1,4 @@ +# Dolibarr language file - Source file is en_US - partnership +PartnershipDraft =مسودة +PartnershipAccepted =مقبول +PartnershipRefused =مرفوض diff --git a/htdocs/langs/ar_IQ/accountancy.lang b/htdocs/langs/ar_IQ/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/ar_IQ/accountancy.lang +++ b/htdocs/langs/ar_IQ/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/ar_IQ/admin.lang b/htdocs/langs/ar_IQ/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/ar_IQ/admin.lang +++ b/htdocs/langs/ar_IQ/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/ar_IQ/banks.lang b/htdocs/langs/ar_IQ/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/ar_IQ/banks.lang +++ b/htdocs/langs/ar_IQ/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/ar_IQ/bills.lang b/htdocs/langs/ar_IQ/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/ar_IQ/bills.lang +++ b/htdocs/langs/ar_IQ/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/ar_IQ/boxes.lang b/htdocs/langs/ar_IQ/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/ar_IQ/boxes.lang +++ b/htdocs/langs/ar_IQ/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/ar_IQ/cashdesk.lang b/htdocs/langs/ar_IQ/cashdesk.lang index ce7698c8cd8..240503842f3 100644 --- a/htdocs/langs/ar_IQ/cashdesk.lang +++ b/htdocs/langs/ar_IQ/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -58,7 +59,7 @@ BillsCoinsPad=Coins and banknotes Pad DolistorePosCategory=TakePOS modules and other POS solutions for Dolibarr TakeposNeedsCategories=TakePOS needs at least one product categorie to work TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work -OrderNotes=Order Notes +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -83,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -93,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales diff --git a/htdocs/langs/ar_IQ/categories.lang b/htdocs/langs/ar_IQ/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/ar_IQ/categories.lang +++ b/htdocs/langs/ar_IQ/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/ar_IQ/companies.lang b/htdocs/langs/ar_IQ/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/ar_IQ/companies.lang +++ b/htdocs/langs/ar_IQ/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/ar_IQ/compta.lang b/htdocs/langs/ar_IQ/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/ar_IQ/compta.lang +++ b/htdocs/langs/ar_IQ/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/ar_IQ/ecm.lang b/htdocs/langs/ar_IQ/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/ar_IQ/ecm.lang +++ b/htdocs/langs/ar_IQ/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/ar_IQ/errors.lang b/htdocs/langs/ar_IQ/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/ar_IQ/errors.lang +++ b/htdocs/langs/ar_IQ/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/ar_IQ/knowledgemanagement.lang b/htdocs/langs/ar_IQ/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/ar_IQ/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/ar_IQ/mails.lang b/htdocs/langs/ar_IQ/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/ar_IQ/mails.lang +++ b/htdocs/langs/ar_IQ/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/ar_IQ/main.lang b/htdocs/langs/ar_IQ/main.lang index dc2a83f2015..13793aad13f 100644 --- a/htdocs/langs/ar_IQ/main.lang +++ b/htdocs/langs/ar_IQ/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/ar_IQ/members.lang b/htdocs/langs/ar_IQ/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/ar_IQ/members.lang +++ b/htdocs/langs/ar_IQ/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/ar_IQ/modulebuilder.lang b/htdocs/langs/ar_IQ/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/ar_IQ/modulebuilder.lang +++ b/htdocs/langs/ar_IQ/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/ar_IQ/other.lang b/htdocs/langs/ar_IQ/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/ar_IQ/other.lang +++ b/htdocs/langs/ar_IQ/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/ar_IQ/partnership.lang b/htdocs/langs/ar_IQ/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/ar_IQ/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/ar_IQ/productbatch.lang b/htdocs/langs/ar_IQ/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/ar_IQ/productbatch.lang +++ b/htdocs/langs/ar_IQ/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/ar_IQ/products.lang b/htdocs/langs/ar_IQ/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/ar_IQ/products.lang +++ b/htdocs/langs/ar_IQ/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/ar_IQ/projects.lang b/htdocs/langs/ar_IQ/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/ar_IQ/projects.lang +++ b/htdocs/langs/ar_IQ/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/ar_IQ/recruitment.lang b/htdocs/langs/ar_IQ/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/ar_IQ/recruitment.lang +++ b/htdocs/langs/ar_IQ/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/ar_IQ/sendings.lang b/htdocs/langs/ar_IQ/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/ar_IQ/sendings.lang +++ b/htdocs/langs/ar_IQ/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/ar_IQ/stocks.lang b/htdocs/langs/ar_IQ/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/ar_IQ/stocks.lang +++ b/htdocs/langs/ar_IQ/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/ar_IQ/users.lang b/htdocs/langs/ar_IQ/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/ar_IQ/users.lang +++ b/htdocs/langs/ar_IQ/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/ar_IQ/website.lang b/htdocs/langs/ar_IQ/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/ar_IQ/website.lang +++ b/htdocs/langs/ar_IQ/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ar_SA/accountancy.lang b/htdocs/langs/ar_SA/accountancy.lang index 0f3e0d79d19..a53fdba50a3 100644 --- a/htdocs/langs/ar_SA/accountancy.lang +++ b/htdocs/langs/ar_SA/accountancy.lang @@ -202,7 +202,7 @@ Docref=مرجع LabelAccount=Label account LabelOperation=Label operation Sens=الاتجاه -AccountingDirectionHelp=بالنسبة لحساب عميل ، استخدم الائتمان لتسجيل دفعة تلقيتها
بالنسبة لحساب مورد ، استخدم الخصم لتسجيل دفعة تقوم بها +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=دفتر اليومية @@ -297,7 +297,7 @@ NoNewRecordSaved=لا مزيد من التسجيل لليوميات ListOfProductsWithoutAccountingAccount=قائمة المنتجات غير مرتبطة بأي حساب ChangeBinding=تغيير الربط Accounted=حسب في دفتر الأستاذ -NotYetAccounted=لم يحسب بعد في دفتر الأستاذ +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=عرض البرنامج التعليمي NotReconciled=لم يتم تسويتة WarningRecordWithoutSubledgerAreExcluded=تحذير ، كل العمليات التي لم يتم تحديد حساب دفتر الأستاذ الفرعي لها تتم تصفيتها واستبعادها من طريقة العرض هذه diff --git a/htdocs/langs/ar_SA/admin.lang b/htdocs/langs/ar_SA/admin.lang index 2dabbd20959..a01a5a8b940 100644 --- a/htdocs/langs/ar_SA/admin.lang +++ b/htdocs/langs/ar_SA/admin.lang @@ -32,7 +32,7 @@ PurgeSessions=إزالة الجلسات ConfirmPurgeSessions=هل تريد حقًا مسح كل الجلسات؟ سيؤدي هذا إلى قطع اتصال كل المستخدمين (باستثنائك). NoSessionListWithThisHandler=لا يسمح معالج حفظ الجلسة الذي تم تكوينه في PHP بسرد جميع الجلسات قيد التشغيل. LockNewSessions=إقفال الإتصالات الجديدة -ConfirmLockNewSessions=Are you sure you want to restrict any new Dolibarr connection to yourself? Only user %s will be able to connect after that. +ConfirmLockNewSessions=هل أنت متأكد من أنك تريد تقييد أي اتصال جديد الى دوليبار لنفسك. المستخدم %s هو الوحيد الذي سيتمكن من الإتصال بعد هذه العملية. UnlockNewSessions=إزالة قفل الإتصال YourSession=الجلسة الخاصة بك Sessions=جلسات المستخدمين @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=الإعداد الأمني PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=حدد هنا الخيارات المتعلقة بالأمان حول تحميل الملفات. ErrorModuleRequirePHPVersion=خطأ ، هذا النموذج يتطلب نسخة بي إتش بي %s أو أعلى ErrorModuleRequireDolibarrVersion=خطأ ، هذا النموذج يتطلب نسخة دوليبار %s أو أعلى @@ -138,10 +139,10 @@ CurrentHour=PHP خادم ساعة CurrentSessionTimeOut=إنتها مدة التصفح الحالية YouCanEditPHPTZ=لتعيين منطقة زمنية مختلفة لـ PHP (غير مطلوب) ، يمكنك محاولة إضافة ملف .htaccess مع سطر مثل "SetEnv TZ Europe / Paris" HoursOnThisPageAreOnServerTZ=تحذير ، على عكس الشاشات الأخرى ، فإن الساعات على هذه الصفحة ليست بتوقيتك المحلي ، ولكن حسب المنطقة الزمنية للخادم. -Box=Widget -Boxes=Widgets -MaxNbOfLinesForBoxes=الحد الأعلى لعدد الأسطر (widgets) -AllWidgetsWereEnabled=تم تمكين جميع (widgets)المتاحة +Box=بريمج +Boxes=بريمجات +MaxNbOfLinesForBoxes=الحد الأعلى لعدد أسطر البريمجات +AllWidgetsWereEnabled=جميع البريمجات المتاحة ممكنة PositionByDefault=الطلبية الإفتراضية Position=الوضع MenusDesc=يقوم مديرو القائمة بتعيين محتوى شريطي القائمة (الأفقي والعمودي). @@ -204,7 +205,7 @@ IgnoreDuplicateRecords=Ignore errors of duplicate record (INSERT IGNORE) AutoDetectLang=اكتشاف تلقائي (لغة المتصفح) FeatureDisabledInDemo=الميزة معلطة في العرض التجريبي FeatureAvailableOnlyOnStable=Feature only available on official stable versions -BoxesDesc=Widgets are components showing some information that you can add to personalize some pages. You can choose between showing the widget or not by selecting target page and clicking 'Activate', or by clicking the trashcan to disable it. +BoxesDesc=البريمجات هي المكونات البرمجية التي تُظهر بعض المعلومات في بعض الصفحات. يمكنك اختيار إظهار أو إخفائها بإختيار الصفحات المطلوبة و الضغط على 'تنشيط', او بالضغط على الزر الآخر لتعطيلها. OnlyActiveElementsAreShown=فقط العناصر من النماذج المفعلة سوف تظهر. ModulesDesc=The modules/applications determine which features are available in the software. Some modules require permissions to be granted to users after activating the module. Click the on/off button %s of each module to enable or disable a module/application. ModulesMarketPlaceDesc=You can find more modules to download on external websites on the Internet... @@ -230,8 +231,8 @@ WebSiteDesc=External websites for more add-on (non-core) modules... DevelopYourModuleDesc=Some solutions to develop your own module... URL=العنوان RelativeURL=Relative URL -BoxesAvailable=Widgets available -BoxesActivated=Widgets activated +BoxesAvailable=بريمجات متاحة +BoxesActivated=بريمجات مفعلة ActivateOn=على تفعيل ActiveOn=على تفعيلها ActivatableOn=Activatable on @@ -245,8 +246,8 @@ DoNotStoreClearPassword=Encrypt passwords stored in database (NOT as plain-text) MainDbPasswordFileConfEncrypted=Encrypt database password stored in conf.php. It is strongly recommended to activate this option. InstrucToEncodePass=لديك كلمة السر المشفرة في ملف conf.php، استبدال الخط
$ dolibarr_main_db_pass = "..."؛
بواسطة
$ dolibarr_main_db_pass = "crypted:٪ ليالي". InstrucToClearPass=لديك كلمة مرور فك الشفرة (واضح) في ملف conf.php، استبدال الخط
$ dolibarr_main_db_pass = "crypted: ...".
بواسطة
$ dolibarr_main_db_pass = "%s". -ProtectAndEncryptPdfFiles=Protect generated PDF files. This is NOT recommended as it breaks bulk PDF generation. -ProtectAndEncryptPdfFilesDesc=Protection of a PDF document keeps it available to read and print with any PDF browser. However, editing and copying is not possible anymore. Note that using this feature makes building of a global merged PDFs not working. +ProtectAndEncryptPdfFiles=حماية صيغة المستندات المتنقلة . غير منصوح به لانه يوقف التوليد الكمي للملفات بصيغة المستندات المتنقلة +ProtectAndEncryptPdfFilesDesc=حماية الملفات بصيغة المستندات المتنقلة يجعلها متاحة للقراءة والطباعة في اي مستعرض لصيغة المستندات المتنقلة . لكن النسخ والتعديل غير ممكن بعد ذلك. يرجى ملاحظة ان هذه الميزة تجعل ميزة توليد ملفات مدمجة بصيغة المستندات المتنقلة غير ممكن Feature=ميزة DolibarrLicense=الترخيص Developpers=مطوري / المساهمين @@ -277,21 +278,21 @@ FontSize=Font size Content=Content NoticePeriod=فترة إشعار NewByMonth=New by month -Emails=Emails -EMailsSetup=Emails setup +Emails=رسائل البريد الإلكترونية +EMailsSetup=إعدادات رسائل البريد الإلكترونية EMailsDesc=This page allows you to set parameters or options for email sending. -EmailSenderProfiles=Emails sender profiles -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. +EmailSenderProfiles=ملفات تعريف مرسلي رسائل البريد الإلكترونية +EMailsSenderProfileDesc=يمكنك ان تبقي هذا القسم فارغاً. اذا ادخلت عناوين بريد إلكتروني هنا سيتم اضافتهم الى قائمة المرسلين المحتملين كخيار عندما تنشئ رسائل بريد إلكترونية جديدة MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Port (default value in php.ini: %s) MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Host (default value in php.ini: %s) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Port (Not defined into PHP on Unix-like systems) MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Host (Not defined into PHP on Unix-like systems) -MAIN_MAIL_EMAIL_FROM=Sender email for automatic emails (default value in php.ini: %s) -MAIN_MAIL_ERRORS_TO=Email used for error returns emails (fields 'Errors-To' in emails sent) -MAIN_MAIL_AUTOCOPY_TO= Copy (Bcc) all sent emails to +MAIN_MAIL_EMAIL_FROM=عنوان بريد المرسل لرسائل البريد الإلكترونية التلقائية (القيمة الاولية في ملف اعدادات لغة بي اتش بي %s ) +MAIN_MAIL_ERRORS_TO=عنوان رسائل البريد الإلكترونية المرجعي لأخطاء الارسال (الحقل "الاخطاء إلى" ) في البريد المرسل +MAIN_MAIL_AUTOCOPY_TO= نسخ (نسخة كربونية) كل رسائل البريد الإلكترونية المرسلة الى MAIN_DISABLE_ALL_MAILS=Disable all email sending (for test purposes or demos) -MAIN_MAIL_FORCE_SENDTO=Send all emails to (instead of real recipients, for test purposes) -MAIN_MAIL_ENABLED_USER_DEST_SELECT=Suggest emails of employees (if defined) into the list of predefined recipient when writing a new email +MAIN_MAIL_FORCE_SENDTO=إرسال جميع رسائل البريد الإلكترونية الى (بدلا عن المستلم الحقيقي لاغراض التطوير والتجربة) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=اقتراح عناوين بريد الموظفين الإلكتروني (إذا كان موجودا) في حقل المستلمين عند ارنشاء رسالة بريد جديدة MAIN_MAIL_SENDMODE=Email sending method MAIN_MAIL_SMTPS_ID=SMTP ID (if sending server requires authentication) MAIN_MAIL_SMTPS_PW=SMTP Password (if sending server requires authentication) @@ -302,9 +303,9 @@ MAIN_MAIL_EMAIL_DKIM_ENABLED=Use DKIM to generate email signature MAIN_MAIL_EMAIL_DKIM_DOMAIN=Email Domain for use with dkim MAIN_MAIL_EMAIL_DKIM_SELECTOR=Name of dkim selector MAIN_MAIL_EMAIL_DKIM_PRIVATE_KEY=Private key for dkim signing -MAIN_DISABLE_ALL_SMS=Disable all SMS sending (for test purposes or demos) -MAIN_SMS_SENDMODE=طريقة استخدامه لإرسال الرسائل القصيرة SMS -MAIN_MAIL_SMS_FROM=Default sender phone number for SMS sending +MAIN_DISABLE_ALL_SMS=تعطيل كافة الرسائل النصية القصيرة (لأغراض التجربة و التطوير) +MAIN_SMS_SENDMODE=طريقة إرسال الرسائل النصية القصيرة +MAIN_MAIL_SMS_FROM=رقم هاتف المرسل الاولي لارسال الرسائل النصية القصيرة MAIN_MAIL_DEFAULT_FROMTYPE=Default sender email for manual sending (User email or Company email) UserEmail=User email CompanyEmail=Company Email @@ -385,7 +386,7 @@ ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\myapp\\mydocumentdir\ FollowingSubstitutionKeysCanBeUsed=
لمعرفة كيفية إنشاء قوالب المستند ODT، قبل تخزينها في تلك الدلائل، وقراءة وثائق ويكي: FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=موقف الإسم / اسم -DescWeather=The following images will be shown on the dashboard when the number of late actions reach the following values: +DescWeather=الصور التالية سيتم عرضها على لوحة المعلومات عندما يصل عدد الاجرائات المتأخرة للقيم التالية: KeyForWebServicesAccess=مفتاح لاستخدام خدمات الشبكة العالمية (المعلمة "dolibarrkey" في webservices) TestSubmitForm=اختبار شكل مساهمة 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. @@ -395,9 +396,9 @@ ResponseTimeout=استجابة مهلة SmsTestMessage=رسالة اختبار من __PHONEFROM__ إلى __PHONETO__ ModuleMustBeEnabledFirst=يجب تمكين وحدة%s أولا إذا كنت تحتاج هذه الميزة. SecurityToken=المفتاح لعناوين المواقع الآمنة -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=Global options for PDF generation +NoSmsEngine=لايوجد مدير إرسال الرسائل النصية القصيرة . مدير إرسال الرسائل النصية القصيرة غير مثبت بصورة اولية لانه يعتمد على مورد خارجي ، لكن يمكنك ايجاد واحد هنا %s +PDF=صيغة المستندات المتنقلة +PDFDesc=الخيارات العامة لتوليد ملفات صيغة المستندات المتنقلة PDFAddressForging=Rules for address section HideAnyVATInformationOnPDF=Hide all information related to Sales Tax / VAT PDFRulesForSalesTax=Rules for Sales Tax / VAT @@ -452,9 +453,9 @@ ExtrafieldParamHelpsellist=List of values comes from a table
Syntax: table_na ExtrafieldParamHelpchkbxlst=List of values comes from a table
Syntax: table_name:label_field:id_field::filtersql
Example: c_typent:libelle:id::filtersql

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

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

In order to have the list depending on another list:
c_typent:libelle:id:parent_list_code|parent_column:filter ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
Syntax: ObjectName:Classpath ExtrafieldParamHelpSeparator=Keep empty for a simple separator
Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) -LibraryToBuildPDF=Library used for PDF generation +LibraryToBuildPDF=المكتبة المستخدمة لتوليد ملفات صيغة المستندات المتنقلة 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 +SMS=الرسائل النصية القصيرة LinkToTestClickToDial=Enter a phone number to call to show a link to test the ClickToDial url for user %s RefreshPhoneLink=Refresh link LinkToTest=Clickable link generated for user %s (click phone number to test) @@ -1152,14 +1153,14 @@ CompanyCurrency=العملة الرئيسية CompanyObject=وجوه من الشركة IDCountry=ID country Logo=شعار -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) +LogoDesc=الشعار الرئيسي للشركة . سوف يستخدم في الملفات المولدة (صيغة المستندات المتنقلة ....) LogoSquarred=Logo (squarred) LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). DoNotSuggestPaymentMode=لا توحي NoActiveBankAccountDefined=لا يعرف في حساب مصرفي نشط OwnerOfBankAccount=صاحب الحساب المصرفي %s BankModuleNotActive=الحسابات المصرفية وحدة لا يمكن -ShowBugTrackLink=مشاهدة الرابط "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=تنبيهات DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=يجب تشغيل هذا الأ YourPHPDoesNotHaveSSLSupport=وظائف خدمة تصميم المواقع لا تتوفر في بي الخاص بك DownloadMoreSkins=مزيد من جلود بتحميل SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=ترجمة جزئية @@ -1690,7 +1692,7 @@ AdvancedEditor=محرر متقدم ActivateFCKeditor=تفعيل محرر متقدم ل: FCKeditorForCompany=WYSIWIG إنشاء / الطبعة شركات ووصف المذكرة FCKeditorForProduct=WYSIWIG إنشاء / الطبعة المنتجات / الخدمات ووصف المذكرة -FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. +FCKeditorForProductDetails=إنشاء \\ تعديل تفاصيل المنتجات على طريقة الطباعة "ما تراه ستحصل عليه" لجميع المستندات (المقترحات،الاوامر،الفواتير،...) تحذير: إستخدام هذه الخاصية غير منصوح به بشدة بسبب مشاكل المحارف الخاصة وتنسيق الصفحات وذلك عند توليد ملفات بصيغة المستندات المتنقلة . FCKeditorForMailing= WYSIWIG إنشاء / الطبعة بالبريد FCKeditorForUserSignature=إنشاء WYSIWIG / طبعة التوقيع المستعمل FCKeditorForMail=WYSIWIG creation/edition for all mail (except Tools->eMailing) @@ -1947,7 +1949,7 @@ AddRemoveTabs=Add or remove tabs AddDataTables=Add object tables AddDictionaries=Add dictionaries tables AddData=Add objects or dictionaries data -AddBoxes=Add widgets +AddBoxes=إضافة بريمجات AddSheduledJobs=Add scheduled jobs AddHooks=Add hooks AddTriggers=Add triggers @@ -1972,11 +1974,11 @@ BaseCurrency=Reference currency of the company (go into setup of company to chan WarningNoteModuleInvoiceForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016). WarningNoteModulePOSForFrenchLaw=This module %s is compliant with French laws (Loi Finance 2016) because module Non Reversible Logs is automatically activated. WarningInstallationMayBecomeNotCompliantWithLaw=You 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=Left margin on PDF -MAIN_PDF_MARGIN_RIGHT=Right margin on PDF -MAIN_PDF_MARGIN_TOP=Top margin on PDF -MAIN_PDF_MARGIN_BOTTOM=Bottom margin on PDF -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF +MAIN_PDF_MARGIN_LEFT=الهامش الايسر على ملفات صيغة المستندات المتنقلة +MAIN_PDF_MARGIN_RIGHT=الهامش الايمن لملفات صيغة المستندات المتنقلة +MAIN_PDF_MARGIN_TOP=الهامش العلوي لصيغة المستندات المتنقلة +MAIN_PDF_MARGIN_BOTTOM=الهامش العلوي لصيغة المستندات المتنقلة +MAIN_DOCUMENTS_LOGO_HEIGHT=ارتفاع الشعار على صيغة المستندات المتنقلة 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 @@ -1994,7 +1996,7 @@ 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 +SwapSenderAndRecipientOnPDF=إبدال مكان عنوان المرسل والمستقبل على ملفات صيغة المستندات المتنقلة FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists 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). @@ -2031,8 +2033,8 @@ FormatZip=الرمز البريدي MainMenuCode=Menu entry code (mainmenu) ECMAutoTree=Show automatic ECM tree OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. -OpeningHours=Opening hours -OpeningHoursDesc=Enter here the regular opening hours of your company. +OpeningHours=ساعات الافتتاح +OpeningHoursDesc=ادخل هنا ساعات الافتتاح لشركتك ResourceSetup=Configuration of Resource module UseSearchToSelectResource=Use a search form to choose a resource (rather than a drop-down list). DisabledResourceLinkUser=Disable feature to link a resource to users @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2092,11 +2094,11 @@ EmailTemplate=Template for email EMailsWillHaveMessageID=Emails will have a tag 'References' matching this syntax PDF_SHOW_PROJECT=Show project on document ShowProjectLabel=Project Label -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. +PDF_USE_ALSO_LANGUAGE_CODE=اذا كنت ترغب في تكرار بعض النصوص بلغتين مختلفتين في ملفاتك المولدة بصيغة المستندات المتنقلة . يجب عليك ان ان تحدد اللغة الثانية هنا حتى يتسنى للملفات المولدة ان تحتوي على لغتين في نفس الصفحة . اللغة المختارة اثناء توليد المستند واللغة المختارة هنا (فقط بعض قوالب صيغة المستندات المتنقلة تدعم هذه الميزة) . ابق الخيار فارغاً للتوليد بلغة واحدة FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. FeatureNotAvailableWithReceptionModule=Feature not available when module Reception is enabled -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets +RssNote=ملاحظة: كل تعريف لمصدر اخبار مختصرة يوفر بريمج يجب تفعيله ليكون متاحا في لوحة المعلومات +JumpToBoxes=اذهب الى الاعدادت -> البريمجات MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. TemplateAdded=Template added @@ -2111,7 +2113,7 @@ ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. CombinationsSeparator=Separator character for product combinations SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. +SHOW_SUBPRODUCT_REF_IN_PDF=اذا كانت الميزة "%s" من الوحدة %s مستخدمة ، اظهر التفاصيل للمنتجات الفرعية في الملفات بصيغة المستندات المتنقلة AskThisIDToYourBank=Contact your bank to get this ID AdvancedModeOnly=Permision available in Advanced permission mode only ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/ar_SA/banks.lang b/htdocs/langs/ar_SA/banks.lang index dec71e2691c..98a3eedaaf9 100644 --- a/htdocs/langs/ar_SA/banks.lang +++ b/htdocs/langs/ar_SA/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=مدفوعات الضرائب الاجتماعية / BankTransfer=تحويل الرصيد BankTransfers=تحويلات الرصيد MenuBankInternalTransfer=حوالة داخلية -TransferDesc=التحويل من حساب إلى آخر ، ستكتب Dolibarr سجلين (خصم في حساب المصدر وائتمان في الحساب الهدف). سيتم استخدام نفس المبلغ (باستثناء العلامة) والملصق والتاريخ لهذه المعاملة) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=من TransferTo=إلى TransferFromToDone=التحويل من %sإلى %sمن %s%s قد تم تسجيلة. -CheckTransmitter=المرسل +CheckTransmitter=مرسل ValidateCheckReceipt=تأكيد صحة الشيك المستلم؟ -ConfirmValidateCheckReceipt=هل تريد تأكيد هذا الشيك ، لن يكون من الممكن إجراء أي تغيير بعد الانتهاء من ذلك؟ +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=حذف هذا الشيك ؟ ConfirmDeleteCheckReceipt=هل انت متأكد أنك تريد حذف هذا الشيك؟ BankChecks=الشيكات المصرفية @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=هل تريد بالتأكيد حذف هذه المعا ThisWillAlsoDeleteBankRecord=سيؤدي هذا أيضا إلى حذف القيد البنكي الذي تم إنشاؤه BankMovements=حركات PlannedTransactions=المعاملات المخططة -Graph=الرسومات +Graph=Graphs ExportDataset_banque_1=القيود البنكية وكشف الحساب ExportDataset_banque_2=قسيمة الإيداع TransactionOnTheOtherAccount=معاملة على الحساب الآخر @@ -142,7 +142,7 @@ AllAccounts=جميع الحسابات المصرفية والنقدية BackToAccount=عودة إلى الحساب ShowAllAccounts=عرض لجميع الحسابات FutureTransaction=الصفقة المستقبلية. غير قادر على التسوية. -SelectChequeTransactionAndGenerate=حدد / تصفية الشيكات لتضمينها في إيصال إيداع الشيك وانقر على "إنشاء". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=اختيار كشف الحساب البنكي ذات الصلة مع التسوية. استخدام قيمة رقمية للفرز: شهر سنة أو يوم شهر سنة EventualyAddCategory=في نهاية المطاف، حدد الفئة التي لتصنيف السجلات ToConciliate=للتسوية؟ diff --git a/htdocs/langs/ar_SA/bills.lang b/htdocs/langs/ar_SA/bills.lang index a82852b2eaa..4f33681d88c 100644 --- a/htdocs/langs/ar_SA/bills.lang +++ b/htdocs/langs/ar_SA/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=تحويل الفائض المستلم إلى خصم م EnterPaymentReceivedFromCustomer=أدخل الدفعة المستلمة من العميل EnterPaymentDueToCustomer=انشاء استحقاق دفع للعميل DisabledBecauseRemainderToPayIsZero=معطل لأن المتبقي غير المسدد يساوي صفر -PriceBase=سعر الأساس +PriceBase=Base price BillStatus=حالة الفاتورة StatusOfGeneratedInvoices=حالة الفواتير المنشأة BillStatusDraft=مسودة (يجب التحقق من صحتها) @@ -454,7 +454,7 @@ RegulatedOn=وتنظم على ChequeNumber=رقم الشيك ChequeOrTransferNumber=رقم شيك / تحويل ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=الشيكات المصرفية CheckBank=الشيك NetToBePaid=الصافي للدفع diff --git a/htdocs/langs/ar_SA/boxes.lang b/htdocs/langs/ar_SA/boxes.lang index a95a4943e9c..bb7d024ab37 100644 --- a/htdocs/langs/ar_SA/boxes.lang +++ b/htdocs/langs/ar_SA/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=الإشارات المرجعية: أحدث %s BoxOldestExpiredServices=أقدم الخدمات النشطة منتهية الصلاحية BoxLastExpiredServices=أحدث %s أقدم جهات اتصال مع خدمات منتهية الصلاحية نشطة BoxTitleLastActionsToDo=أحدث إجراءات %s للقيام بها -BoxTitleLastContracts=أحدث %s عقود معدلة -BoxTitleLastModifiedDonations=أحدث %s التبرعات المعدلة -BoxTitleLastModifiedExpenses=أحدث %s تقارير النفقات المعدلة -BoxTitleLatestModifiedBoms=أحدث %s BOMs معدلة -BoxTitleLatestModifiedMos=أحدث %s أوامر التصنيع المعدلة +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=العملاء الذين تجاوزا الحد الاقصى BoxGlobalActivity=النشاط العام (الفواتير ، العروض ، الطلبات) BoxGoodCustomers=عملاء جيدون @@ -97,8 +97,8 @@ ForCustomersInvoices=فواتير العملاء ForCustomersOrders=أوامر العملاء ForProposals=عروض LastXMonthRolling=آخر %s شهر متداول -ChooseBoxToAdd=إضافة widget إلى لوحة القيادة الخاصة بك -BoxAdded=تمت إضافة widget في لوحة القيادة الخاصة بك +ChooseBoxToAdd=إضافة بريمج إلى لوحة معلوماتك +BoxAdded=تمت إضافة البريمج الى لوحة معلوماتك BoxTitleUserBirthdaysOfMonth=أعياد الميلاد لهذا الشهر (المستخدمون) BoxLastManualEntries=تم إدخال أحدث سجل في المحاسبة يدويًا أو بدون مستند المصدر BoxTitleLastManualEntries=%s تم إدخال أحدث سجل يدويًا أو بدون مستند المصدر diff --git a/htdocs/langs/ar_SA/cashdesk.lang b/htdocs/langs/ar_SA/cashdesk.lang index 0fdc5513233..5a185a25ed9 100644 --- a/htdocs/langs/ar_SA/cashdesk.lang +++ b/htdocs/langs/ar_SA/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=ورود Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=المتصفح BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/ar_SA/categories.lang b/htdocs/langs/ar_SA/categories.lang index 86b8186e362..999806d7f7b 100644 --- a/htdocs/langs/ar_SA/categories.lang +++ b/htdocs/langs/ar_SA/categories.lang @@ -3,20 +3,20 @@ Rubrique=العلامة / الفئة Rubriques=الكلمات / فئات RubriquesTransactions=علامات/ فئات المعاملات categories=علامات / فئات -NoCategoryYet=لم يتم إنشاء علامة / فئة من هذا النوع +NoCategoryYet=No tag/category of this type has been created In=في AddIn=اضف الى modify=تعديل Classify=صنف CategoriesArea=منطقة الكلمات / الفئات -ProductsCategoriesArea=منطقة المنتجات / الخدمات العلامات / الفئات -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=منطقة علامات / فئات العملاء  -MembersCategoriesArea=منطقة علامات / فئات الأعضاء  -ContactsCategoriesArea=منطقة اتصالات العلامات / الفئات -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=منطقة علامات / فئات المشاريع -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=قائمة العلامات / الفئات CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/ar_SA/companies.lang b/htdocs/langs/ar_SA/companies.lang index 7be97a35374..ca1bc140766 100644 --- a/htdocs/langs/ar_SA/companies.lang +++ b/htdocs/langs/ar_SA/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=اسم الشركة %s موجود بالفعل. اختر واحد اخر. ErrorSetACountryFirst=اضبط البلد أولاً SelectThirdParty=حدد طرفًا ثالثًا -ConfirmDeleteCompany=هل أنت متأكد أنك تريد حذف هذه الشركة وجميع المعلومات الموروثة عنها؟ +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=حذف جهة اتصال | عنوان -ConfirmDeleteContact=هل أنت متأكد أنك تريد حذف جهة الاتصال هذه وجميع المعلومات الموروثة؟ +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=طرف ثالث جديد MenuNewCustomer=عميل جديد MenuNewProspect=فرصة جديدة @@ -43,10 +43,10 @@ Individual=فرد ToCreateContactWithSameName=سيتم إنشاء جهة اتصال | عنوان تلقائيًا بنفس المعلومات مثل الطرف الثالث التابع للطرف الثالث. في معظم الحالات ، حتى لو كان الطرف الثالث شخصًا ماديًا ، يكفي إنشاء طرف ثالث بمفرده. ParentCompany=الشركة الأم Subsidiaries=الشركات التابعة -ReportByMonth=Report per month -ReportByCustomers=Report per customer -ReportByThirdparties=Report per thirdparty -ReportByQuarter=Report per rate +ReportByMonth=تقرير لكل شهر +ReportByCustomers=تقرير لكل عميل +ReportByThirdparties=تقرير لكل طرف ثالث +ReportByQuarter=تقرير لكل معدل CivilityCode=قواعد السلوك RegisteredOffice=مكتب مسجل Lastname=اللقب @@ -69,7 +69,7 @@ PhoneShort=الهاتف Skype=سكايب Call=مكالمة Chat=دردشة -PhonePro=هاتف العمل +PhonePro=Bus. phone PhonePerso=الهاتف الشخصي PhoneMobile=الجوال No_Email=رفض الرسائل الإلكترونية الجماعية @@ -78,7 +78,7 @@ Zip=الرمز البريدي Town=مدينة Web=الويب Poste= المنصب -DefaultLang=اللغة الافتراضية +DefaultLang=Default language VATIsUsed=تطبق ضريبة المبيعات VATIsUsedWhenSelling=يحدد هذا ما إذا كان هذا الطرف الثالث يتضمن ضريبة بيع أم لا عندما يُصدر فاتورة لعملائه VATIsNotUsed=لا تطبق ضريبة المبيعات @@ -331,7 +331,7 @@ CustomerCodeDesc=كود العميل فريد لجميع العملاء SupplierCodeDesc=كود المورد ، فريد لجميع الموردين RequiredIfCustomer=مطلوب ، إذا كان الطرف الثالث عميلاً أو فرصة RequiredIfSupplier=مطلوب إذا كان الطرف الثالث موردا -ValidityControledByModule=الصلاحية يتحكم بها في الوحدة +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=قواعد هذه الوحدة ProspectToContact=فرصة للاتصال CompanyDeleted=تم حذف شركة "%s" من قاعدة البيانات. @@ -439,22 +439,22 @@ ListSuppliersShort=قائمة الموردين ListProspectsShort=قائمة الفرص ListCustomersShort=قائمة العملاء ThirdPartiesArea=الأطراف الثالثة | جهات الاتصال -LastModifiedThirdParties=آخر %s أطراف ثالثة معدلة -UniqueThirdParties=إجمالي الأطراف الثالثة +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=فتح ActivityCeased=مغلق ThirdPartyIsClosed=الطرف الثالث مغلق -ProductsIntoElements=قائمة المنتجات | الخدمات في %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=فاتورة مستحقة حاليا OutstandingBill=الأعلى للفاتورة المستحقة OutstandingBillReached=الأعلى لفاتورة مستحقة وصلت OrderMinAmount=الحد الأدنى للطلب -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. +MonkeyNumRefModelDesc=إنشاء رقم على الصيغة %s yymm-nnnn للعميل و المورد %s حيث ال yy تمثل رقم السنة وال mm تمثل الشهر وال nnnn تمثل رقم تسلسلي بدون فواصل وبدون العودة للصفر LeopardNumRefModelDesc=الكود مجاني. يمكن تعديل هذا الكود في أي وقت. ManagingDirectors=اسم المدير (المديرون) (الرئيس التنفيذي ، المدير ، الرئيس) MergeOriginThirdparty=طرف ثالث مكرر (الطرف الثالث الذي تريد حذفه) MergeThirdparties=دمج أطراف ثالثة -ConfirmMergeThirdparties=هل أنت متأكد أنك تريد دمج هذا الطرف الثالث في الطرف الحالي؟ سيتم نقل جميع العناصر المرتبطة (الفواتير ، الطلبات) إلى الطرف الثالث الحالي ، ثم سيتم حذف الطرف الثالث. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=تم دمج الأطراف الثالثة SaleRepresentativeLogin=تسجيل دخول مندوب مبيعات SaleRepresentativeFirstname=الاسم الأول لمندوب المبيعات diff --git a/htdocs/langs/ar_SA/compta.lang b/htdocs/langs/ar_SA/compta.lang index 97365780ddc..ec9245b6d0e 100644 --- a/htdocs/langs/ar_SA/compta.lang +++ b/htdocs/langs/ar_SA/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=خصم جديد NewCheckDeposit=تأكد من ايداع جديدة NewCheckDepositOn=تهيئة لتلقي الودائع على حساب : ٪ ق NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=استقبال المدخلات تاريخ الشيك +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=دفع ضريبة اجتماعية / مالية PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/ar_SA/ecm.lang b/htdocs/langs/ar_SA/ecm.lang index 94e1664bd58..294e2392a98 100644 --- a/htdocs/langs/ar_SA/ecm.lang +++ b/htdocs/langs/ar_SA/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/ar_SA/errors.lang b/htdocs/langs/ar_SA/errors.lang index 8ed6de325ed..fdb1bef1b89 100644 --- a/htdocs/langs/ar_SA/errors.lang +++ b/htdocs/langs/ar_SA/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=أي خطأ، ونحن نلزم # Errors ErrorButCommitIsDone=تم العثور على أخطاء لكننا تحقق على الرغم من هذا -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=عنوان الموقع هو الخطأ %s +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=ادخل ٪ ق موجود بالفعل. @@ -46,8 +46,8 @@ ErrorWrongDate=تاريخ غير صحيح! ErrorFailedToWriteInDir=لم يكتب في دليل ٪ ق ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=العثور على بريد إلكتروني صحيح لتركيب خطوط ق ٪ في ملف (على سبيل المثال خط ٪ ق= ٪ مع البريد الإلكتروني) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=تتطلب بعض المجالات لم تملأ. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=فشل إنشاء دليل. تأكد من أن خادم الويب المستخدم أذونات لكتابة وثائق Dolibarr في الدليل. إذا تم تمكين المعلم safe_mode على هذا PHP ، تحقق من أن ملفات Dolibarr php تملك لخدمة الويب المستخدم (أو مجموعة). ErrorNoMailDefinedForThisUser=البريد لا يعرف لهذا المستخدم ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = إعدادات +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = حوالة مصرفية +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = منتهي +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/ar_SA/help.lang b/htdocs/langs/ar_SA/help.lang index e4944b4b5b5..f7cf58faef5 100644 --- a/htdocs/langs/ar_SA/help.lang +++ b/htdocs/langs/ar_SA/help.lang @@ -1,10 +1,10 @@ # Dolibarr language file - Source file is en_US - help CommunitySupport=منتدى / ويكي الدعم EMailSupport=دعم رسائل البريد الإلكتروني -RemoteControlSupport=الوقت الحقيقي عبر الإنترنت / الدعم عن بعد +RemoteControlSupport=Online real-time / remote support OtherSupport=دعم آخر ToSeeListOfAvailableRessources=للاتصال / الاطلاع على الموارد المتاحة: -HelpCenter=مركز المساعدة +HelpCenter=Help Center DolibarrHelpCenter=Dolibarr Help and Support Center ToGoBackToDolibarr=Otherwise, click here to continue to use Dolibarr. TypeOfSupport=Type of support @@ -17,7 +17,7 @@ TypeHelpOnly=المساعدة فقط TypeHelpDev=مساعدة + التنمية 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): +LinkToGoldMember=يمكنك اختيار احد المدربين المختارين مسبقا بواسطة دوليبار من اجل لغتك (1%s) بالضغط على البريمج الخاص بهم (يتم تحديث الحالة والحد الاعلى للسعر تلقائياً) PossibleLanguages=اللغات المدعومة SubscribeToFoundation=Help the Dolibarr project, subscribe to the foundation SeeOfficalSupport=للحصول على دعم رسمي من دوليبار بلغتك:
%s diff --git a/htdocs/langs/ar_SA/knowledgemanagement.lang b/htdocs/langs/ar_SA/knowledgemanagement.lang new file mode 100644 index 00000000000..1648a9582a8 --- /dev/null +++ b/htdocs/langs/ar_SA/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = إعدادات +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = حول +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = عنصر +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/ar_SA/mails.lang b/htdocs/langs/ar_SA/mails.lang index 384cda2c563..d01d415c937 100644 --- a/htdocs/langs/ar_SA/mails.lang +++ b/htdocs/langs/ar_SA/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=نسخة إلى MailToCCUsers=Copy to users(s) MailCCC=نسخة إلى نسخة -MailTopic=Email topic +MailTopic=Email subject MailText=رسالة MailFile=الملفات المرفقة MailMessage=هيئة البريد الإلكتروني @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=وقد تم تكوين إرسال البريد الإلكتروني الإعداد ل'٪ ق'. هذا الوضع لا يمكن أن تستخدم لإرسال إرساله عبر البريد الإلكتروني الشامل. MailSendSetupIs2=يجب عليك أولا الذهاب، مع حساب مشرف، في القائمة٪ sHome - إعداد - رسائل البريد الإلكتروني٪ s إلى تغيير المعلمة '٪ ق' لاستخدام وضع '٪ ق'. مع هذا الوضع، يمكنك إدخال الإعداد خادم SMTP المقدمة من قبل موفر خدمة الإنترنت واستخدام قداس ميزة البريد الإلكتروني. MailSendSetupIs3=إذا كان لديك أي أسئلة حول كيفية إعداد ملقم SMTP الخاص بك، يمكنك أن تطلب إلى٪ s. diff --git a/htdocs/langs/ar_SA/main.lang b/htdocs/langs/ar_SA/main.lang index bb91885ee64..ce51cd01c65 100644 --- a/htdocs/langs/ar_SA/main.lang +++ b/htdocs/langs/ar_SA/main.lang @@ -160,7 +160,7 @@ AddToDraft=أضف إلى المسودة Update=تحديث Close=إغلاق CloseAs=ضبط الحالة على -CloseBox=إزالة القطعة (widget) من لوحة القيادة الخاصة بك +CloseBox=إزالة بريمج من لوحة معلوماتك Confirm=تأكيد ConfirmSendCardByMail=هل تريد حقًا إرسال محتوى هذه البطاقة بالبريد إلى %s ؟ Delete=حذف @@ -180,7 +180,7 @@ SaveAndNew=حفظ وجديد TestConnection=اختبار الاتصال ToClone=استنساخ ConfirmCloneAsk=هل أنت متأكد أنك تريد استنساخ الكائن %s ؟ -ConfirmClone=اختر البيانات التي تريد استنساخها: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=لا توجد بيانات لاستنساخ محددة. Of=من Go=اذهب @@ -246,7 +246,7 @@ DefaultModel=قالب المستند الافتراضي Action=حدث About=حول Number=عدد -NumberByMonth=العدد بالشهر +NumberByMonth=Total reports by month AmountByMonth=المبلغ بالشهر Numero=عدد Limit=الحد @@ -278,7 +278,7 @@ DateModificationShort=تاريخ التعديل IPModification=تعديل IP DateLastModification=تاريخ آخر تعديل DateValidation=تاريخ الاعتماد -DateSigning=Signing date +DateSigning=تاريخ التوقيع DateClosing=الموعد النهائي DateDue=تاريخ الاستحقاق DateValue=تاريخ القيمة @@ -341,8 +341,8 @@ KiloBytes=كيلو بايت MegaBytes=ميغابايت GigaBytes=غيغا بايت TeraBytes=تيرابايت -UserAuthor=مستخدم الانشاء -UserModif=مستخدم آخر تحديث +UserAuthor=Ceated by +UserModif=Updated by b=بايت Kb=كيلوبايت Mb=ميغابايت @@ -362,7 +362,7 @@ UnitPriceHTCurrency=سعر الوحدة (غير شامل) (العملة) UnitPriceTTC=سعر الوحدة PriceU=سعر الوحدة PriceUHT=سعر الوحدة (صافي) -PriceUHTCurrency=U.P (net) (currency) +PriceUHTCurrency=سعر. الوحدة (الصافي)(العملة) PriceUTTC=السعر (شامل الضريبة) Amount=المبلغ AmountInvoice=مبلغ الفاتورة @@ -388,8 +388,8 @@ AmountLT1ES=كمية RE AmountLT2ES=كمية IRPF AmountTotal=المبلغ الإجمالي AmountAverage=متوسط المبلغ -PriceQtyMinHT=Price quantity min. (excl. tax) -PriceQtyMinHTCurrency=Price quantity min. (excl. tax) (currency) +PriceQtyMinHT=الحد الادنى لسعر الكمية . (غ.ش.ض) +PriceQtyMinHTCurrency=الحد الادنى لسعر الكمية . (غ.ش.ض)(العملة) PercentOfOriginalObject=النسبة المئوية للكائن الأصلي AmountOrPercent=المبلغ أو النسبة المئوية Percentage=نسبة مئوية @@ -503,9 +503,11 @@ By=بواسطة From=من FromDate=من تاريخ FromLocation=من -at=at to=إلى To=إلى +ToDate=إلى +ToLocation=إلى +at=على and=و or=أو Other=آخر @@ -700,7 +702,7 @@ RecordsDeleted=تم حذف %s سجل (سجلات) RecordsGenerated=تم إنشاء %s سجل (سجلات) AutomaticCode=كود تلقائي FeatureDisabled=ميزة معطلة -MoveBox=نقل (widget) القطعة +MoveBox=نقل البريمج Offered=معروض NotEnoughPermissions=ليس لديك إذن بهذا الإجراء SessionName=اسم الجلسة @@ -727,7 +729,7 @@ MenuMembers=أعضاء MenuAgendaGoogle=أجندة غوغل MenuTaxesAndSpecialExpenses=الضرائب | مصاريف خاصة ThisLimitIsDefinedInSetup=حدود دوليبار (Menu home-setup-security): %s كيلوبايت ، حد PHP: %s كيلوبايت -NoFileFound=No documents uploaded +NoFileFound=لم يتم رفع مستند CurrentUserLanguage=اللغة الحالية CurrentTheme=الواجهة الحالية CurrentMenuManager=مدير القائمة الحالي @@ -824,8 +826,8 @@ ModulesSystemTools=أدوات الوحدات Test=اختبار Element=العنصر NoPhotoYet=لا توجد صور متاحة حتى الآن -Dashboard=لوحة القيادة -MyDashboard=لوحة القيادة الخاصة بي +Dashboard=لوحة المعلومات +MyDashboard=لوحة معلوماتك Deductible=خصم from=من toward=باتجاه @@ -843,7 +845,7 @@ XMoreLines=%s بند (بنود) مخفي ShowMoreLines=عرض المزيد | أقل من البنود PublicUrl=URL العام AddBox=إضافة مربع -SelectElementAndClick=حدد عنصرًا وانقر فوق %s +SelectElementAndClick=Select an element and click on %s PrintFile=طباعة الملف %s ShowTransaction=عرض الإدخال في الحساب المصرفي ShowIntervention=عرض التدخل @@ -854,8 +856,8 @@ Denied=مرفوض ListOf=قائمة %s ListOfTemplates=قائمة القوالب Gender=جنس -Genderman=رجل -Genderwoman=امرأة +Genderman=Male +Genderwoman=Female Genderother=الآخر ViewList=عرض القائمة ViewGantt=عرض Gantt @@ -896,8 +898,8 @@ AllExportedMovementsWereRecordedAsExported=تم تسجيل جميع حركات NotAllExportedMovementsCouldBeRecordedAsExported=لا يمكن تسجيل جميع حركات التصدير على أنها مصدرة Miscellaneous=متفرقات Calendar=التقويم -GroupBy=Group by... -ViewFlatList=View flat list +GroupBy=تجميع على حسب +ViewFlatList=عرض قائمة مسطحة ViewAccountList=عرض دفتر الأستاذ ViewSubAccountList=عرض دفتر الأستاذ الفرعي RemoveString=Remove string '%s' @@ -930,18 +932,18 @@ EMailTemplates=قوالب البريد الإلكتروني FileNotShared=الملف غير متاح للجمهور الخارجي Project=المشروع Projects=مشاريع -LeadOrProject=Lead | Project -LeadsOrProjects=Leads | Projects -Lead=Lead -Leads=Leads -ListOpenLeads=List open leads -ListOpenProjects=List open projects -NewLeadOrProject=New lead or project +LeadOrProject=فرصة \\ مشروع +LeadsOrProjects=الفرص \\ المشروعات +Lead=فرصة +Leads=فرص +ListOpenLeads=قائمة الفرص المفتوحة +ListOpenProjects=قائمة المشاريع المفتوحة +NewLeadOrProject=مشروع او فرصة جديدة Rights=الصلاحيات LineNb=رقم البند IncotermLabel=مصطلحات تجارية دولية -TabLetteringCustomer=Customer lettering -TabLetteringSupplier=Vendor lettering +TabLetteringCustomer=مراسلات العملاء +TabLetteringSupplier=مراسلات الموردين Monday=الاثنين Tuesday=الثلاثاء Wednesday=الأربعاء @@ -1018,7 +1020,7 @@ SearchIntoContacts=جهات الاتصال SearchIntoMembers=أعضاء SearchIntoUsers=المستخدمين SearchIntoProductsOrServices=المنتجات أو الخدمات -SearchIntoBatch=Lots / Serials +SearchIntoBatch=الرفوف \\ الارقام التسلسلية SearchIntoProjects=مشاريع SearchIntoMO=أوامر التصنيع SearchIntoTasks=المهام @@ -1061,7 +1063,7 @@ YouAreCurrentlyInSandboxMode=أنت حاليًا في وضع %s "sandbox" Inventory=المخزون AnalyticCode=الكود التحليلي TMenuMRP=تخطيط موارد التصنيع -ShowCompanyInfos=Show company infos +ShowCompanyInfos=عرض معلومات الشركة ShowMoreInfos=إظهار المزيد من المعلومات NoFilesUploadedYet=الرجاء رفع الوثيقة أولا SeePrivateNote=مشاهدة ملاحظة خاصة @@ -1126,6 +1128,7 @@ Civility=Civility AffectTag=Affect Tag ConfirmAffectTag=Bulk Tag Affect ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)? -CategTypeNotFound=No tag type found for type of records -CopiedToClipboard=Copied to clipboard -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +CategTypeNotFound=لا يوجد ملصق لنوع السجل +CopiedToClipboard=تم النسخ الى الحافظة +InformationOnLinkToContract=هذا المبلغ هو مجموع بنود العقد . دون مراعاة قيمة الزمن +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/ar_SA/members.lang b/htdocs/langs/ar_SA/members.lang index 343db0da8b5..ecb209b3f8b 100644 --- a/htdocs/langs/ar_SA/members.lang +++ b/htdocs/langs/ar_SA/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=عضو آخر (الاسم : ٪ ق< ErrorUserPermissionAllowsToLinksToItselfOnly=لأسباب أمنية ، يجب أن تمنح أذونات لتحرير جميع المستخدمين لتكون قادرة على ربط عضو لمستخدم هذا ليس لك. SetLinkToUser=وصلة إلى مستخدم Dolibarr SetLinkToThirdParty=وصلة إلى طرف ثالث Dolibarr -MembersCards=أعضاء طباعة البطاقات +MembersCards=Business cards for members MembersList=قائمة الأعضاء MembersListToValid=قائمة مشاريع أعضاء (ينبغي التأكد من صحة) MembersListValid=قائمة أعضاء صالحة @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=أعضاء مع اشتراك لتلقي MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=تاريخ الاكتتاب DateEndSubscription=تاريخ انتهاء الاكتتاب -EndSubscription=انتهاء الاكتتاب +EndSubscription=Subscription Ends SubscriptionId=الاكتتاب معرف WithoutSubscription=Without subscription MemberId=عضو المعرف @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=الاشتراك المطلوب DeleteType=حذف VoteAllowed=يسمح التصويت -Physical=المادية -Moral=الأخلاقية -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=أعضاء إحصاءات حسب البلد MembersStatisticsByState=أعضاء إحصاءات الولاية / المقاطعة MembersStatisticsByTown=أعضاء إحصاءات بلدة MembersStatisticsByRegion=إحصائيات الأعضاء حسب المنطقة -NbOfMembers=عدد الأعضاء -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=العثور على أي أعضاء التحقق من صحة -MembersByCountryDesc=هذه الشاشة تظهر لك إحصاءات عن أعضاء من الدول. لكن الرسم يعتمد على خدمة غوغل الرسم البياني على الإنترنت ويتوفر فقط إذا كان على اتصال بالإنترنت ويعمل. -MembersByStateDesc=هذه الشاشة تظهر لك إحصاءات عن أفراد من قبل الدولة / المحافظات / كانتون. -MembersByTownDesc=هذه الشاشة تظهر لك إحصاءات عن أفراد من البلدة. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=اختيار الإحصاءات التي ترغب في قراءتها ... MenuMembersStats=إحصائيات -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=معلومات علنية +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=وأضاف عضو جديد. تنتظر الموافقة NewMemberForm=الأعضاء الجدد في شكل -SubscriptionsStatistics=إحصاءات عن الاشتراكات +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=عدد الاشتراكات -AmountOfSubscriptions=حجم الاشتراكات +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=دوران (لشركة) أو الميزانية (على أساس) DefaultAmount=المبلغ الافتراضي للاكتتاب CanEditAmount=يمكن للزائر اختيار / تحرير كمية من اكتتابها MEMBER_NEWFORM_PAYONLINE=القفز على صفحة الدفع عبر الانترنت المتكاملة ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=هذه الشاشة تظهر لك إحصاءات عن أعضاء من الطبيعة. -MembersByRegion=هذه الشاشة تظهر لك إحصاءات عن أعضاء حسب المنطقة. VATToUseForSubscriptions=معدل ضريبة القيمة المضافة لاستخدامه في اشتراكات NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=المنتج يستخدم لخط الاشتراك في فاتورة و:٪ الصورة diff --git a/htdocs/langs/ar_SA/modulebuilder.lang b/htdocs/langs/ar_SA/modulebuilder.lang index 19afb9d95ab..a430c605f45 100644 --- a/htdocs/langs/ar_SA/modulebuilder.lang +++ b/htdocs/langs/ar_SA/modulebuilder.lang @@ -19,7 +19,7 @@ ModuleBuilderDescmenus=This tab is dedicated to define menu entries provided by ModuleBuilderDescpermissions=This tab is dedicated to define the new permissions you want to provide with your module. ModuleBuilderDesctriggers=This is the view of triggers provided by your module. To include code executed when a triggered business event is launched, just edit this file. ModuleBuilderDeschooks=This tab is dedicated to hooks. -ModuleBuilderDescwidgets=This tab is dedicated to manage/build widgets. +ModuleBuilderDescwidgets=علامة التبويب هذه مخصصة لبناء\\إدارة البريمجات 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! @@ -60,7 +60,7 @@ 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 +WidgetFile=ملف بريمج CSSFile=CSS file JSFile=Javascript file ReadmeFile=Readme file @@ -77,7 +77,7 @@ UseAsciiDocFormat=You can use Markdown format, but it is recommended to use Asci IsAMeasure=Is a measure DirScanned=Directory scanned NoTrigger=No trigger -NoWidget=No widget +NoWidget=لا يوجد بريمج GoToApiExplorer=API explorer ListOfMenusEntries=List of menu entries ListOfDictionariesEntries=List of dictionaries entries @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) @@ -116,7 +116,7 @@ UseSpecificReadme=Use a specific ReadMe ContentOfREADMECustomized=Note: The content of the README.md file has been replaced with the specific value defined into setup of 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. +WidgetDesc=هنا يمكنك توليد وتعديل البريمجات التي ستضمن مع وحدتك البرمجية 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=You can generate here some command line scripts you want to provide with your module. diff --git a/htdocs/langs/ar_SA/other.lang b/htdocs/langs/ar_SA/other.lang index ceca65f3dae..7d4928f2519 100644 --- a/htdocs/langs/ar_SA/other.lang +++ b/htdocs/langs/ar_SA/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=الأستاذ عيد ٪ ق هي المعلومات التي تعتمد على طرف ثالث.
على سبيل المثال ، لبلد ق ٪ انها رمز ٪ ق. DolibarrDemo=Dolibarr تخطيط موارد المؤسسات وإدارة علاقات العملاء التجريبي StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/ar_SA/partnership.lang b/htdocs/langs/ar_SA/partnership.lang new file mode 100644 index 00000000000..e564bce07c2 --- /dev/null +++ b/htdocs/langs/ar_SA/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = إدارة الشراكة +PartnershipDescription = وحدة إدارة الشراكة +PartnershipDescriptionLong= وحدة إدارة الشراكة + +# +# Menu +# +NewPartnership = شراكة جديدة +ListOfPartnerships = قائمة الشراكات + +# +# Admin page +# +PartnershipSetup = إعدادات الشراكة +PartnershipAbout = حول الشراكة +PartnershipAboutPage = صفحة حول الشراكة + + +# +# Object +# +DatePartnershipStart=تاريخ البدء +DatePartnershipEnd=تاريخ الانتهاء + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = حوالة مصرفية +PartnershipAccepted = قبلت +PartnershipRefused = رفض +PartnershipCanceled = ملغي + +PartnershipManagedFor=الشركاء هم diff --git a/htdocs/langs/ar_SA/productbatch.lang b/htdocs/langs/ar_SA/productbatch.lang index e7226260a14..5c01404e42f 100644 --- a/htdocs/langs/ar_SA/productbatch.lang +++ b/htdocs/langs/ar_SA/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/ar_SA/products.lang b/htdocs/langs/ar_SA/products.lang index 233bd0fef15..9632cb061db 100644 --- a/htdocs/langs/ar_SA/products.lang +++ b/htdocs/langs/ar_SA/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=خدمات ليست للبيع ولا الشراء ServicesOnSellAndOnBuy=خدمات للبيع والشراء -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=المنتج @@ -73,12 +73,12 @@ SellingPrice=سعر البيع SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=سعر البيع (شامل الضريبية) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=السعر الجديد -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=سعر البيع لا يمكن أن يكون أقل من الحد الأدنى المسموح لهذا المنتج (٪ ق بدون الضرائب) ContractStatusClosed=مغلق @@ -157,11 +157,11 @@ ListServiceByPopularity=قائمة الخدمات بحسب الشهرة Finished=المنتجات المصنعة RowMaterial=المادة الخام ConfirmCloneProduct=هل انت متأكد انك ترغب في استنساخ المنتج/الخدمة %s؟ -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=هذا المنتج يتم استخدامة NewRefForClone=مرجع. المنتج/ الخدمة الجديدة  SellingPrices=أسعار بيع @@ -170,12 +170,12 @@ CustomerPrices=أسعار العميل SuppliersPrices=أسعار المورد SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=بلد المنشأ -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=التسمية قصيرة Unit=وحدة p=ش. diff --git a/htdocs/langs/ar_SA/projects.lang b/htdocs/langs/ar_SA/projects.lang index a6f5248b5b0..a2305967521 100644 --- a/htdocs/langs/ar_SA/projects.lang +++ b/htdocs/langs/ar_SA/projects.lang @@ -10,19 +10,19 @@ PrivateProject=مشروع اتصالات ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=جميع المشاريع -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=هذا الرأي يعرض جميع المشاريع ويسمح لك قراءة. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=يمثل هذا العرض جميع المشاريع والمهام يسمح لك للقراءة. ProjectsDesc=ويعرض هذا الرأي جميع المشاريع (أذونات المستخدم الخاص أعطى الصلاحية لعرض كل شيء). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=المشاريع المفتوحة فقط مرئية (المشاريع في مشروع أو وضع مغلقة غير مرئية). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=هذا الرأي يعرض جميع المشاريع والمهام ويسمح لك قراءة. TasksDesc=هذا الرأي يعرض جميع المشاريع والمهام (أذونات المستخدم الخاص أعطى الصلاحية لعرض كل شيء). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=مشروع جديد @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Not assigned to the task NoUserAssignedToTheProject=No users assigned to this project TimeSpentBy=Time spent by TasksAssignedTo=Tasks assigned to -AssignTaskToMe=تعيين مهمة بالنسبة لي +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=عين diff --git a/htdocs/langs/ar_SA/recruitment.lang b/htdocs/langs/ar_SA/recruitment.lang index 43d1e0fbc55..d7464982228 100644 --- a/htdocs/langs/ar_SA/recruitment.lang +++ b/htdocs/langs/ar_SA/recruitment.lang @@ -26,7 +26,7 @@ ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job posi # Admin page # RecruitmentSetup = Recruitment setup -Settings = Settings +Settings = إعدادات RecruitmentSetupPage = Enter here the setup of main options for the recruitment module RecruitmentArea=Recruitement area PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. @@ -45,7 +45,7 @@ DateExpected=Expected date FutureManager=Future manager ResponsibleOfRecruitement=Responsible of recruitment IfJobIsLocatedAtAPartner=If job is located at a partner place -PositionToBeFilled=Job position +PositionToBeFilled=الوظيفه PositionsToBeFilled=Job positions ListOfPositionsToBeFilled=List of job positions NewPositionToBeFilled=New job positions @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/ar_SA/sendings.lang b/htdocs/langs/ar_SA/sendings.lang index b18d5eb4842..e9a5af05463 100644 --- a/htdocs/langs/ar_SA/sendings.lang +++ b/htdocs/langs/ar_SA/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Mérou A5 نموذج WarningNoQtyLeftToSend=تحذير ، لا تنتظر أن المنتجات المشحونة. -StatsOnShipmentsOnlyValidated=الإحصاءات التي أجريت على شحنات التحقق من صحة فقط. التاريخ الذي يستخدم هو تاريخ المصادقة على شحنة (تاريخ التسليم مسوى لا يعرف دائما). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=التاريخ المحدد للتسليم RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/ar_SA/sms.lang b/htdocs/langs/ar_SA/sms.lang index 779fe96fa82..7e116d24879 100644 --- a/htdocs/langs/ar_SA/sms.lang +++ b/htdocs/langs/ar_SA/sms.lang @@ -1,9 +1,9 @@ # Dolibarr language file - Source file is en_US - sms -Sms=SMS -SmsSetup=SMS الإعداد -SmsDesc=هذه الصفحة يسمح لك لتحديد الخيارات غلوبالس على ميزات SMS -SmsCard=SMS بطاقة -AllSms=جميع الرسائل القصيرة campains +Sms=الرسائل النصية القصيرة +SmsSetup=إعدادات الرسائل النصية القصيرة +SmsDesc=هذه الصفحة تمكنك من تعريف الخيارات العامة للرسائل النصية القصيرة +SmsCard=بطاقة الرسائل النصية القصيرة +AllSms=جميع حملات الرسائل النصية القصيرة SmsTargets=الأهداف SmsRecipients=الأهداف SmsRecipient=الهدف @@ -13,20 +13,20 @@ SmsTo=الهدف SmsTopic=موضوع الرسائل القصيرة SMS SmsText=رسالة SmsMessage=رسالة SMS -ShowSms=عرض الرسائل القصيرة -ListOfSms=قائمة SMS campains -NewSms=جديد SMS campain -EditSms=تحرير الرسائل القصيرة +ShowSms=Show SMS +ListOfSms=List SMS campaigns +NewSms=New SMS campaign +EditSms=Edit SMS ResetSms=جديد إرسال -DeleteSms=حذف الرسائل القصيرة campain -DeleteASms=إزالة campain الرسائل القصيرة -PreviewSms=Previuw الرسائل القصيرة -PrepareSms=إعداد الرسائل القصيرة -CreateSms=SMS إنشاء -SmsResult=نتيجة لإرسال الرسائل القصيرة -TestSms=اختبار الرسائل القصيرة -ValidSms=التحقق من صحة الرسائل القصيرة -ApproveSms=الموافقة على الرسائل القصيرة +DeleteSms=Delete SMS campaign +DeleteASms=Remove a SMS campaign +PreviewSms=Previuw SMS +PrepareSms=Prepare SMS +CreateSms=Create SMS +SmsResult=Result of SMS sending +TestSms=Test SMS +ValidSms=Validate SMS +ApproveSms=Approve SMS SmsStatusDraft=مسودة SmsStatusValidated=التحقق من صحة SmsStatusApproved=وافق @@ -35,16 +35,16 @@ SmsStatusSentPartialy=أرسلت جزئيا SmsStatusSentCompletely=أرسلت تماما SmsStatusError=خطأ SmsStatusNotSent=لم يرسل -SmsSuccessfulySent=الرسائل القصيرة المرسلة بشكل صحيح (من %s إلى %s) +SmsSuccessfulySent=SMS correctly sent (from %s to %s) ErrorSmsRecipientIsEmpty=عدد من الهدف فارغة WarningNoSmsAdded=لا رقم هاتف جديدا يضاف إلى قائمة المستهدفين -ConfirmValidSms=Do you confirm validation of this campain? -NbOfUniqueSms=ملحوظة: أرقام شعبة الشؤون المالية هاتف فريد من نوعه -NbOfSms=Nbre من أرقام فون +ConfirmValidSms=Do you confirm validation of this campaign? +NbOfUniqueSms=No. of unique phone numbers +NbOfSms=No. of phone numbers ThisIsATestMessage=هذه هي رسالة اختبار SendSms=ارسال الرسائل القصيرة -SmsInfoCharRemain=ملحوظة من الأحرف المتبقية -SmsInfoNumero= (تنسيق دولي أي: +33899701761) +SmsInfoCharRemain=No. of remaining characters +SmsInfoNumero= (international format i.e.: +33899701761) DelayBeforeSending=تأخير قبل إرسال (دقائق) SmsNoPossibleSenderFound=No sender available. Check setup of your SMS provider. SmsNoPossibleRecipientFound=لا هدف متاح. تحقق الإعداد من مزود خدمات الرسائل القصيرة. diff --git a/htdocs/langs/ar_SA/stocks.lang b/htdocs/langs/ar_SA/stocks.lang index 1a09a888ada..6b7e98f782d 100644 --- a/htdocs/langs/ar_SA/stocks.lang +++ b/htdocs/langs/ar_SA/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=لا توجد منتجات محددة سلفا ل DispatchVerb=إيفاد StockLimitShort=الحد الأقصى لتنبيه StockLimit=حد الأسهم للتنبيه -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=الحقيقية للاسهم RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/ar_SA/users.lang b/htdocs/langs/ar_SA/users.lang index bed6554cf2f..bf5dfb8c425 100644 --- a/htdocs/langs/ar_SA/users.lang +++ b/htdocs/langs/ar_SA/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=تغيير كلمة السر : ٪ ق SubjectNewPassword=Your new password for %s GroupRights=مجموعة الاذونات UserRights=أذونات المستخدم +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=يعطل DisableAUser=تعطيل المستخدم @@ -105,7 +106,7 @@ UseTypeFieldToChange=استخدام نوع الحقل لتغيير OpenIDURL=URL هوية OpenID LoginUsingOpenID=استخدام هوية OpenID للدخول WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=اللون المستخدم DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/ar_SA/website.lang b/htdocs/langs/ar_SA/website.lang index e68b7898ca8..76471f88558 100644 --- a/htdocs/langs/ar_SA/website.lang +++ b/htdocs/langs/ar_SA/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ar_SA/workflow.lang b/htdocs/langs/ar_SA/workflow.lang index a01d11731e2..d8b35f8cfe8 100644 --- a/htdocs/langs/ar_SA/workflow.lang +++ b/htdocs/langs/ar_SA/workflow.lang @@ -1,6 +1,6 @@ # Dolibarr language file - Source file is en_US - workflow WorkflowSetup=إعداد وحدة تدفق العمل -WorkflowDesc=This module provides some automatic actions. By default, the workflow is open (you can do things in the order you want) but here you can activate some automatic actions. +WorkflowDesc=هذه الوحدة توفر بعض الاجراءات التلقائية . في البداية يكون تدفق العمل مفتوحاً (يمكنك ان تعمل بالترتيب الذي تريد) لكن هنا يمكنك تفعيل بعض الجراءات التلقائية ThereIsNoWorkflowToModify=لا توجد تعديلات على سير العمل متوفرة مع الوحدات النشطة. # Autocreate descWORKFLOW_PROPAL_AUTOCREATE_ORDER=Automatically create a sales order after a commercial proposal is signed (the new order will have same amount as the proposal) diff --git a/htdocs/langs/ar_SA/zapier.lang b/htdocs/langs/ar_SA/zapier.lang index b4cc4ccba4a..f6f5cb67207 100644 --- a/htdocs/langs/ar_SA/zapier.lang +++ b/htdocs/langs/ar_SA/zapier.lang @@ -13,9 +13,9 @@ # You should have received a copy of the GNU General Public License # along with this program. If not, see . -ModuleZapierForDolibarrName = Zapier for Dolibarr -ModuleZapierForDolibarrDesc = Zapier for Dolibarr module -ZapierForDolibarrSetup=Setup of Zapier for Dolibarr -ZapierDescription=Interface with Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. +ModuleZapierForDolibarrName = زابيا لدوليبار +ModuleZapierForDolibarrDesc = وحدة زابيا لدوليبار +ZapierForDolibarrSetup=إعدادات زابيا لدوليبار +ZapierDescription=الربط مع زابيا +ZapierAbout=عن وحدة زابيا +ZapierSetupPage=لا حاجة للاعدادات من جانب دوليبار لاستخدام زابيا على دوليبار.\nلكن، لابد من إنشاء حزمة على جانب زابيا لاستخدام زابيا على دوليبار. راجع التوثيق على هذه الصفحة diff --git a/htdocs/langs/az_AZ/accountancy.lang b/htdocs/langs/az_AZ/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/az_AZ/accountancy.lang +++ b/htdocs/langs/az_AZ/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/az_AZ/admin.lang b/htdocs/langs/az_AZ/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/az_AZ/admin.lang +++ b/htdocs/langs/az_AZ/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/az_AZ/banks.lang b/htdocs/langs/az_AZ/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/az_AZ/banks.lang +++ b/htdocs/langs/az_AZ/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/az_AZ/bills.lang b/htdocs/langs/az_AZ/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/az_AZ/bills.lang +++ b/htdocs/langs/az_AZ/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/az_AZ/boxes.lang b/htdocs/langs/az_AZ/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/az_AZ/boxes.lang +++ b/htdocs/langs/az_AZ/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/az_AZ/cashdesk.lang b/htdocs/langs/az_AZ/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/az_AZ/cashdesk.lang +++ b/htdocs/langs/az_AZ/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/az_AZ/categories.lang b/htdocs/langs/az_AZ/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/az_AZ/categories.lang +++ b/htdocs/langs/az_AZ/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/az_AZ/companies.lang b/htdocs/langs/az_AZ/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/az_AZ/companies.lang +++ b/htdocs/langs/az_AZ/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/az_AZ/compta.lang b/htdocs/langs/az_AZ/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/az_AZ/compta.lang +++ b/htdocs/langs/az_AZ/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/az_AZ/ecm.lang b/htdocs/langs/az_AZ/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/az_AZ/ecm.lang +++ b/htdocs/langs/az_AZ/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/az_AZ/errors.lang b/htdocs/langs/az_AZ/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/az_AZ/errors.lang +++ b/htdocs/langs/az_AZ/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/az_AZ/knowledgemanagement.lang b/htdocs/langs/az_AZ/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/az_AZ/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/az_AZ/mails.lang b/htdocs/langs/az_AZ/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/az_AZ/mails.lang +++ b/htdocs/langs/az_AZ/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/az_AZ/main.lang b/htdocs/langs/az_AZ/main.lang index dc2a83f2015..13793aad13f 100644 --- a/htdocs/langs/az_AZ/main.lang +++ b/htdocs/langs/az_AZ/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/az_AZ/members.lang b/htdocs/langs/az_AZ/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/az_AZ/members.lang +++ b/htdocs/langs/az_AZ/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/az_AZ/modulebuilder.lang b/htdocs/langs/az_AZ/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/az_AZ/modulebuilder.lang +++ b/htdocs/langs/az_AZ/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/az_AZ/other.lang b/htdocs/langs/az_AZ/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/az_AZ/other.lang +++ b/htdocs/langs/az_AZ/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/az_AZ/partnership.lang b/htdocs/langs/az_AZ/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/az_AZ/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/az_AZ/productbatch.lang b/htdocs/langs/az_AZ/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/az_AZ/productbatch.lang +++ b/htdocs/langs/az_AZ/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/az_AZ/products.lang b/htdocs/langs/az_AZ/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/az_AZ/products.lang +++ b/htdocs/langs/az_AZ/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/az_AZ/projects.lang b/htdocs/langs/az_AZ/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/az_AZ/projects.lang +++ b/htdocs/langs/az_AZ/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/az_AZ/recruitment.lang b/htdocs/langs/az_AZ/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/az_AZ/recruitment.lang +++ b/htdocs/langs/az_AZ/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/az_AZ/sendings.lang b/htdocs/langs/az_AZ/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/az_AZ/sendings.lang +++ b/htdocs/langs/az_AZ/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/az_AZ/stocks.lang b/htdocs/langs/az_AZ/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/az_AZ/stocks.lang +++ b/htdocs/langs/az_AZ/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/az_AZ/users.lang b/htdocs/langs/az_AZ/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/az_AZ/users.lang +++ b/htdocs/langs/az_AZ/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/az_AZ/website.lang b/htdocs/langs/az_AZ/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/az_AZ/website.lang +++ b/htdocs/langs/az_AZ/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/bg_BG/accountancy.lang b/htdocs/langs/bg_BG/accountancy.lang index cd10cec3aae..8d5723bf0e8 100644 --- a/htdocs/langs/bg_BG/accountancy.lang +++ b/htdocs/langs/bg_BG/accountancy.lang @@ -202,7 +202,7 @@ Docref=Референция LabelAccount=Име на сметка LabelOperation=Име на операция Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Буквен код Lettering=Означение Codejournal=Журнал @@ -297,7 +297,7 @@ NoNewRecordSaved=Няма повече записи за осчетоводяв ListOfProductsWithoutAccountingAccount=Списък на продукти, които не са свързани с нито една счетоводна сметка ChangeBinding=Промяна на свързване Accounted=Осчетоводено в книгата -NotYetAccounted=Все още не е осчетоводено в книгата +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Показване на урок NotReconciled=Не е съгласувано WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/bg_BG/admin.lang b/htdocs/langs/bg_BG/admin.lang index 049f85e0287..80fdece280d 100644 --- a/htdocs/langs/bg_BG/admin.lang +++ b/htdocs/langs/bg_BG/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Премахнете / преименувайте файла %s%s
с права само за четене, за да забраните по-нататъшното използване на инструмента за инсталиране / актуализиране. SecuritySetup=Настройки на сигурността PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Дефинирайте тук параметрите, свързани със сигурността, относно качването на файлове. ErrorModuleRequirePHPVersion=Грешка, този модул изисква PHP версия %s или по-висока. ErrorModuleRequireDolibarrVersion=Грешка, този модул изисква Dolibarr версия %s или по-висока. @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Да не се предлага NoActiveBankAccountDefined=Няма дефинирана активна банкова сметка OwnerOfBankAccount=Титуляр на банкова сметка %s BankModuleNotActive=Модулът за банкови сметки не е активиран -ShowBugTrackLink=Показване на връзка "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Сигнали DelaysOfToleranceBeforeWarning=Закъснение преди показване на предупредителен сигнал за: DelaysOfToleranceDesc=Задаване на закъснение, преди на екрана да се покаже иконата за предупреждение %s за закъснелия елемент. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Трябва да изпълн YourPHPDoesNotHaveSSLSupport=SSL функциите не са налични във вашия PHP DownloadMoreSkins=Изтегляне на повече теми SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Показване на идентификационни данни в полетата с адреси ShowVATIntaInAddress=Скриване на вътрешнообщностния номер по ДДС в полетата с адреси TranslationUncomplete=Частичен превод @@ -2062,7 +2064,7 @@ UseDebugBar=Използване на инструменти за отстран DEBUGBAR_LOGS_LINES_NUMBER=Брой последни редове на журнал, които да се пазят в конзолата WarningValueHigherSlowsDramaticalyOutput=Внимание, по-високите стойности забавят драматично производителността ModuleActivated=Модул %s е активиран и забавя интерфейса -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/bg_BG/banks.lang b/htdocs/langs/bg_BG/banks.lang index f23019f31c0..e6676b540bb 100644 --- a/htdocs/langs/bg_BG/banks.lang +++ b/htdocs/langs/bg_BG/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Плащане на социални / фискалн BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Вътрешен превод -TransferDesc=При прехвърляне от една сметка в друга, Dolibarr ще направи два записа (дебит от сметката на източника и кредит в целевата сметка). За тази транзакция ще се използва (с изключение на подписа) същата сума, име и дата. +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=От TransferTo=За TransferFromToDone=Прехвърлянето от %s към %s на %s %s беше записано. -CheckTransmitter=Наредител +CheckTransmitter=Подател ValidateCheckReceipt=Валидиране на тази чекова разписка? -ConfirmValidateCheckReceipt=Сигурни ли сте, че искате да валидирате тази чекова разписка, няма да е възможна промяна след като това бъде направено? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Изтриване на тази чекова разписка? ConfirmDeleteCheckReceipt=Сигурни ли сте, че искате да изтриете тази чекова разписка? BankChecks=Банкови чекове @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Сигурни ли сте, че искате да из ThisWillAlsoDeleteBankRecord=Това ще изтрие и генерираната банкова транзакция BankMovements=Движения PlannedTransactions=Планирани транзакции -Graph=Графики +Graph=Graphs ExportDataset_banque_1=Банкови транзакции и извлечение по сметка ExportDataset_banque_2=Депозитна разписка TransactionOnTheOtherAccount=Транзакции по друга сметка @@ -142,7 +142,7 @@ AllAccounts=Всички банкови и касови сметки BackToAccount=Обратно към сметка ShowAllAccounts=Показване на всички сметки FutureTransaction=Бъдеща транзакция. Не може да се съгласува. -SelectChequeTransactionAndGenerate=Изберете / Филтрирайте чековете, които да включите в депозитна разписка и кликнете върху "Създаване". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Изберете банковото извлечение, свързано със съгласуването. Използвайте числова стойност, която е във вида: YYYYMM или YYYYMMDD EventualyAddCategory=В крайна сметка, определете категория, в която да класифицирате транзакциите ToConciliate=Да се съгласува ли? diff --git a/htdocs/langs/bg_BG/bills.lang b/htdocs/langs/bg_BG/bills.lang index 01cb523006a..2933e5264e4 100644 --- a/htdocs/langs/bg_BG/bills.lang +++ b/htdocs/langs/bg_BG/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Превръщане на платения излишъ EnterPaymentReceivedFromCustomer=Въведете плащане, получено от клиент EnterPaymentDueToCustomer=Извършване на плащане от клиента DisabledBecauseRemainderToPayIsZero=Деактивирано, тъй като остатъка за плащане е нула -PriceBase=Базова цена +PriceBase=Base price BillStatus=Статус на фактура StatusOfGeneratedInvoices=Състояние на генерираните фактури BillStatusDraft=Чернова (трябва да се валидира) @@ -454,7 +454,7 @@ RegulatedOn=Регламентирано на ChequeNumber=Чек № ChequeOrTransferNumber=Чек / Трансфер № ChequeBordereau=Чеково нареждане -ChequeMaker=Издател на чек / трансфер +ChequeMaker=Check/Transfer sender ChequeBank=Банка - платец CheckBank=Чек NetToBePaid=Нето за плащане diff --git a/htdocs/langs/bg_BG/boxes.lang b/htdocs/langs/bg_BG/boxes.lang index 4b78b60d66e..0d3c7068949 100644 --- a/htdocs/langs/bg_BG/boxes.lang +++ b/htdocs/langs/bg_BG/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Отметки: %s последни BoxOldestExpiredServices=Най-стари изтекли активни услуги BoxLastExpiredServices=Договори: %s най-стари договори с активни изтекли услуги BoxTitleLastActionsToDo=Действия: %s последни за извършване -BoxTitleLastContracts=Договори: %s последно променени -BoxTitleLastModifiedDonations=Дарения: %s последно променени -BoxTitleLastModifiedExpenses=Разходни отчети: %s последно променени -BoxTitleLatestModifiedBoms=Спецификации: %s последно променени -BoxTitleLatestModifiedMos=Поръчки за производство: %s последно променени +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Глобална дейност (фактури, предложения, поръчки) BoxGoodCustomers=Добри клиенти diff --git a/htdocs/langs/bg_BG/cashdesk.lang b/htdocs/langs/bg_BG/cashdesk.lang index a7d3530d1e3..84872e797c1 100644 --- a/htdocs/langs/bg_BG/cashdesk.lang +++ b/htdocs/langs/bg_BG/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Добавяне на таблица Place=Място TakeposConnectorNecesary=Изисква се 'TakePOS конектор' -OrderPrinters=Принтери за поръчки +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Търсене на продукт Receipt=Разписка Header=Хедър @@ -56,8 +57,9 @@ Paymentnumpad=Тип Pad за въвеждане на плащане Numberspad=Числов Pad BillsCoinsPad=Pad за монети и банкноти DolistorePosCategory=TakePOS модули и други ПОС решения за Dolibarr -TakeposNeedsCategories=TakePOS се нуждае от продуктови категории, за да работи -OrderNotes=Бележки за поръчка +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Сметка по подразбиране, която да се използва за плащания с NoPaimementModesDefined=В конфигурацията на TakePOS не е определен тип на плащане TicketVatGrouped=Групиране на ДДС по ставка в етикети / разписки @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Фактурата вече е валидирана NoLinesToBill=Няма редове за фактуриране CustomReceipt=Персонализирана разписка ReceiptName=Име на разписка -ProductSupplements=Продуктови добавки +ProductSupplements=Manage supplements of products SupplementCategory=Категория добавки ColorTheme=Цветна тема Colorful=Цветно @@ -92,7 +94,7 @@ Browser=Браузър BrowserMethodDescription=Прост и лесен отпечатване на разписки. Само няколко параметъра за конфигуриране на разписката. Отпечатване, чрез браузър. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Метод на отпечатване -ReceiptPrinterMethodDescription=Мощен метод с много параметри. Пълно персонализиране с шаблони. Не може да отпечатва от облака. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=По терминал TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/bg_BG/categories.lang b/htdocs/langs/bg_BG/categories.lang index 4c3ac637eb4..8ae2951cb4b 100644 --- a/htdocs/langs/bg_BG/categories.lang +++ b/htdocs/langs/bg_BG/categories.lang @@ -3,20 +3,20 @@ Rubrique=Таг / Категория Rubriques=Тагове / Категории RubriquesTransactions=Тагове / Категории транзакции categories=тагове / категории -NoCategoryYet=Няма създаден таг / категория от този тип +NoCategoryYet=No tag/category of this type has been created In=в AddIn=Добавяне в modify=променяне Classify=Класифициране CategoriesArea=Секция с тагове / категории -ProductsCategoriesArea=Секция с тагове / категории за продукти / услуги -SuppliersCategoriesArea=Секция с тагове / категории за доставчици -CustomersCategoriesArea=Секция с тагове / категории за клиенти -MembersCategoriesArea=Секция с тагове / категории за членове -ContactsCategoriesArea=Секция с тагове / категории за контакти -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Секция с тагове / категории за проекти -UsersCategoriesArea=Секция с тагове / категории за потребители +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Подкатегории CatList=Списък с тагове / категории CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Избиране на категория StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Използване или оператор за категории +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/bg_BG/companies.lang b/htdocs/langs/bg_BG/companies.lang index 81d317bd321..41acbff3527 100644 --- a/htdocs/langs/bg_BG/companies.lang +++ b/htdocs/langs/bg_BG/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Името на фирмата %s вече съществува. Изберете друго. ErrorSetACountryFirst=Първо изберете държава SelectThirdParty=Изберете контрагент -ConfirmDeleteCompany=Сигурни ли сте че искате да изтриете този контрагент и цялата наследена информация? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Изтриване на контакт / адрес -ConfirmDeleteContact=Сигурни ли сте че искате да изтриете този контакт и цялата наследена информация? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Нов контрагент MenuNewCustomer=Нов клиент MenuNewProspect=Нов потенциален клиент @@ -69,7 +69,7 @@ PhoneShort=Тел. Skype=Skype Call=Позвъни на Chat=Чат с -PhonePro=Сл. телефон +PhonePro=Bus. phone PhonePerso=Дом. телефон PhoneMobile=Моб. телефон No_Email=Отхвърляне на масови имейли @@ -331,7 +331,7 @@ CustomerCodeDesc=Код на клиент, уникален за всички к SupplierCodeDesc=Код на доставчик, уникален за всички доставчици RequiredIfCustomer=Изисква се, ако контрагентът е клиент или потенциален клиент RequiredIfSupplier=Изисква се, ако контрагента е доставчик -ValidityControledByModule=Валидност, контролирана от модул +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Правила за този модул ProspectToContact=Потенциален клиент за контакт CompanyDeleted=Фирма "%s" е изтрита от базата данни. @@ -439,12 +439,12 @@ ListSuppliersShort=Списък на доставчици ListProspectsShort=Списък на потенциални клиенти ListCustomersShort=Списък на клиенти ThirdPartiesArea=Секция с контрагенти и контакти -LastModifiedThirdParties=Контрагенти: %s последно променени -UniqueThirdParties=Общ брой контрагенти +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Активен ActivityCeased=Неактивен ThirdPartyIsClosed=Контрагента е деактивиран -ProductsIntoElements=Списък на продукти / услуги в %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Текуща неизплатена сметка OutstandingBill=Максимална неизплатена сметка OutstandingBillReached=Достигнат е максимумът за неизплатена сметка @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Кодът е свободен. Този код може ManagingDirectors=Име на управител (изпълнителен директор, директор, президент...) MergeOriginThirdparty=Дублиращ контрагент (контрагентът, който искате да изтриете) MergeThirdparties=Обединяване на контрагенти -ConfirmMergeThirdparties=Сигурни ли сте, че искате да обедините този контрагент с текущия? Всички свързани обекти (фактури, поръчки, ...) ще бъдат преместени в текущия контрагент, след което контрагента ще бъде изтрит. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Контрагентите са обединени SaleRepresentativeLogin=Входна информация за търговски представител SaleRepresentativeFirstname=Собствено име на търговския представител diff --git a/htdocs/langs/bg_BG/compta.lang b/htdocs/langs/bg_BG/compta.lang index b07de8ea9fd..fcb986aed2f 100644 --- a/htdocs/langs/bg_BG/compta.lang +++ b/htdocs/langs/bg_BG/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Нова отстъпка NewCheckDeposit=Нов чеков депозит NewCheckDepositOn=Създаване на разписка за депозит по сметка: %s NoWaitingChecks=Няма чекове, които да очакват депозит. -DateChequeReceived=Дата на приемане на чек +DateChequeReceived=Check receiving date NbOfCheques=Брой чекове PaySocialContribution=Плащане на социален / фискален данък PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/bg_BG/ecm.lang b/htdocs/langs/bg_BG/ecm.lang index 79ccce411d2..89504a25676 100644 --- a/htdocs/langs/bg_BG/ecm.lang +++ b/htdocs/langs/bg_BG/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/bg_BG/errors.lang b/htdocs/langs/bg_BG/errors.lang index f70abe8e9ba..183b517323b 100644 --- a/htdocs/langs/bg_BG/errors.lang +++ b/htdocs/langs/bg_BG/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Няма грешка, но се ангажираме. # Errors ErrorButCommitIsDone=Намерени са грешки, но ние валидираме въпреки това. -ErrorBadEMail=Имейл %s е грешен -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=URL адрес %s е грешен +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Неправилна стойност за вашия параметър. Обикновено се добавя, когато преводът липсва. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Потребител %s вече съществува. @@ -46,8 +46,8 @@ ErrorWrongDate=Датата не е правилна! ErrorFailedToWriteInDir=Неуспешно записване в директория %s ErrorFoundBadEmailInFile=Открит е неправилен имейл синтаксис в %s реда на файла (примерен ред %s с имейл=%s) ErrorUserCannotBeDelete=Потребителят не може да бъде изтрит. Може би е свързан с обекти в Dolibarr. -ErrorFieldsRequired=Някои задължителни полета не са попълнени. -ErrorSubjectIsRequired=Необходима е тема на имейл +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Неуспешно създаване на директория. Уверете се, че уеб сървър потребител има разрешение да пишат в Dolibarr документи. Ако параметър safe_mode е разрешен в тази PHP, проверете дали Dolibarr PHP файлове притежава за потребителя на уеб сървъра (или група). ErrorNoMailDefinedForThisUser=Няма дефиниран имейл за този потребител ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Страницата/контейне ErrorDuringChartLoad=Грешка при зареждане на диаграмата на сметките. Ако някои сметки не са заредени, може да ги въведете ръчно. ErrorBadSyntaxForParamKeyForContent=Неправилен синтаксис за параметър keyforcontent. Трябва да има стойност, започваща с %s или %s ErrorVariableKeyForContentMustBeSet=Грешка, трябва да бъде зададена константа с име %s (с текстово съдържание за показване) или %s (с външен url за показване). +ErrorURLMustEndWith=URL %s must end %s ErrorURLMustStartWithHttp=URL адресът %s трябва да започва с http:// или https:// ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// ErrorNewRefIsAlreadyUsed=Грешка, новата референция вече е използвана @@ -296,3 +297,4 @@ WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connec WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. ErrorActionCommPropertyUserowneridNotDefined=User's owner is required ErrorActionCommBadType=Selected event type (id: %n, code: %s) do not exist in Event Type dictionary +CheckVersionFail=Version check fail diff --git a/htdocs/langs/bg_BG/eventorganization.lang b/htdocs/langs/bg_BG/eventorganization.lang new file mode 100644 index 00000000000..2b711234122 --- /dev/null +++ b/htdocs/langs/bg_BG/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Настройки +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Чернова +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Завършено +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/bg_BG/knowledgemanagement.lang b/htdocs/langs/bg_BG/knowledgemanagement.lang new file mode 100644 index 00000000000..9bbff8be3b4 --- /dev/null +++ b/htdocs/langs/bg_BG/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Настройки +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Относно +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Артикул +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/bg_BG/mails.lang b/htdocs/langs/bg_BG/mails.lang index 87d5e252581..17867c701c8 100644 --- a/htdocs/langs/bg_BG/mails.lang +++ b/htdocs/langs/bg_BG/mails.lang @@ -15,7 +15,7 @@ MailToUsers=До потребител (и) MailCC=Копие до MailToCCUsers=Копие до потребител (и) MailCCC=Скрито копие до -MailTopic=Тема на имейла +MailTopic=Email subject MailText=Съобщение MailFile=Прикачени файлове MailMessage=Тяло на имейла @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Конфигурацията за изпращане на имейл е настроена на '%s'. Този режим не може да се използва за изпращане на масови имейли. MailSendSetupIs2=Трябва първо да отидете с администраторски акаунт в меню %sНачало - Настройка - Имейли%s и да промените параметър '%s', за да използвате режим '%s'. С този режим може да въведете настройки за SMTP сървъра, предоставен от вашия доставчик на интернет услуги и да използвате функцията за изпращане на масови имейли. MailSendSetupIs3=Ако имате някакви въпроси как да настроите вашия SMTP сървър, може да се обърнете към %s. diff --git a/htdocs/langs/bg_BG/main.lang b/htdocs/langs/bg_BG/main.lang index 6dddb3abc1e..8b8fb5c5add 100644 --- a/htdocs/langs/bg_BG/main.lang +++ b/htdocs/langs/bg_BG/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Съхраняване и създаване TestConnection=Проверяване на връзката ToClone=Клониране ConfirmCloneAsk=Сигурни ли сте, че искате да клонирате обект %s? -ConfirmClone=Изберете данни, които искате да клонирате: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Няма определени данни за клониране. Of=на Go=Давай @@ -246,7 +246,7 @@ DefaultModel=Шаблон на документ по подразбиране Action=Събитие About=Относно Number=Брой -NumberByMonth=Брой на месец +NumberByMonth=Total reports by month AmountByMonth=Сума на месец Numero=Брой Limit=Лимит @@ -341,8 +341,8 @@ KiloBytes=Килобайта MegaBytes=Мегабайта GigaBytes=Гигабайта TeraBytes=Терабайта -UserAuthor=Потребител на създаването -UserModif=Потребител на последната актуализация +UserAuthor=Ceated by +UserModif=Updated by b=б. Kb=Кб Mb=Мб @@ -503,9 +503,11 @@ By=От From=От FromDate=От FromLocation=От -at=at to=за To=за +ToDate=за +ToLocation=за +at=at and=и or=или Other=Друг @@ -843,7 +845,7 @@ XMoreLines=%s ред(а) е(са) скрит(и) ShowMoreLines=Показване на повече / по-малко редове PublicUrl=Публичен URL AddBox=Добавяне на кутия -SelectElementAndClick=Изберете елемент и кликнете върху %s +SelectElementAndClick=Select an element and click on %s PrintFile=Печат на файл %s ShowTransaction=Показване на запис на банкова сметка ShowIntervention=Показване на интервенция @@ -854,8 +856,8 @@ Denied=Отхвърлено ListOf=Списък на %s ListOfTemplates=Списък с шаблони Gender=Пол -Genderman=Мъж -Genderwoman=Жена +Genderman=Male +Genderwoman=Female Genderother=Други ViewList=Списъчен изглед ViewGantt=Gantt изглед @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/bg_BG/members.lang b/htdocs/langs/bg_BG/members.lang index f74329e9e8d..8b026d2e1e0 100644 --- a/htdocs/langs/bg_BG/members.lang +++ b/htdocs/langs/bg_BG/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Друг член (име: %s, ErrorUserPermissionAllowsToLinksToItselfOnly=От съображения за сигурност трябва да имате права за променяне на всички потребители, за да може да свържете член с потребител, който не сте вие. SetLinkToUser=Свързване към Dolibarr потребител SetLinkToThirdParty=Свързване към Dolibarr контрагент -MembersCards=Визитни картички на членове +MembersCards=Business cards for members MembersList=Списък на членове MembersListToValid=Списък на чернови членове (за валидиране) MembersListValid=Списък на валидирани членове @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Членове с абонамент за по MembersWithSubscriptionToReceiveShort=Абонамент за получаване DateSubscription=Дата на абонамент DateEndSubscription=Крайна дата на абонамент -EndSubscription=Край на абонамент +EndSubscription=Subscription Ends SubscriptionId=Идентификатор на абонамент WithoutSubscription=Without subscription MemberId=Идентификатор на член @@ -83,10 +83,10 @@ WelcomeEMail=Приветстващ имейл SubscriptionRequired=Изисква се абонамент DeleteType=Изтриване VoteAllowed=Може да гласува -Physical=Реален -Moral=Морален -MorAndPhy=Moral and Physical -Reenable=Повторно активиране +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Деактивиране на член @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Статистика за членове по дъ MembersStatisticsByState=Статистика за членове по област MembersStatisticsByTown=Статистика за членове по град MembersStatisticsByRegion=Статистика за членове по регион -NbOfMembers=Брой членове -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Не са намерени валидирани членове -MembersByCountryDesc=Този екран показва статистически данни за членове по държави. Графиката зависи от онлайн услугата за графики на Google и е достъпна само, ако е налична интернет връзка. -MembersByStateDesc=Този екран показва статистически данни за членове по области. -MembersByTownDesc=Този екран показва статистически данни за членове по град. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Изберете статистическите данни, които искате да прочетете ... MenuMembersStats=Статистика -LastMemberDate=Дата на последен член +LastMemberDate=Latest membership date LatestSubscriptionDate=Последна дата на абонамент -MemberNature=Произход на член -MembersNature=Nature of members -Public=Информацията е публична +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Добавен е нов член. Очаква одобрение. NewMemberForm=Формуляр за нов член -SubscriptionsStatistics=Статистика на абонаменти +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Брой абонаменти -AmountOfSubscriptions=Сума на абонаменти +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Оборот (за фирма) или бюджет (за организация) DefaultAmount=Стойност на абонамент по подразбиране CanEditAmount=Посетител може да избере / редактира стойността на абонамента си MEMBER_NEWFORM_PAYONLINE=Прехвърляне към интегрираната страница за плащане онлайн ByProperties=По произход MembersStatisticsByProperties=Статистика за членове по произход -MembersByNature=Този екран показва статистически данни за членове по произход. -MembersByRegion=Този екран показва статистически данни за членове по региони. VATToUseForSubscriptions=Ставка на ДДС, която да се използва за абонаменти NoVatOnSubscription=Без ДДС за абонаменти ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Продукт, използван за абонаментен ред във фактура: %s diff --git a/htdocs/langs/bg_BG/modulebuilder.lang b/htdocs/langs/bg_BG/modulebuilder.lang index 8df6a66c938..c9e7b270a44 100644 --- a/htdocs/langs/bg_BG/modulebuilder.lang +++ b/htdocs/langs/bg_BG/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Показване в PDF IsAMeasureDesc=Може ли стойността в полето да бъде натрупвана, за да се получи обща в списъка? (Пример: 1 или 0) SearchAllDesc=Използва ли се полето за извършване на търсене, чрез инструмента за бързо търсене? (Пример: 1 или 0) diff --git a/htdocs/langs/bg_BG/other.lang b/htdocs/langs/bg_BG/other.lang index 0e71bbb327f..8085469e87c 100644 --- a/htdocs/langs/bg_BG/other.lang +++ b/htdocs/langs/bg_BG/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Инсталирайте или активирайте GD б ProfIdShortDesc=Идент. %s е информация, която зависи от държавата на контрагента.
Например, за държавата %s, това е %s. DolibarrDemo=Dolibarr ERP / CRM демо StatsByNumberOfUnits=Статистика за общото количество продукти / услуги -StatsByNumberOfEntities=Статистика за броя на свързаните документи (брой фактури, поръчки...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Брой търговски предложения NumberOfCustomerOrders=Брой поръчки за продажба NumberOfCustomerInvoices=Брой фактури за продажба @@ -289,4 +289,4 @@ PopuProp=Продукти / Услуги по популярност в пред PopuCom=Продукти / Услуги по популярност в поръчки ProductStatistics=Статистика за продукти / услуги NbOfQtyInOrders=Количество в поръчки -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/bg_BG/partnership.lang b/htdocs/langs/bg_BG/partnership.lang new file mode 100644 index 00000000000..6a9bb75cd16 --- /dev/null +++ b/htdocs/langs/bg_BG/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Начална дата +DatePartnershipEnd=Крайна дата + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Чернова +PartnershipAccepted = Прието +PartnershipRefused = Отхвърлено +PartnershipCanceled = Анулирана + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/bg_BG/productbatch.lang b/htdocs/langs/bg_BG/productbatch.lang index 42054467fed..1576ae17bed 100644 --- a/htdocs/langs/bg_BG/productbatch.lang +++ b/htdocs/langs/bg_BG/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Сериен номер %s е вече използва TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/bg_BG/products.lang b/htdocs/langs/bg_BG/products.lang index f74d443e831..0c8cef17666 100644 --- a/htdocs/langs/bg_BG/products.lang +++ b/htdocs/langs/bg_BG/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Услуги само за продажба ServicesOnPurchaseOnly=Услуги само за покупка ServicesNotOnSell=Услуги, които не са за продажба, и не са за покупка ServicesOnSellAndOnBuy=Услуги за продажба и за покупка -LastModifiedProductsAndServices=Продукти / Услуги: %s последно променени +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Продукти: %s последно добавени LastRecordedServices=Услуги: %s последно добавени CardProduct0=Продукт @@ -73,12 +73,12 @@ SellingPrice=Продажна цена SellingPriceHT=Продажна цена (без ДДС) SellingPriceTTC=Продажна цена (с ДДС) SellingMinPriceTTC=Минимална продажна цена (с ДДС) -CostPriceDescription=Това ценово поле (без ДДС) може да се използва за съхраняване на усреднената себестойност на продукта/услугата във фирмата. Може да бъде всякаква цена, която сте калкулирали, например от средната цена за покупка плюс средната цена за производство и дистрибуция. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Тази стойност може да се използва за изчисляване на маржа. SoldAmount=Стойност на продажбите PurchasedAmount=Стойност на покупките NewPrice=Нова цена -MinPrice=Минимална продажна цена +MinPrice=Min. selling price EditSellingPriceLabel=Променяне на етикета с продажна цена CantBeLessThanMinPrice=Продажната цена не може да бъде по-ниска от минимално допустимата за този продукт/услуга (%s без ДДС). Това съобщение може да се появи, ако въведете твърде голяма отстъпка. ContractStatusClosed=Приключен @@ -157,11 +157,11 @@ ListServiceByPopularity=Списък на услуги по популярнос Finished=Произведен продукт RowMaterial=Суровина ConfirmCloneProduct=Сигурни ли сте, че искате да клонирате този продукт / услуга с № %s? -CloneContentProduct=Клониране на цялата основна информация за продукт / услуга +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Клониране на цени -CloneCategoriesProduct=Клониране на свързани тагове / категории -CloneCompositionProduct=Клониране на виртуален продукт / услуга -CloneCombinationsProduct=Клониране на варианти на продукта +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Този продукт се използва NewRefForClone=№ на нов продукт / услуга SellingPrices=Продажни цени @@ -170,12 +170,12 @@ CustomerPrices=Клиентски цени SuppliersPrices=Доставни цени SuppliersPricesOfProductsOrServices=Доставни цени (на продукти / услуги) CustomCode=Customs|Commodity|HS code -CountryOrigin=Държава на произход -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Произход на продукта (суровина / произведен) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Кратко означение Unit=Мярка p=е. diff --git a/htdocs/langs/bg_BG/projects.lang b/htdocs/langs/bg_BG/projects.lang index 9a5727ec772..a4f9de78a00 100644 --- a/htdocs/langs/bg_BG/projects.lang +++ b/htdocs/langs/bg_BG/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Участници в проекта ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Всеки проект, който мога да прочета (мой и публичен) AllProjects=Всички проекти -MyProjectsDesc=Този изглед е ограничен до проекти, в които сте определен за контакт +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Този изглед представя всички проекти, които можете да прочетете. TasksOnProjectsPublicDesc=Този изглед представя всички задачи по проекти, които можете да прочетете. ProjectsPublicTaskDesc=Този изглед представя всички проекти и задачи, които можете да прочетете. ProjectsDesc=Този изглед представя всички проекти (вашите потребителски права ви дават разрешение да виждате всичко). TasksOnProjectsDesc=Този изглед представя всички задачи за всички проекти (вашите потребителски права ви дават разрешение да виждате всичко). -MyTasksDesc=Този изглед е ограничен до проекти или задачи, в които сте определен за контакт +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Само активните проекти са видими (чернови или приключени проекти не са видими). ClosedProjectsAreHidden=Приключените проекти не са видими. TasksPublicDesc=Този страница показва всички проекти и задачи, които може да прочетете. TasksDesc=Този страница показва всички проекти и задачи (вашите потребителски права ви дават разрешение да виждате всичко). AllTaskVisibleButEditIfYouAreAssigned=Всички задачи за определените проекти са видими, но може да въведете време само за задача, възложена на избрания потребител. Възложете задача, ако е необходимо да въведете отделено време за нея. -OnlyYourTaskAreVisible=Видими са само задачите, които са ви възложени. Възложете задача на себе си, ако не е видима, а трябва да въведете отделено време за нея. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Задачи по проекти ProjectCategories=Тагове / Категории на проекти NewProject=Нов проект @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Не е участник в задачата NoUserAssignedToTheProject=Няма потребители, назначени за този проект. TimeSpentBy=Отделено време от TasksAssignedTo=Задачи, възложени на -AssignTaskToMe=Възлагане на задача към мен +AssignTaskToMe=Assign task to myself AssignTaskToUser=Възлагане на задача към %s SelectTaskToAssign=Изберете задача за възлагане... AssignTask=Възлагане diff --git a/htdocs/langs/bg_BG/recruitment.lang b/htdocs/langs/bg_BG/recruitment.lang index 14eeb3f6dda..8ae43b3daff 100644 --- a/htdocs/langs/bg_BG/recruitment.lang +++ b/htdocs/langs/bg_BG/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/bg_BG/sendings.lang b/htdocs/langs/bg_BG/sendings.lang index cf1a6ec0ef6..444407650e1 100644 --- a/htdocs/langs/bg_BG/sendings.lang +++ b/htdocs/langs/bg_BG/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Сигурни ли сте, че искате да вал ConfirmCancelSending=Сигурни ли сте, че ли искате да анулирате тази пратка? DocumentModelMerou=Шаблон А5 размер WarningNoQtyLeftToSend=Внимание, няма продукти чакащи да бъдат изпратени. -StatsOnShipmentsOnlyValidated=Статистики водени само за валидирани пратки. Използваната дата е дата на валидиране на пратка (планираната дата на доставка не винаги е известна) +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Планирана дата за доставка RefDeliveryReceipt=Разписка за доставка № StatusReceipt=Статус diff --git a/htdocs/langs/bg_BG/stocks.lang b/htdocs/langs/bg_BG/stocks.lang index 0a87358401a..c34e94c2699 100644 --- a/htdocs/langs/bg_BG/stocks.lang +++ b/htdocs/langs/bg_BG/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Няма предварително определ DispatchVerb=Изпращане StockLimitShort=Количество за предупреждение StockLimit=Минимално количество за предупреждение -StockLimitDesc=(празно) означава, че няма предупреждение.
0 може да се използва за предупреждение веднага след като наличността е изчерпана. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Физическа наличност RealStock=Реална наличност RealStockDesc=Физическа / реална наличност е наличността, която в момента се намира в складовете. diff --git a/htdocs/langs/bg_BG/users.lang b/htdocs/langs/bg_BG/users.lang index 5312e855960..ae4e7e517ea 100644 --- a/htdocs/langs/bg_BG/users.lang +++ b/htdocs/langs/bg_BG/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Паролата е променена на: %s SubjectNewPassword=Вашата нова парола за %s GroupRights=Групови права UserRights=Потребителски права +Credentials=Credentials UserGUISetup=Потребителски интерфейс DisableUser=Деактивиране DisableAUser=Деактивиране на потребител @@ -105,7 +106,7 @@ UseTypeFieldToChange=използвайте полето 'Тип', за да п OpenIDURL=OpenID URL LoginUsingOpenID=Използване на OpenID за вход WeeklyHours=Отработени часове (седмично) -ExpectedWorkedHours=Очаквани работни часове за седмица +ExpectedWorkedHours=Expected hours worked per week ColorUser=Цвят на потребителя DisabledInMonoUserMode=Деактивиран в режим на поддръжка UserAccountancyCode=Счетоводен код на потребителя @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Дата на назначаване DateEmploymentEnd=Дата на освобождаване -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=Не можете да забраните собствения си потребителски запис ForceUserExpenseValidator=Принудително валидиране на разходни отчети ForceUserHolidayValidator=Принудително валидиране на молби за отпуск diff --git a/htdocs/langs/bg_BG/website.lang b/htdocs/langs/bg_BG/website.lang index df36f6d6170..2f341b2b6c9 100644 --- a/htdocs/langs/bg_BG/website.lang +++ b/htdocs/langs/bg_BG/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/bn_BD/accountancy.lang b/htdocs/langs/bn_BD/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/bn_BD/accountancy.lang +++ b/htdocs/langs/bn_BD/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/bn_BD/admin.lang b/htdocs/langs/bn_BD/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/bn_BD/admin.lang +++ b/htdocs/langs/bn_BD/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/bn_BD/banks.lang b/htdocs/langs/bn_BD/banks.lang index 64b12a758f8..3430961c71b 100644 --- a/htdocs/langs/bn_BD/banks.lang +++ b/htdocs/langs/bn_BD/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/bn_BD/bills.lang b/htdocs/langs/bn_BD/bills.lang index a7a67d55be3..eedbf2893ff 100644 --- a/htdocs/langs/bn_BD/bills.lang +++ b/htdocs/langs/bn_BD/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/bn_BD/boxes.lang b/htdocs/langs/bn_BD/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/bn_BD/boxes.lang +++ b/htdocs/langs/bn_BD/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/bn_BD/cashdesk.lang b/htdocs/langs/bn_BD/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/bn_BD/cashdesk.lang +++ b/htdocs/langs/bn_BD/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/bn_BD/categories.lang b/htdocs/langs/bn_BD/categories.lang index cb184028464..18932dd841e 100644 --- a/htdocs/langs/bn_BD/categories.lang +++ b/htdocs/langs/bn_BD/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/bn_BD/companies.lang b/htdocs/langs/bn_BD/companies.lang index a3f02b38f30..f3e945c0332 100644 --- a/htdocs/langs/bn_BD/companies.lang +++ b/htdocs/langs/bn_BD/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Opened ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/bn_BD/compta.lang b/htdocs/langs/bn_BD/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/bn_BD/compta.lang +++ b/htdocs/langs/bn_BD/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/bn_BD/ecm.lang b/htdocs/langs/bn_BD/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/bn_BD/ecm.lang +++ b/htdocs/langs/bn_BD/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/bn_BD/errors.lang b/htdocs/langs/bn_BD/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/bn_BD/errors.lang +++ b/htdocs/langs/bn_BD/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/bn_BD/knowledgemanagement.lang b/htdocs/langs/bn_BD/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/bn_BD/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/bn_BD/mails.lang b/htdocs/langs/bn_BD/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/bn_BD/mails.lang +++ b/htdocs/langs/bn_BD/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/bn_BD/main.lang b/htdocs/langs/bn_BD/main.lang index 6aba43f602d..59536b0ad17 100644 --- a/htdocs/langs/bn_BD/main.lang +++ b/htdocs/langs/bn_BD/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/bn_BD/members.lang b/htdocs/langs/bn_BD/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/bn_BD/members.lang +++ b/htdocs/langs/bn_BD/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/bn_BD/modulebuilder.lang b/htdocs/langs/bn_BD/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/bn_BD/modulebuilder.lang +++ b/htdocs/langs/bn_BD/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/bn_BD/other.lang b/htdocs/langs/bn_BD/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/bn_BD/other.lang +++ b/htdocs/langs/bn_BD/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/bn_BD/partnership.lang b/htdocs/langs/bn_BD/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/bn_BD/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/bn_BD/productbatch.lang b/htdocs/langs/bn_BD/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/bn_BD/productbatch.lang +++ b/htdocs/langs/bn_BD/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/bn_BD/products.lang b/htdocs/langs/bn_BD/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/bn_BD/products.lang +++ b/htdocs/langs/bn_BD/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/bn_BD/projects.lang b/htdocs/langs/bn_BD/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/bn_BD/projects.lang +++ b/htdocs/langs/bn_BD/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/bn_BD/recruitment.lang b/htdocs/langs/bn_BD/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/bn_BD/recruitment.lang +++ b/htdocs/langs/bn_BD/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/bn_BD/sendings.lang b/htdocs/langs/bn_BD/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/bn_BD/sendings.lang +++ b/htdocs/langs/bn_BD/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/bn_BD/stocks.lang b/htdocs/langs/bn_BD/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/bn_BD/stocks.lang +++ b/htdocs/langs/bn_BD/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/bn_BD/users.lang b/htdocs/langs/bn_BD/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/bn_BD/users.lang +++ b/htdocs/langs/bn_BD/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/bn_BD/website.lang b/htdocs/langs/bn_BD/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/bn_BD/website.lang +++ b/htdocs/langs/bn_BD/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/bn_IN/accountancy.lang b/htdocs/langs/bn_IN/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/bn_IN/accountancy.lang +++ b/htdocs/langs/bn_IN/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/bn_IN/admin.lang b/htdocs/langs/bn_IN/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/bn_IN/admin.lang +++ b/htdocs/langs/bn_IN/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/bn_IN/banks.lang b/htdocs/langs/bn_IN/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/bn_IN/banks.lang +++ b/htdocs/langs/bn_IN/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/bn_IN/bills.lang b/htdocs/langs/bn_IN/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/bn_IN/bills.lang +++ b/htdocs/langs/bn_IN/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/bn_IN/boxes.lang b/htdocs/langs/bn_IN/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/bn_IN/boxes.lang +++ b/htdocs/langs/bn_IN/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/bn_IN/cashdesk.lang b/htdocs/langs/bn_IN/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/bn_IN/cashdesk.lang +++ b/htdocs/langs/bn_IN/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/bn_IN/categories.lang b/htdocs/langs/bn_IN/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/bn_IN/categories.lang +++ b/htdocs/langs/bn_IN/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/bn_IN/companies.lang b/htdocs/langs/bn_IN/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/bn_IN/companies.lang +++ b/htdocs/langs/bn_IN/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/bn_IN/compta.lang b/htdocs/langs/bn_IN/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/bn_IN/compta.lang +++ b/htdocs/langs/bn_IN/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/bn_IN/ecm.lang b/htdocs/langs/bn_IN/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/bn_IN/ecm.lang +++ b/htdocs/langs/bn_IN/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/bn_IN/errors.lang b/htdocs/langs/bn_IN/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/bn_IN/errors.lang +++ b/htdocs/langs/bn_IN/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/bn_IN/knowledgemanagement.lang b/htdocs/langs/bn_IN/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/bn_IN/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/bn_IN/mails.lang b/htdocs/langs/bn_IN/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/bn_IN/mails.lang +++ b/htdocs/langs/bn_IN/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/bn_IN/main.lang b/htdocs/langs/bn_IN/main.lang index dc2a83f2015..13793aad13f 100644 --- a/htdocs/langs/bn_IN/main.lang +++ b/htdocs/langs/bn_IN/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/bn_IN/members.lang b/htdocs/langs/bn_IN/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/bn_IN/members.lang +++ b/htdocs/langs/bn_IN/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/bn_IN/modulebuilder.lang b/htdocs/langs/bn_IN/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/bn_IN/modulebuilder.lang +++ b/htdocs/langs/bn_IN/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/bn_IN/other.lang b/htdocs/langs/bn_IN/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/bn_IN/other.lang +++ b/htdocs/langs/bn_IN/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/bn_IN/partnership.lang b/htdocs/langs/bn_IN/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/bn_IN/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/bn_IN/productbatch.lang b/htdocs/langs/bn_IN/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/bn_IN/productbatch.lang +++ b/htdocs/langs/bn_IN/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/bn_IN/products.lang b/htdocs/langs/bn_IN/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/bn_IN/products.lang +++ b/htdocs/langs/bn_IN/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/bn_IN/projects.lang b/htdocs/langs/bn_IN/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/bn_IN/projects.lang +++ b/htdocs/langs/bn_IN/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/bn_IN/recruitment.lang b/htdocs/langs/bn_IN/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/bn_IN/recruitment.lang +++ b/htdocs/langs/bn_IN/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/bn_IN/sendings.lang b/htdocs/langs/bn_IN/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/bn_IN/sendings.lang +++ b/htdocs/langs/bn_IN/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/bn_IN/stocks.lang b/htdocs/langs/bn_IN/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/bn_IN/stocks.lang +++ b/htdocs/langs/bn_IN/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/bn_IN/users.lang b/htdocs/langs/bn_IN/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/bn_IN/users.lang +++ b/htdocs/langs/bn_IN/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/bn_IN/website.lang b/htdocs/langs/bn_IN/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/bn_IN/website.lang +++ b/htdocs/langs/bn_IN/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/bs_BA/accountancy.lang b/htdocs/langs/bs_BA/accountancy.lang index ed60d2c2c9f..208b819e9a1 100644 --- a/htdocs/langs/bs_BA/accountancy.lang +++ b/htdocs/langs/bs_BA/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Nije izmireno WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/bs_BA/admin.lang b/htdocs/langs/bs_BA/admin.lang index d18368eacd5..9fc633b8dd1 100644 --- a/htdocs/langs/bs_BA/admin.lang +++ b/htdocs/langs/bs_BA/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Postavke sigurnosti PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Upozorenja DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/bs_BA/banks.lang b/htdocs/langs/bs_BA/banks.lang index cf38c2f1ddb..978d9be60ec 100644 --- a/htdocs/langs/bs_BA/banks.lang +++ b/htdocs/langs/bs_BA/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Plaćanje socijalnog/fiskalnog poreza BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Interni transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Od strane TransferTo=Prema TransferFromToDone=Transfer sa %s na %s u iznosu od %s %s je zapisan. -CheckTransmitter=Otpremnik +CheckTransmitter=Od ValidateCheckReceipt=Odobrite ovaj ispis čeka? -ConfirmValidateCheckReceipt=Da li ste sigurni da želite odobriti ovaj prijem čeka, kada to uradite nećete moći više vršiti promjene? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Obrišite ovaj izvod čeka? ConfirmDeleteCheckReceipt=Da li ste sigurni da želite obrisati ovaj izvod od čeka? BankChecks=Bankovni ček @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Da li ste sigurni da želite obrisati ovaj unos? ThisWillAlsoDeleteBankRecord=Ovim će se također obrisati i generisana bankovna transakcija BankMovements=Promet PlannedTransactions=Planirane transakcije -Graph=Grafika +Graph=Graphs ExportDataset_banque_1=Bankovne transakcije i izvod s računa ExportDataset_banque_2=Priznanica depozita TransactionOnTheOtherAccount=Transakcija na drugom računu @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Nazad na račun ShowAllAccounts=Pokaži za sve račune FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Izaberite izvod iz banke za izmirivanje. Koristite brojevne vrijednosti koje se mogu sortirati: YYYYMM ili YYYYMMDD EventualyAddCategory=Na kraju, navesti kategoriju u koju će se svrstati zapisi ToConciliate=Za izmirenje? diff --git a/htdocs/langs/bs_BA/bills.lang b/htdocs/langs/bs_BA/bills.lang index f59dc5e273c..a063f16c5e5 100644 --- a/htdocs/langs/bs_BA/bills.lang +++ b/htdocs/langs/bs_BA/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Unesi uplate primljene od kupca EnterPaymentDueToCustomer=Unesi rok plaćanja za kupca DisabledBecauseRemainderToPayIsZero=Onemogućeno jer je ostatak duga nula -PriceBase=Osnova cijene +PriceBase=Base price BillStatus=Status fakture StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Uzorak (Potrebna je potvrda) @@ -454,7 +454,7 @@ RegulatedOn=Uređen na ChequeNumber=Ček N° ChequeOrTransferNumber=Ček/Prenos N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Banka izdatog čeka CheckBank=Provjeri NetToBePaid=Neto za plaćanje diff --git a/htdocs/langs/bs_BA/boxes.lang b/htdocs/langs/bs_BA/boxes.lang index c886622fda5..a491680b1f7 100644 --- a/htdocs/langs/bs_BA/boxes.lang +++ b/htdocs/langs/bs_BA/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Najstarije aktivne zastarjele usluge BoxLastExpiredServices=Posljednjih %s najstarijih ugovora sa aktivni zastarjelim uslugama BoxTitleLastActionsToDo=Posljednjih %s akcija za uraditi -BoxTitleLastContracts=Posljednjih %s izmijenjenih ugovora -BoxTitleLastModifiedDonations=Posljednjih %s izmijenjenih donacija -BoxTitleLastModifiedExpenses=Posljednjih %s izmijenjenih troškovnika -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Globalne aktivnosti (fakture, prijedlozi, narudžbe) BoxGoodCustomers=Dobar kupac diff --git a/htdocs/langs/bs_BA/cashdesk.lang b/htdocs/langs/bs_BA/cashdesk.lang index 6ae6a2bda91..6f6da52648e 100644 --- a/htdocs/langs/bs_BA/cashdesk.lang +++ b/htdocs/langs/bs_BA/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Priznanica Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/bs_BA/categories.lang b/htdocs/langs/bs_BA/categories.lang index ad8764f8a38..cfd836f7eb4 100644 --- a/htdocs/langs/bs_BA/categories.lang +++ b/htdocs/langs/bs_BA/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=U AddIn=Dodaj u modify=izmijeniti Classify=Svrstati CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Područje oznaka/kategorija proizvoda/usluga -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/bs_BA/companies.lang b/htdocs/langs/bs_BA/companies.lang index dcb571ec725..f1143165a0d 100644 --- a/htdocs/langs/bs_BA/companies.lang +++ b/htdocs/langs/bs_BA/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Ime kompanije %s već postoji. Izaberite neko drugo. ErrorSetACountryFirst=Odberite prvo zemlju SelectThirdParty=Odaberite subjekt -ConfirmDeleteCompany=Da li ste sigurni da želite obrisati ovu kompaniju i sve podatke vezane za istu? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Obrisati kontakt/uslugu -ConfirmDeleteContact=Da li ste sigurni da želite obrisati ovaj kontakt i sve podatke vezane za istog? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skajp Call=Pozovi Chat=Chat -PhonePro=Službeni telefon +PhonePro=Bus. phone PhonePerso=Privatni telefon PhoneMobile=Mobitel No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Poštanski broj Town=Grad Web=Web Poste= Pozicija -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Porez na promet nije obračunat @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Potrebno ako je subjekt kupac ili mogući klijent RequiredIfSupplier=Potrebno ako je subjekt prodavač -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Mogući klijent za kontaktirati CompanyDeleted=Kompanija"%s" obrisana iz baze podataka @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Otvori ActivityCeased=Zatvoreno ThirdPartyIsClosed=Subjekat je zatvoren -ProductsIntoElements=Spisak proizvoda/usluga u %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Trenutni neplaćeni račun OutstandingBill=Max. za neplaćeni račun OutstandingBillReached=Dostignut maksimum za neplaćene račune @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Ova šifra je slobodna. Ova šifra se može mijenjati bil ManagingDirectors=Ime menadžer(a) (CEO, direktor, predsjednik...) MergeOriginThirdparty=Umnoži subjekta (subjekt kojeg želite obrisati) MergeThirdparties=Spoji subjekte -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Treće strane su spojene SaleRepresentativeLogin=Pristup za predstavnika prodaje SaleRepresentativeFirstname=Ime predstavnika prodaje diff --git a/htdocs/langs/bs_BA/compta.lang b/htdocs/langs/bs_BA/compta.lang index c61d91db97f..1131f3f0421 100644 --- a/htdocs/langs/bs_BA/compta.lang +++ b/htdocs/langs/bs_BA/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/bs_BA/ecm.lang b/htdocs/langs/bs_BA/ecm.lang index b6d2a9ba2cc..291dcd2097c 100644 --- a/htdocs/langs/bs_BA/ecm.lang +++ b/htdocs/langs/bs_BA/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/bs_BA/errors.lang b/htdocs/langs/bs_BA/errors.lang index 386a7156fbc..276213d59ef 100644 --- a/htdocs/langs/bs_BA/errors.lang +++ b/htdocs/langs/bs_BA/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s je pogrešan +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Prijava %s već postoji. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Nacrt +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Završeno +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/bs_BA/knowledgemanagement.lang b/htdocs/langs/bs_BA/knowledgemanagement.lang new file mode 100644 index 00000000000..58a24a1a8cf --- /dev/null +++ b/htdocs/langs/bs_BA/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = O programu +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Proizvod +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/bs_BA/mails.lang b/htdocs/langs/bs_BA/mails.lang index a9adc014ec8..aeb2ddc8ca3 100644 --- a/htdocs/langs/bs_BA/mails.lang +++ b/htdocs/langs/bs_BA/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Kopiraj na MailToCCUsers=Copy to users(s) MailCCC=Cached kopija na -MailTopic=Email topic +MailTopic=Email subject MailText=Poruka MailFile=Priloženi fajlovi MailMessage=Tekst emaila @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/bs_BA/main.lang b/htdocs/langs/bs_BA/main.lang index 86a1539fe0f..371121cd248 100644 --- a/htdocs/langs/bs_BA/main.lang +++ b/htdocs/langs/bs_BA/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test konekcije ToClone=Kloniraj ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Nije definiran podatak za kloniranje. Of=od Go=Idi @@ -246,7 +246,7 @@ DefaultModel=Defaultni šablon dokumenta Action=Događaj About=O programu Number=Broj -NumberByMonth=Broj po mjesecu +NumberByMonth=Total reports by month AmountByMonth=Iznos po mjesecu Numero=Broj Limit=Ograničenje @@ -341,8 +341,8 @@ KiloBytes=kilobajta MegaBytes=megabajta GigaBytes=gigabajta TeraBytes=terabajta -UserAuthor=Korisnik koji je napravio -UserModif=Korisnik posljednjeg ažuriranja +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Od From=Od FromDate=Od FromLocation=Od -at=at to=za To=za +ToDate=za +ToLocation=za +at=at and=i or=ili Other=Ostalo @@ -843,7 +845,7 @@ XMoreLines=%s red(ova) skriveno ShowMoreLines=Pokaži više/manje redova PublicUrl=Javni URL AddBox=Dodaj kutijicu -SelectElementAndClick=Odaberite element i kliknite %s +SelectElementAndClick=Select an element and click on %s PrintFile=Štampa datoteke %s ShowTransaction=Pokaži unos u bankovni račun ShowIntervention=Prikaži intervenciju @@ -854,8 +856,8 @@ Denied=Zabranjeno ListOf=Spisak %s ListOfTemplates=Spisak šablona Gender=Spol -Genderman=Muškarac -Genderwoman=Žena +Genderman=Male +Genderwoman=Female Genderother=Ostalo ViewList=Lista ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/bs_BA/members.lang b/htdocs/langs/bs_BA/members.lang index 6434c6ef897..48d7b399068 100644 --- a/htdocs/langs/bs_BA/members.lang +++ b/htdocs/langs/bs_BA/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Obriši VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistika -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/bs_BA/modulebuilder.lang b/htdocs/langs/bs_BA/modulebuilder.lang index 5a78e93fe70..616bbfb2511 100644 --- a/htdocs/langs/bs_BA/modulebuilder.lang +++ b/htdocs/langs/bs_BA/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/bs_BA/other.lang b/htdocs/langs/bs_BA/other.lang index 84db6e2157b..2d4d2752ed8 100644 --- a/htdocs/langs/bs_BA/other.lang +++ b/htdocs/langs/bs_BA/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/bs_BA/partnership.lang b/htdocs/langs/bs_BA/partnership.lang new file mode 100644 index 00000000000..ecaff28a0d1 --- /dev/null +++ b/htdocs/langs/bs_BA/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Datum početka +DatePartnershipEnd=Datum završetka + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Nacrt +PartnershipAccepted = Accepted +PartnershipRefused = Odbijen +PartnershipCanceled = Otkazan + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/bs_BA/productbatch.lang b/htdocs/langs/bs_BA/productbatch.lang index 189eb2830bb..70b54abbca6 100644 --- a/htdocs/langs/bs_BA/productbatch.lang +++ b/htdocs/langs/bs_BA/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/bs_BA/products.lang b/htdocs/langs/bs_BA/products.lang index 2f03536a62b..6893f9da7c4 100644 --- a/htdocs/langs/bs_BA/products.lang +++ b/htdocs/langs/bs_BA/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Proizvod @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Zatvoreno @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Jedinica p=u. diff --git a/htdocs/langs/bs_BA/projects.lang b/htdocs/langs/bs_BA/projects.lang index 351f794fe3e..ac43cefc2ea 100644 --- a/htdocs/langs/bs_BA/projects.lang +++ b/htdocs/langs/bs_BA/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Kontakti projekta ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Svi projekti koje mogu gledati (moji + javni) AllProjects=Svi projekti -MyProjectsDesc=Ovaj pregled ograničen je na projekte u kojima ste stavljeni kao kontakt +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Ovaj pregled predstavlja sve projekte koje možete čitati. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=Ovaj pregled predstavlja sve projekte ili zadatke koje možete čitati. ProjectsDesc=Ovaj pregled predstavlja sve projekte (postavke vaših korisničkih dozvola vam omogućavaju da vidite sve). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=Ovaj pregled predstavlja sve projekte ili zadatke koje možete čitati. TasksDesc=Ovaj pregled predstavlja sve projekte i zadatke (postavke vaših korisničkih dozvola vam omogućavaju da vidite sve). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Zadaci projekata ProjectCategories=Projekt oznake/kategorije NewProject=Novi projekat @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/bs_BA/recruitment.lang b/htdocs/langs/bs_BA/recruitment.lang index a2e64d9e81f..8d71c38689f 100644 --- a/htdocs/langs/bs_BA/recruitment.lang +++ b/htdocs/langs/bs_BA/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/bs_BA/sendings.lang b/htdocs/langs/bs_BA/sendings.lang index 1fc121104eb..6f4555ec55c 100644 --- a/htdocs/langs/bs_BA/sendings.lang +++ b/htdocs/langs/bs_BA/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Model dokumenta Merou A5 WarningNoQtyLeftToSend=Upozorenje, nema proizvoda na čekanju za slanje -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/bs_BA/stocks.lang b/htdocs/langs/bs_BA/stocks.lang index c96cb4a268f..794cbcac14f 100644 --- a/htdocs/langs/bs_BA/stocks.lang +++ b/htdocs/langs/bs_BA/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nema predefinisanih proizvoda za ovaj objekat. Dak DispatchVerb=Otpremiti StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Stvarna zaliha RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/bs_BA/users.lang b/htdocs/langs/bs_BA/users.lang index 70951a32d6f..7b4cd013b64 100644 --- a/htdocs/langs/bs_BA/users.lang +++ b/htdocs/langs/bs_BA/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Šifra promijenjena na: %s SubjectNewPassword=Vaša šifra za %s GroupRights=Grupne dozvole UserRights=Korisničke dozvole +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Isključi DisableAUser=Isključi korisnika @@ -105,7 +106,7 @@ UseTypeFieldToChange=Koristite polja Tip za promjene OpenIDURL=OpenID URL LoginUsingOpenID=Koristiti OpenID za login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Boja korisnika DisabledInMonoUserMode=Onemogućeno u načinu održavanja UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/bs_BA/website.lang b/htdocs/langs/bs_BA/website.lang index 396a2939174..265e8e7584a 100644 --- a/htdocs/langs/bs_BA/website.lang +++ b/htdocs/langs/bs_BA/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ca_ES/accountancy.lang b/htdocs/langs/ca_ES/accountancy.lang index 2be34f0069e..ac00e7e054f 100644 --- a/htdocs/langs/ca_ES/accountancy.lang +++ b/htdocs/langs/ca_ES/accountancy.lang @@ -202,14 +202,14 @@ Docref=Referència LabelAccount=Etiqueta de compte LabelOperation=Etiqueta de l'operació Sens=Direcció -AccountingDirectionHelp=Per a un compte comptable d'un client, utilitzeu Crèdit per a registrar un pagament que heu rebut
Per a un compte comptable d'un proveïdor, utilitzeu Dèbit per a registrar un pagament que feu +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Codi de retolació Lettering=Lletres Codejournal=Diari JournalLabel=Títol de Diari NumPiece=Número de peça TransactionNumShort=Número de transacció -AccountingCategory=Custom group +AccountingCategory=Grup personalitzat GroupByAccountAccounting=Agrupa per compte major GroupBySubAccountAccounting=Agrupa per subcompte comptable AccountingAccountGroupsDesc=Podeu definir aquí alguns grups de comptes comptables. S'utilitzaran per a informes comptables personalitzats. @@ -297,7 +297,7 @@ NoNewRecordSaved=No hi ha més registres pel diari ListOfProductsWithoutAccountingAccount=Llista de productes no comptabilitzats en cap compte comptable ChangeBinding=Canvia la comptabilització Accounted=Comptabilitzat en el llibre major -NotYetAccounted=Encara no comptabilitzat en el llibre major +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Mostrar Tutorial NotReconciled=No conciliat WarningRecordWithoutSubledgerAreExcluded=Advertiment: totes les operacions sense subcompte comptable definit es filtren i s'exclouen d'aquesta vista diff --git a/htdocs/langs/ca_ES/admin.lang b/htdocs/langs/ca_ES/admin.lang index 98d6ee38dd1..b5d0c388795 100644 --- a/htdocs/langs/ca_ES/admin.lang +++ b/htdocs/langs/ca_ES/admin.lang @@ -37,7 +37,7 @@ UnlockNewSessions=Eliminar bloqueig de connexions YourSession=La seva sessió Sessions=Sessions d'usuaris WebUserGroup=Servidor web usuari/grup -PermissionsOnFiles=Permissions on files +PermissionsOnFiles=Permisos sobre fitxers PermissionsOnFilesInWebRoot=Permisos als fitxers del directori arrel web PermissionsOnFile=Permisos al fitxer %s NoSessionFound=Sembla que el seu PHP no pot llistar les sessions actives. El directori de salvaguardat de sessions (%s) pot estar protegit (per exemple, pels permisos del sistema operatiu o per la directiva open_basedir del seu PHP). @@ -63,7 +63,8 @@ IfModuleEnabled=Nota: sí només és eficaç si el mòdul %s està activa RemoveLock=Elimineu/reanomeneu el fitxer %s si existeix, per a permetre l'ús de l'eina d'actualització/instal·lació. RestoreLock=Substituir un arxiu %s, donant-li només drets de lectura a aquest arxiu per tal de prohibir noves actualitzacions. SecuritySetup=Configuració de seguretat -PHPSetup=PHP setup +PHPSetup=Configuració de PHP +OSSetup=OS setup SecurityFilesDesc=Defineix les opcions relacionades amb la seguretat de càrrega de fitxers. ErrorModuleRequirePHPVersion=Error, aquest mòdul requereix una versió %s o superior de PHP ErrorModuleRequireDolibarrVersion=Error, aquest mòdul requereix una versió %s o superior de Dolibarr @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=No ho suggereixis NoActiveBankAccountDefined=Cap compte bancari actiu definit OwnerOfBankAccount=Titular del compte %s BankModuleNotActive=Mòdul comptes bancaris no activat -ShowBugTrackLink=Mostra l'enllaç "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alertes DelaysOfToleranceBeforeWarning=Retard abans de mostrar una alerta d'advertència per a: DelaysOfToleranceDesc=Establiu el retard abans que es mostri a la pantalla una icona d'alerta %s per a l'element final. @@ -1184,7 +1185,7 @@ SetupDescription2=Les dues seccions següents són obligatòries (les dues prime SetupDescription3= %s -> %s

Paràmetres bàsics utilitzats per a personalitzar el comportament per defecte de la vostra aplicació (per exemple, per a funcions relacionades amb el país). SetupDescription4=  %s -> %s

Aquest programari és un conjunt de molts mòduls / aplicacions. Els mòduls relacionats amb les vostres necessitats s’han d’activar i configurar. Les entrades del menú apareixen amb l’activació d’aquests mòduls. SetupDescription5=Altres entrades del menú d'instal·lació gestionen paràmetres opcionals. -AuditedSecurityEvents=Security events that are audited +AuditedSecurityEvents=Esdeveniments de seguretat que s’auditen NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s Audit=Auditoria InfoDolibarr=Quant al Dolibarr @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Ha d'executar la comanda des d' YourPHPDoesNotHaveSSLSupport=Funcions SSL no disponibles al vostre PHP DownloadMoreSkins=Més temes per a descarregar SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Mostra l'identificador professional amb adreces ShowVATIntaInAddress=Amaga el número d'IVA intracomunitari amb adreces TranslationUncomplete=Traducció parcial @@ -2062,7 +2064,7 @@ UseDebugBar=Utilitzeu la barra de depuració DEBUGBAR_LOGS_LINES_NUMBER=Nombre d’últimes línies de registre que cal mantenir a la consola WarningValueHigherSlowsDramaticalyOutput=Advertència, els valors més alts frenen molt la producció ModuleActivated=El mòdul %s està activat i alenteix la interfície -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=Si esteu en un entorn de producció, s'hauria d'establir aquesta propietat en %s. AntivirusEnabledOnUpload=Antivirus activat als fitxers penjats @@ -2107,7 +2109,7 @@ SwitchThisForABetterSecurity=Es recomana canviar aquest valor a %s per a obtenir DictionaryProductNature= Naturalesa del producte CountryIfSpecificToOneCountry=País (si és específic d'un país determinat) YouMayFindSecurityAdviceHere=Podeu trobar assessorament de seguretat aquí -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. +ModuleActivatedMayExposeInformation=Aquesta extensió PHP pot exposar dades sensibles. Si no la necessiteu, desactiveu-la. ModuleActivatedDoNotUseInProduction=S'ha habilitat un mòdul dissenyat per al desenvolupament. No l'activeu en un entorn de producció. CombinationsSeparator=Caràcter separador per a combinacions de productes SeeLinkToOnlineDocumentation=Vegeu l'enllaç a la documentació en línia al menú superior per a obtenir exemples @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/ca_ES/banks.lang b/htdocs/langs/ca_ES/banks.lang index 1b1c9b5c1fc..75647bece01 100644 --- a/htdocs/langs/ca_ES/banks.lang +++ b/htdocs/langs/ca_ES/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Pagament d'impostos varis BankTransfer=Transferència bancària BankTransfers=Transferències bancàries MenuBankInternalTransfer=Transferència interna -TransferDesc=Traspassa d'un compte a un altre, Dolibarr generarà dos registres (dèbit en compte origen i crèdit en compte destí). Per aquesta transacció s'utilitzarà el mateix import (excepte el signe), l'etiqueta i la data). +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=De TransferTo=Cap a TransferFromToDone=La transferència de %s cap a %s de %s %s s'ha creat. -CheckTransmitter=Emissor +CheckTransmitter=Remitent ValidateCheckReceipt=Vols validar aquesta remesa de xec? -ConfirmValidateCheckReceipt=Vols validar aquesta remesa de xec (no serà possible canviar-ho un cop estigui fet)? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Vols suprimir aquesta remesa de xec? ConfirmDeleteCheckReceipt=Vols eliminar aquesta remesa de xec? BankChecks=Xec bancari @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Esteu segur que voleu suprimir aquest registre? ThisWillAlsoDeleteBankRecord=Açò eliminarà també els registres bancaris generats BankMovements=Moviments PlannedTransactions=Registres prevists -Graph=Gràfics +Graph=Graphs ExportDataset_banque_1=Registres bancaris i extractes ExportDataset_banque_2=Resguard TransactionOnTheOtherAccount=Transacció sobre l'altra compte @@ -142,7 +142,7 @@ AllAccounts=Tots els comptes bancaris i en efectiu BackToAccount=Tornar al compte ShowAllAccounts=Mostra per a tots els comptes FutureTransaction=Transacció futura. No és possible conciliar. -SelectChequeTransactionAndGenerate=Selecciona/filtra els xecs a incloure en la remesa de xecs a ingressar i fes clic a "Crea". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Selecciona l'estat del compte bancari relacionat amb la conciliació. Utilitza un valor numèric que es pugui ordenar: AAAAMM o AAAAMMDD EventualyAddCategory=Eventualment, indiqui una categoria en la qual classificar els registres ToConciliate=A conciliar? @@ -174,7 +174,7 @@ YourSEPAMandate=La vostra ordre SEPA FindYourSEPAMandate=Aquest és el vostre mandat SEPA per a autoritzar la nostra empresa a fer una ordre de domiciliació bancària al vostre banc. Torneu-lo signat (escaneja el document signat) o envieu-lo per correu electrònic a AutoReportLastAccountStatement=Ompliu automàticament el camp "nombre d'extracte bancari" amb l'últim número de l'extracte al fer la conciliació CashControl=Control de caixa TPV -NewCashFence=New cash desk opening or closing +NewCashFence=Obertura o tancament de caixa nou BankColorizeMovement=Color de moviments BankColorizeMovementDesc=Si aquesta funció està habilitada, podeu triar un color de fons específic per als moviments de dèbit o de crèdit BankColorizeMovementName1=Color de fons pel moviment de dèbit diff --git a/htdocs/langs/ca_ES/bills.lang b/htdocs/langs/ca_ES/bills.lang index bdcd870106f..85e701cdfa3 100644 --- a/htdocs/langs/ca_ES/bills.lang +++ b/htdocs/langs/ca_ES/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Converteix l'excés pagat en descompte disponible EnterPaymentReceivedFromCustomer=Afegir cobrament rebut del client EnterPaymentDueToCustomer=Fer pagament del client DisabledBecauseRemainderToPayIsZero=Desactivar ja que la resta a pagar és 0 -PriceBase=Preu base +PriceBase=Base price BillStatus=Estat de la factura StatusOfGeneratedInvoices=Estat de factures generades BillStatusDraft=Esborrany (a validar) @@ -454,7 +454,7 @@ RegulatedOn=Pagar el ChequeNumber=Número de xec ChequeOrTransferNumber=Núm. de xec/transferència ChequeBordereau=Comprova horari -ChequeMaker=Autor xec/transferència +ChequeMaker=Check/Transfer sender ChequeBank=Banc del xec CheckBank=Xec NetToBePaid=Net a pagar diff --git a/htdocs/langs/ca_ES/boxes.lang b/htdocs/langs/ca_ES/boxes.lang index 4c9e0642afc..239fa73d3dd 100644 --- a/htdocs/langs/ca_ES/boxes.lang +++ b/htdocs/langs/ca_ES/boxes.lang @@ -23,7 +23,7 @@ BoxLastMembersSubscriptions=Latest member subscriptions BoxFicheInter=Últimes intervencions BoxCurrentAccounts=Balanç de comptes oberts BoxTitleMemberNextBirthdays=Aniversaris d'aquest mes (membres) -BoxTitleMembersByType=Members by type +BoxTitleMembersByType=Socis per tipus BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year BoxTitleLastRssInfos=Últimes %s notícies de %s BoxTitleLastProducts=Productes / Serveis: últims %s modificats @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Adreces d'interès: últims %s BoxOldestExpiredServices=Serveis antics expirats BoxLastExpiredServices=Últims %s contactes amb serveis actius expirats BoxTitleLastActionsToDo=Últimes %s accions a fer -BoxTitleLastContracts=Últims %s contractes modificats -BoxTitleLastModifiedDonations=Últimes %s donacions modificades -BoxTitleLastModifiedExpenses=Últimes %s despeses modificades -BoxTitleLatestModifiedBoms=Últimes %s llistes de material modificades -BoxTitleLatestModifiedMos=Últimes %s ordres de fabricació modificades +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Clients que han superat el màxim pendent BoxGlobalActivity=Activitat global BoxGoodCustomers=Bons clients @@ -114,7 +114,7 @@ BoxCustomersOutstandingBillReached=Clients que superen el límit pendent # Pages UsersHome=Home users and groups MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties +ThirdpartiesHome=Inici Tercers TicketsHome=Home Tickets -AccountancyHome=Home Accountancy +AccountancyHome=Inici Comptabilitat ValidatedProjects=Projectes validats diff --git a/htdocs/langs/ca_ES/cashdesk.lang b/htdocs/langs/ca_ES/cashdesk.lang index 9cfb5122c12..c8ba9314116 100644 --- a/htdocs/langs/ca_ES/cashdesk.lang +++ b/htdocs/langs/ca_ES/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Sala AddTable=Afegeix taula Place=Lloc TakeposConnectorNecesary=Es requereix el 'connector TakePOS' -OrderPrinters=Impressores de comandes +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Cerca producte Receipt=Ordre Header=Capçalera @@ -56,8 +57,9 @@ Paymentnumpad=Tipus de pad per introduir el pagament Numberspad=Números Pad BillsCoinsPad=Pad de monedes i bitllets DolistorePosCategory=Mòduls TakePOS i altres solucions POS per a Dolibarr -TakeposNeedsCategories=TakePOS necessita que les categories de productes funcionin -OrderNotes=Notes de comanda +TakeposNeedsCategories=TakePOS necessita almenys una categoria de productes per a funcionar +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS necessita almenys una categoria a sota de la categoria %s per funcionar +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Compte predeterminat a utilitzar per als pagaments NoPaimementModesDefined=No hi ha cap mode de pagament definit a la configuració de TakePOS TicketVatGrouped=Agrupa IVA per tipus als tiquets|rebuts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=La factura ja està validada NoLinesToBill=No hi ha línies a facturar CustomReceipt=Rebut personalitzat ReceiptName=Nom del rebut -ProductSupplements=Suplements de producte +ProductSupplements=Manage supplements of products SupplementCategory=Categoria de suplement ColorTheme=Color del tema Colorful=Colorit @@ -92,7 +94,7 @@ Browser=Navegador BrowserMethodDescription=Impressió de rebuts fàcil i senzilla. Només uns quants paràmetres per a configurar el rebut. Imprimeix mitjançant el navegador. TakeposConnectorMethodDescription=Mòdul extern amb funcions addicionals. Possibilitat d’imprimir des del núvol. PrintMethod=Mètode d'impressió -ReceiptPrinterMethodDescription=Mètode potent amb molts paràmetres. Completament personalitzable amb plantilles. No es pot imprimir des del núvol. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Per terminal TakeposNumpadUsePaymentIcon=Utilitzeu la icona en lloc del text als botons de pagament del teclat numèric CashDeskRefNumberingModules=Mòdul de numeració per a vendes des del TPV (Punt de Venda) @@ -118,9 +120,11 @@ HideCategoryImages=Amaga les imatges de la categoria HideProductImages=Amaga les imatges del producte NumberOfLinesToShow=Nombre de línies d'imatges a mostrar DefineTablePlan=Definiu el pla de les taules -GiftReceiptButton=Afegiu un botó "Rebut de regal" -GiftReceipt=Rebut de regal +GiftReceiptButton=Afegeix un botó "Tiquet regal" +GiftReceipt=Tiquet regal ModuleReceiptPrinterMustBeEnabled=La impressora de recepció del mòdul deu haver estat habilitada primer AllowDelayedPayment=Permet un pagament retardat PrintPaymentMethodOnReceipts=Imprimeix el mètode de pagament en els tiquets/rebuts WeighingScale=Balança de pesatge +ShowPriceHT = Mostra el preu sense la columna d'impostos +ShowPriceHTOnReceipt = Mostra el preu sense la columna d’impostos al rebut diff --git a/htdocs/langs/ca_ES/categories.lang b/htdocs/langs/ca_ES/categories.lang index 5c202697ee7..1e9afb3dc9d 100644 --- a/htdocs/langs/ca_ES/categories.lang +++ b/htdocs/langs/ca_ES/categories.lang @@ -3,20 +3,20 @@ Rubrique=Etiqueta Rubriques=Etiquetes RubriquesTransactions=Etiquetes d'assentaments categories=etiquetes -NoCategoryYet=No s'ha creat cap etiqueta d'aquest tipus +NoCategoryYet=No tag/category of this type has been created In=En AddIn=Afegeix modify=Modifica Classify=Classifica CategoriesArea=Àrea d'etiquetes -ProductsCategoriesArea=Àrea d'etiquetes de productes/serveis -SuppliersCategoriesArea=Àrea d'etiquetes de proveïdors -CustomersCategoriesArea=Àrea d'etiquetes de clients -MembersCategoriesArea=Àrea d'etiquetes de socis -ContactsCategoriesArea=Àrea d'etiquetes de contactes -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Àrea d'etiquetes de projectes -UsersCategoriesArea=Àrea d'etiquetes d'usuaris +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Subcategories CatList=Llistat d'etiquetes CatListAll=Llista d'etiquetes (tots els tipus) @@ -93,7 +93,7 @@ AddSupplierIntoCategory=Assigna la categoria al proveïdor ShowCategory=Mostra etiqueta ByDefaultInList=Per defecte en el llistat ChooseCategory=Tria la categoria -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories +StocksCategoriesArea=Categories de magatzems +ActionCommCategoriesArea=Categories d'esdeveniments WebsitePagesCategoriesArea=Categories de Pàgines/Contenidors -UseOrOperatorForCategories=Us o operador per categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/ca_ES/commercial.lang b/htdocs/langs/ca_ES/commercial.lang index ce0aee13e4a..4299749d6b0 100644 --- a/htdocs/langs/ca_ES/commercial.lang +++ b/htdocs/langs/ca_ES/commercial.lang @@ -64,10 +64,11 @@ ActionAC_SHIP=Envia expedició per e-mail ActionAC_SUP_ORD=Envia la comanda de compra per correu ActionAC_SUP_INV=Envieu la factura del proveïdor per correu ActionAC_OTH=Altres -ActionAC_OTH_AUTO=Esdeveniments creats automàticament +ActionAC_OTH_AUTO=Altres automàtics ActionAC_MANUAL=Esdeveniments creats manualment ActionAC_AUTO=Esdeveniments creats automàticament -ActionAC_OTH_AUTOShort=Auto +ActionAC_OTH_AUTOShort=Altres +ActionAC_EVENTORGANIZATION=Esdeveniment d’organització d’esdeveniments Stats=Estadístiques de venda StatusProsp=Estat del pressupost DraftPropals=Pressupostos esborrany diff --git a/htdocs/langs/ca_ES/companies.lang b/htdocs/langs/ca_ES/companies.lang index fd9f867eb34..db2493cb144 100644 --- a/htdocs/langs/ca_ES/companies.lang +++ b/htdocs/langs/ca_ES/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=El nom de l'empresa %s ja existeix. Indica un altre. ErrorSetACountryFirst=Indica en primer lloc el país SelectThirdParty=Seleccionar un tercer -ConfirmDeleteCompany=Esteu segur de voler eliminar aquesta empresa i tota la informació dependent? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Eliminar un contacte -ConfirmDeleteContact=Esteu segur de voler eliminar aquest contacte i tota la seva informació dependent? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Tercer nou MenuNewCustomer=Client nou MenuNewProspect=Client potencial nou @@ -43,9 +43,9 @@ Individual=Particular ToCreateContactWithSameName=Es crearà un contacte/adreça automàticament amb la mateixa informació que el tercer d'acord amb el propi tercer. En la majoria de casos, fins i tot si el tercer és una persona física, la creació d'un sol tercer ja és suficient. ParentCompany=Seu Central Subsidiaries=Filials -ReportByMonth=Report per month +ReportByMonth=Informe per mes ReportByCustomers=Informe per client -ReportByThirdparties=Report per thirdparty +ReportByThirdparties=Informe per tercer ReportByQuarter=Informe per taxa CivilityCode=Codi cortesia RegisteredOffice=Domicili social @@ -69,7 +69,7 @@ PhoneShort=Telèfon Skype=Skype Call=Trucar Chat=Xat -PhonePro=Tel. treball +PhonePro=Bus. phone PhonePerso=Tel. personal PhoneMobile=Mòbil No_Email=No enviar e-mailings massius @@ -331,7 +331,7 @@ CustomerCodeDesc=Codi client, únic per a tots els clients SupplierCodeDesc=Codi de proveïdor, únic per a tots els proveïdors RequiredIfCustomer=Requerida si el tercer és un client o client potencial RequiredIfSupplier=Obligatori si un tercer és proveïdor -ValidityControledByModule=Validació controlada pel mòdul +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Regles per a aquest mòdul ProspectToContact=Client potencial a contactar CompanyDeleted=L'empresa "%s" ha estat eliminada @@ -439,12 +439,12 @@ ListSuppliersShort=Llistat de proveïdors ListProspectsShort=Llistat de clients potencials ListCustomersShort=Llistat de clients ThirdPartiesArea=Àrea de tercers i contactes -LastModifiedThirdParties=Últims %s tercers modificats -UniqueThirdParties=Total de Tercers +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Actiu ActivityCeased=Tancat ThirdPartyIsClosed=Tercer està tancat -ProductsIntoElements=Llistat de productes/serveis en %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Factura pendent actual OutstandingBill=Max. de factures pendents OutstandingBillReached=S'ha arribat al màx. de factures pendents @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=El codi és lliure. Aquest codi es pot modificar en quals ManagingDirectors=Nom del gerent(s) (CEO, director, president ...) MergeOriginThirdparty=Duplicar tercer (tercer que vols eliminar) MergeThirdparties=Fusionar tercers -ConfirmMergeThirdparties=Estàs segur que vols fusionar aquest tercer amb l'actual? Tots els objectes relacionats (factures, comandes, etc.) seran traslladats al tercer actual, i l'anterior duplicat serà esborrat. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=S'han fusionat els tercers SaleRepresentativeLogin=Nom d'usuari de l'agent comercial SaleRepresentativeFirstname=Nom de l'agent comercial diff --git a/htdocs/langs/ca_ES/compta.lang b/htdocs/langs/ca_ES/compta.lang index 3ae4522a649..26dfb20751e 100644 --- a/htdocs/langs/ca_ES/compta.lang +++ b/htdocs/langs/ca_ES/compta.lang @@ -86,7 +86,7 @@ PaymentCustomerInvoice=Cobrament factura a client PaymentSupplierInvoice=Pagament de la factura del proveïdor PaymentSocialContribution=Pagament d'impost varis PaymentVat=Pagament IVA -AutomaticCreationPayment=Automatically record the payment +AutomaticCreationPayment=Registre automàtic del pagament ListPayment=Llistat de pagaments ListOfCustomerPayments=Llistat de cobraments de clients ListOfSupplierPayments=Llista de pagaments a proveïdors @@ -135,7 +135,7 @@ NewCheckReceipt=Descompte nou NewCheckDeposit=Ingrés nou NewCheckDepositOn=Crea remesa per ingressar al compte: %s NoWaitingChecks=Sense xecs en espera de l'ingrés. -DateChequeReceived=Data recepció del xec +DateChequeReceived=Check receiving date NbOfCheques=Nombre de xecs PaySocialContribution=Pagar un impost varis PayVAT=Paga una declaració d’IVA @@ -145,10 +145,10 @@ ConfirmPayVAT=Esteu segur que voleu classificar aquesta declaració d'IVA com a ConfirmPaySalary=Are you sure you want to classify this salary card as paid? DeleteSocialContribution=Elimina un pagament d'impost varis DeleteVAT=Suprimeix una declaració d’IVA -DeleteSalary=Delete a salary card +DeleteSalary=Elimina una fitxa salarial ConfirmDeleteSocialContribution=Esteu segur que voleu suprimir aquest pagament d'impostos varis? ConfirmDeleteVAT=Esteu segur que voleu suprimir aquesta declaració d'IVA? -ConfirmDeleteSalary=Are you sure you want to delete this salary? +ConfirmDeleteSalary=Esteu segur que voleu suprimir aquest sou? ExportDataset_tax_1=Impostos varis i pagaments CalcModeVATDebt=Mode d'%sIVA sobre comptabilitat de compromís%s . CalcModeVATEngagement=Mode d'%sIVA sobre ingressos-despeses%s. @@ -250,7 +250,7 @@ ACCOUNTING_ACCOUNT_SUPPLIER=Compte de comptabilitat utilitzat per tercers prove ACCOUNTING_ACCOUNT_SUPPLIER_Desc=El compte comptable dedicat definit a la fitxa de tercers només s'utilitzarà per al Llibre Major. Aquest serà utilitzat pel Llibre Major i com a valor predeterminat del subcompte si no es defineix un compte comptable a la fitxa del tercer. ConfirmCloneTax=Confirma el clonat d'un impost social / fiscal ConfirmCloneVAT=Confirma la còpia d’una declaració d’IVA -ConfirmCloneSalary=Confirm the clone of a salary +ConfirmCloneSalary=Confirmeu el clon d'un salari CloneTaxForNextMonth=Clonar-la pel pròxim mes SimpleReport=Informe simple AddExtraReport=Informes addicionals (afegeix l'informe de clients nacionals i estrangers) diff --git a/htdocs/langs/ca_ES/ecm.lang b/htdocs/langs/ca_ES/ecm.lang index c69f252d2af..4afe9c44f65 100644 --- a/htdocs/langs/ca_ES/ecm.lang +++ b/htdocs/langs/ca_ES/ecm.lang @@ -41,7 +41,7 @@ FileNotYetIndexedInDatabase=Fitxer encara no indexat a la base de dades (intente ExtraFieldsEcmFiles=Atributs addicionals dels fitxers ECM ExtraFieldsEcmDirectories=Atributs addicionals dels directoris ECM ECMSetup=Configuració de l'ECM -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated +GenerateImgWebp=Duplica totes les imatges amb una altra versió amb format .webp +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... +ConfirmImgWebpCreation=Confirmeu la duplicació de totes les imatges +SucessConvertImgWebp=Les imatges s'han duplicat correctament diff --git a/htdocs/langs/ca_ES/errors.lang b/htdocs/langs/ca_ES/errors.lang index deda3b33027..89922bbc91d 100644 --- a/htdocs/langs/ca_ES/errors.lang +++ b/htdocs/langs/ca_ES/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Sense errors, és vàlid # Errors ErrorButCommitIsDone=Errors trobats, però és vàlid malgrat tot -ErrorBadEMail=Correu electrònic %s és incorrecte -ErrorBadMXDomain=El correu electrònic %s sembla incorrecte (el domini no té cap registre MX vàlid) -ErrorBadUrl=Url %s invàlida +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Valor incorrecte del paràmetre. Acostuma a passar quan falta la traducció. ErrorRefAlreadyExists=La referència %s ja existeix. ErrorLoginAlreadyExists=El nom d'usuari %s ja existeix. @@ -46,8 +46,8 @@ ErrorWrongDate=La data no és correcta. ErrorFailedToWriteInDir=No es pot escriure a la carpeta %s ErrorFoundBadEmailInFile=S'ha trobat una sintaxi incorrecta del correu electrònic per a les línies %s al fitxer (exemple de la línia %s amb email=%s) ErrorUserCannotBeDelete=No es pot eliminar l'usuari. És possible que estigui relacionat amb entitats de Dolibarr. -ErrorFieldsRequired=No s'han indicat alguns camps obligatoris -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Error en la creació d'una carpeta. Comprovi que l'usuari del servidor web té drets d'escriptura en les carpetes de documents de Dolibarr. Si el paràmetre safe_mode està actiu en aquest PHP, Comproveu que els fitxers php dolibarr pertanyen a l'usuari del servidor web. ErrorNoMailDefinedForThisUser=E-Mail no definit per a aquest usuari ErrorSetupOfEmailsNotComplete=La configuració dels correus electrònics no s'ha completat @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=La pàgina / contenidor %s < ErrorDuringChartLoad=S'ha produït un error en carregar el gràfic de comptes. Si pocs comptes no s'han carregat, podeu introduir-los manualment. ErrorBadSyntaxForParamKeyForContent=Sintaxi incorrecta per a la clau de contingut del paràmetre. Ha de tenir un valor que comenci per %s o %s ErrorVariableKeyForContentMustBeSet=Error, s’ha d’establir la constant amb el nom %s (amb el contingut de text a mostrar) o %s (amb una URL externa a mostrar). +ErrorURLMustEndWith=URL %s must end %s ErrorURLMustStartWithHttp=L'URL %s ha de començar amb http: // o https: // ErrorHostMustNotStartWithHttp=El nom d'amfitrió %s NO ha de començar amb http: // o https: // ErrorNewRefIsAlreadyUsed=Error, la referència nova ja s’està utilitzant @@ -296,3 +297,4 @@ WarningAvailableOnlyForHTTPSServers=Disponible només si s'utilitza una connexi WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. ErrorActionCommPropertyUserowneridNotDefined=User's owner is required ErrorActionCommBadType=Selected event type (id: %n, code: %s) do not exist in Event Type dictionary +CheckVersionFail=Version check fail diff --git a/htdocs/langs/ca_ES/eventorganization.lang b/htdocs/langs/ca_ES/eventorganization.lang new file mode 100644 index 00000000000..4f0b2546196 --- /dev/null +++ b/htdocs/langs/ca_ES/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Organització d'esdeveniments +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Esdeveniments organitzats +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Configuració de l'organització d'esdeveniments +Settings = Configuració +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Etiqueta de tasques per a crear automàticament quan es validi el projecte +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Categoria per a afegir a tercers creada automàticament quan suggereixen un estand +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Plantilla de correu electrònic d'acció massiva als assistents +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Plantilla de correu electrònic d'acció massiva als ponents +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Gestiona l'organització d'esdeveniments +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Data de subscripció +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = S'ha rebut la vostra sol·licitud de conferència +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Sol·licitud de conferència +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscripció a estand +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Preu de la inscripció +PriceOfRegistrationHelp=Preu de la inscripció +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Informació sobre conferències o estands +Attendees = Assistents +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Esborrany +EvntOrgSuggested = Suggerit +EvntOrgConfirmed = Confirmat +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Realitzades +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = Aquest formulari us permet registrar-vos com a nou participant a la conferència +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/ca_ES/externalsite.lang b/htdocs/langs/ca_ES/externalsite.lang index 3518d8c97ac..4547f3e3c70 100644 --- a/htdocs/langs/ca_ES/externalsite.lang +++ b/htdocs/langs/ca_ES/externalsite.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - externalsite ExternalSiteSetup=Configuració de l'enllaç a la pàgina web externa -ExternalSiteURL=External Site URL of HTML iframe content +ExternalSiteURL=URL del lloc extern del contingut iframe HTML ExternalSiteModuleNotComplete=El mòdul Lloc web extern no ha estat configurat correctament. ExampleMyMenuEntry=La meva entrada del menú diff --git a/htdocs/langs/ca_ES/holiday.lang b/htdocs/langs/ca_ES/holiday.lang index 5a0098d8bdd..de0b9e084a8 100644 --- a/htdocs/langs/ca_ES/holiday.lang +++ b/htdocs/langs/ca_ES/holiday.lang @@ -13,7 +13,7 @@ ToReviewCP=A l'espera d'aprovació ApprovedCP=Aprovada CancelCP=Anul·lada RefuseCP=Rebutjada -ValidatorCP=Validador +ValidatorCP=Aprovador ListeCP=Llista de dies lliures Leave=Sol·licitud de permís LeaveId=Identificador de baixa @@ -39,10 +39,10 @@ TitreRequestCP=Fitxa de dies lliures 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 +NbUseDaysCP=Nombre de dies de permís utilitzats +NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. +NbUseDaysCPShort=Dies de permís +NbUseDaysCPShortInMonth=Dies de permís al mes DayIsANonWorkingDay=%s és un dia no laborable DateStartInMonth=Data d'inici al mes DateEndInMonth=Data de finalització al mes @@ -54,8 +54,8 @@ StatutCP=Estat TitleDeleteCP=Eliminar la petició de dies lliures ConfirmDeleteCP=Estàs segur de voler eliminar aquesta petició de dies lliures? ErrorCantDeleteCP=Error, no teniu permisos per a suprimir aquesta sol·licitud de permís. -CantCreateCP=Note permisos per realitzar peticions de dies lliures -InvalidValidatorCP=Ha d'indicar un validador per la seva petició de dies lliures +CantCreateCP=No teniu accés a fer sol·licituds de permís. +InvalidValidatorCP=Heu de triar l’aprovador per a la vostra sol·licitud de permís. NoDateDebut=Ha d'indicar una data d'inici. NoDateFin=Ha d'indicar una data de fi. ErrorDureeCP=La seva petició de dies lliures no conté cap dia hàbil @@ -80,14 +80,14 @@ UserCP=Usuari ErrorAddEventToUserCP=S'ha produït un error en l'assignació del permís excepcional. AddEventToUserOkCP=S'ha afegit el permís excepcional. MenuLogCP=Veure registre de canvis -LogCP=Registre d’actualitzacions dels dies de vacances disponibles -ActionByCP=Realitzat per -UserUpdateCP=Per a l'usuari +LogCP=Registre de totes les actualitzacions realitzades a "Saldo de permisos" +ActionByCP=Actualitzat per +UserUpdateCP=Actualitzat per a PrevSoldeCP=Saldo anterior NewSoldeCP=Saldo nou alreadyCPexist=En aquest període ja s’ha fet una sol·licitud de dia lliure. -FirstDayOfHoliday=Primer dia lliure -LastDayOfHoliday=Últim dia de vacances +FirstDayOfHoliday=Primer dia de sol·licitud de permís +LastDayOfHoliday=Últim del dia de sol·licitud de permís BoxTitleLastLeaveRequests=Últimes %s peticions de dies lliures modificades HolidaysMonthlyUpdate=Actualització mensual ManualUpdate=Actualització manual @@ -104,8 +104,8 @@ LEAVE_SICK=Baixa per enfermetat LEAVE_OTHER=Altres sortides LEAVE_PAID_FR=Vacances pagades ## Configuration du Module ## -LastUpdateCP=Última actualització automàtica de reserva de dies lliures -MonthOfLastMonthlyUpdate=Mes de l'última actualització automàtica de reserva de dies lliures +LastUpdateCP=Última actualització automàtica de l'assignació de dies de permís +MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation UpdateConfCPOK=Actualització efectuada correctament. Module27130Name= Gestió de dies lliures Module27130Desc= Gestió de dies lliures @@ -123,10 +123,10 @@ HolidaysRefusedBody=La seva sol·licitud de dies lliures retribuïts des de el % HolidaysCanceled=Dies lliures retribuïts cancel·lats HolidaysCanceledBody=S'ha cancel·lat la vostra sol·licitud de permís del %s al %s. FollowedByACounter=1: Aquest tipus de dia lliure necessita el seguiment d'un comptador. El comptador s'incrementa manualment o automàticament i quan hi ha una petició de dia lliure validada, el comptador es decrementa.
0: No seguit per un comptador. -NoLeaveWithCounterDefined=No s'han definit els tipus de dies lliures que son necessaris per poder seguir-los amb comptador -GoIntoDictionaryHolidayTypes=Ves a Inici - Configuració - Diccionaris - Tipus de dies lliures per a configurar els diferents tipus de dies lliures -HolidaySetup=Configuració del mòdul Vacances -HolidaysNumberingModules=Models numerats de sol·licituds de dies lliures +NoLeaveWithCounterDefined=No hi ha cap tipus de dia lliure definit que hagi de seguir un comptador +GoIntoDictionaryHolidayTypes=Aneu a Inici - Configuració - Diccionaris - Tipus de dies lliures per a configurar els diferents tipus de dies lliures. +HolidaySetup=Configuració del mòdul Dies de permís +HolidaysNumberingModules=Models de numeració de sol·licituds de dies de permís TemplatePDFHolidays=Plantilla per a sol·licituds de permisos en PDF FreeLegalTextOnHolidays=Text gratuït a PDF WatermarkOnDraftHolidayCards=Marques d'aigua sobre esborranys de sol·licituds de dies lliures diff --git a/htdocs/langs/ca_ES/knowledgemanagement.lang b/htdocs/langs/ca_ES/knowledgemanagement.lang new file mode 100644 index 00000000000..29e628befcc --- /dev/null +++ b/htdocs/langs/ca_ES/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Configuració +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Quant a +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/ca_ES/mails.lang b/htdocs/langs/ca_ES/mails.lang index ffcbd2fd725..20115c14e6b 100644 --- a/htdocs/langs/ca_ES/mails.lang +++ b/htdocs/langs/ca_ES/mails.lang @@ -15,7 +15,7 @@ MailToUsers=A l'usuari(s) MailCC=Còpia a MailToCCUsers=Còpia l'usuari(s) MailCCC=Còpia oculta a -MailTopic=Tema de correu electrònic +MailTopic=Email subject MailText=Missatge MailFile=Fitxers adjunts MailMessage=Text utilitzat en el cos del missatge @@ -43,7 +43,7 @@ MailSuccessfulySent=E-mail acceptat correctament per l'enviament (de %s a %s) MailingSuccessfullyValidated=E-mailing validat correctament MailUnsubcribe=Desubscriure MailingStatusNotContact=No contactar -MailingStatusReadAndUnsubscribe=Llegeix i dóna de baixa +MailingStatusReadAndUnsubscribe=Llegeix i dona de baixa ErrorMailRecipientIsEmpty=L'adreça del destinatari és buida WarningNoEMailsAdded=Cap nou e-mail a afegir a la llista destinataris. ConfirmValidMailing=Vols validar aquest E-Mailing? @@ -55,7 +55,7 @@ TotalNbOfDistinctRecipients=Nombre de destinataris únics NoTargetYet=Cap destinatari definit NoRecipientEmail=No hi ha cap correu electrònic destinatari per a %s RemoveRecipient=Eliminar destinatari -YouCanAddYourOwnPredefindedListHere=Per crear el seu mòdul de selecció e-mails, mireu htdocs /core/modules/mailings/README. +YouCanAddYourOwnPredefindedListHere=Per a crear el mòdul de selecció de correu electrònic, consulteu htdocs/core/modules/mailings/README. EMailTestSubstitutionReplacedByGenericValues=En mode prova, les variables de substitució són substituïdes per valors genèrics MailingAddFile=Adjunta aquest fitxer NoAttachedFiles=Sense fitxers adjunts @@ -68,7 +68,7 @@ DateSending=Data enviament SentTo=Enviat a %s MailingStatusRead=Llegit YourMailUnsubcribeOK=El correu electrònic %s està correctament eliminat de la llista de correu -ActivateCheckReadKey=Clau utilitzada per xifrar l'URL utilitzat per a la funció "Llegir el rebut" i "Anul·lar la subscripció" +ActivateCheckReadKey=Clau que s'utilitza per a xifrar l'URL que s'utilitza per a les funcions "Recepció de lectura" i "Cancel·la la subscripció" EMailSentToNRecipients=Correu electrònic enviat a destinataris %s. EMailSentForNElements=Correu electrònic enviat per elements %s. XTargetsAdded=%s destinataris agregats a la llista @@ -82,7 +82,7 @@ NbSelected=Número seleccionat NbIgnored=Número ignorat NbSent=Número enviat SentXXXmessages=%s missatge(s) enviat(s). -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? +ConfirmUnvalidateEmailing=Esteu segur que voleu canviar el correu electrònic %s a l'estat d'esborrany? MailingModuleDescContactsWithThirdpartyFilter=Contacte amb filtres de client MailingModuleDescContactsByCompanyCategory=Contactes per categoria de tercers MailingModuleDescContactsByCategory=Contactes per categories @@ -106,18 +106,18 @@ MailNoChangePossible=Destinataris d'un E-Mailing validat no modificables SearchAMailing=Cercar un E-Mailing SendMailing=Envia e-mailing SentBy=Enviat por -MailingNeedCommand=L’enviament de correus electrònics massius es pot realitzar des de la línia de comandes. Demaneu a l'administrador del servidor que iniciï la següent comanda per enviar els correus electrònics a tots els destinataris: -MailingNeedCommand2=Podeu enviar en línia afegint el paràmetre MAILING_LIMIT_SENDBYWEB amb un valor nombre que indica el màxim nombre d'e-mails enviats per sessió. Per això aneu a Inici - Configuració - Varis +MailingNeedCommand=L’enviament de correus electrònics massius es pot realitzar des de la línia d'ordres. Demaneu a l'administrador del servidor que iniciï la següent ordre per a enviar els correus electrònics a tots els destinataris: +MailingNeedCommand2=No obstant això, podeu enviar-los en línia afegint el paràmetre MAILING_LIMIT_SENDBYWEB amb el valor del nombre màxim de correus electrònics que vulgueu enviar per sessió. Per a això, aneu a Inici - Configuració - Altres. ConfirmSendingEmailing=Si voleu enviar correus electrònics directament des d'aquesta pantalla, confirmeu que esteu segur que voleu enviar correus electrònics ara des del vostre navegador? LimitSendingEmailing=Nota: L'enviament de missatges massius de correu electrònic des de la interfície web es realitza diverses vegades per motius de seguretat i temps d'espera, %s als destinataris de cada sessió d'enviament. TargetsReset=Buidar llista -ToClearAllRecipientsClickHere=Per buidar la llista dels destinataris d'aquest E-Mailing, feu clic al botó +ToClearAllRecipientsClickHere=Feu clic aquí per a esborrar la llista de destinataris d’aquest correu electrònic ToAddRecipientsChooseHere=Afegiu destinataris escollint entre les llistes NbOfEMailingsReceived=E-Mailings en massa rebuts NbOfEMailingsSend=E-mails massius enviats IdRecord=ID registre DeliveryReceipt=Justificant de recepció. -YouCanUseCommaSeparatorForSeveralRecipients=Podeu usar el caràcter de separació coma per especificar múltiples destinataris. +YouCanUseCommaSeparatorForSeveralRecipients=Podeu utilitzar el separador coma per a especificar diversos destinataris. TagCheckMail=Seguiment de l'obertura del email TagUnsubscribe=Link de Desubscripció TagSignature=Signatura de l'usuari remitent @@ -131,9 +131,9 @@ NoNotificationsWillBeSent=No hi ha previstes notificacions automàtiques per cor ANotificationsWillBeSent=S'enviarà 1 notificació automàtica per correu electrònic SomeNotificationsWillBeSent=S'enviaran %s notificacions automàtiques per correu electrònic AddNewNotification=Subscriviu-vos a una nova notificació automàtica per correu electrònic (destinatari/esdeveniment) -ListOfActiveNotifications=Llista totes les subscripcions actives (destinataris/esdeveniments) per a notificacions automàtiques per correu electrònic -ListOfNotificationsDone=Llista totes les notificacions automàtiques enviades per correu electrònic -MailSendSetupIs=La configuració d'enviament d'e-mail s'ha ajustat a '%s'. Aquest mètode no es pot utilitzar per enviar e-mails massius. +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent +MailSendSetupIs=La configuració de l'enviament de correu electrònic s'ha configurat a '%s'. Aquest mode no es pot utilitzar per a enviar correus electrònics massius. MailSendSetupIs2=Primer heu d’anar, amb un compte d’administrador, al menú %sInici - Configuració - Correus electrònics%s per a canviar el paràmetre '%s' per a utilitzar el mode '%s'. Amb aquest mode, podeu introduir la configuració del servidor SMTP proporcionat pel vostre proveïdor de serveis d'Internet i utilitzar la funció de correu electrònic massiu. MailSendSetupIs3=Si teniu cap pregunta sobre com configurar el servidor SMTP, podeu demanar-li a %s. YouCanAlsoUseSupervisorKeyword=També pot afegir l'etiqueta __SUPERVISOREMAIL__ per tenir un e-mail enviat pel supervisor a l'usuari (només funciona si un e-mail és definit per aquest supervisor) diff --git a/htdocs/langs/ca_ES/main.lang b/htdocs/langs/ca_ES/main.lang index 7553262f78d..8287e64d69d 100644 --- a/htdocs/langs/ca_ES/main.lang +++ b/htdocs/langs/ca_ES/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Desa i nou TestConnection=Provar la connexió ToClone=Clona ConfirmCloneAsk=Esteu segur que voleu clonar l'objecte %s ? -ConfirmClone=Trieu les dades que voleu clonar: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No s'ha definit cap dada per a clonar. Of=de Go=Anar @@ -246,7 +246,7 @@ DefaultModel=Plantilla del document per defecte Action=Acció About=Quant a Number=Número -NumberByMonth=Nombre per mes +NumberByMonth=Total reports by month AmountByMonth=Import per mes Numero=Número Limit=Límit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=Usuari de la creació -UserModif=Usuari de l'última actualització +UserAuthor=Ceated by +UserModif=Actualitzat per b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Per From=De FromDate=De FromLocation=De -at=a to=a To=a +ToDate=a +ToLocation=a +at=a and=i or=o Other=Altres @@ -727,7 +729,7 @@ MenuMembers=Socis MenuAgendaGoogle=Agenda Google MenuTaxesAndSpecialExpenses=Impostos | Despeses especials ThisLimitIsDefinedInSetup=Límit Dolibarr (Menú inici-configuració-seguretat): %s Kb, límit PHP: %s Kb -NoFileFound=No documents uploaded +NoFileFound=No s'ha penjat cap document CurrentUserLanguage=Idioma actual CurrentTheme=Tema actual CurrentMenuManager=Gestor menú actual @@ -843,7 +845,7 @@ XMoreLines=%s línia(es) oculta(es) ShowMoreLines=Mostra més/menys línies PublicUrl=URL pública AddBox=Afegir quadre -SelectElementAndClick=Selecciona un element i fes clic a %s +SelectElementAndClick=Select an element and click on %s PrintFile=%s arxius a imprimir ShowTransaction=Mostra la transacció en el compte bancari ShowIntervention=Mostrar intervenció @@ -854,8 +856,8 @@ Denied=Denegat ListOf=Llista de %s ListOfTemplates=Llistat de plantilles Gender=Sexe -Genderman=Home -Genderwoman=Dona +Genderman=Male +Genderwoman=Female Genderother=Altres ViewList=Vista llistat ViewGantt=Vista Gantt @@ -1018,7 +1020,7 @@ SearchIntoContacts=Contactes SearchIntoMembers=Socis SearchIntoUsers=Usuaris SearchIntoProductsOrServices=Productes o serveis -SearchIntoBatch=Lots / Serials +SearchIntoBatch=Lots / sèries SearchIntoProjects=Projectes SearchIntoMO=Ordres de fabricació SearchIntoTasks=Tasques @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Esteu segur que voleu afectar les etiquetes als registr CategTypeNotFound=No s'ha trobat cap tipus d'etiqueta per al tipus de registres CopiedToClipboard=Copiat al porta-retalls InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/ca_ES/members.lang b/htdocs/langs/ca_ES/members.lang index e99d8a53704..9dc9b995352 100644 --- a/htdocs/langs/ca_ES/members.lang +++ b/htdocs/langs/ca_ES/members.lang @@ -15,24 +15,24 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Un altre soci (nom: %s, nom d' ErrorUserPermissionAllowsToLinksToItselfOnly=Per motius de seguretat, se us ha de concedir permisos per a editar tots els usuaris per a poder enllaçar un soci a un usuari que no és vostre. SetLinkToUser=Vincular a un usuari Dolibarr SetLinkToThirdParty=Vincular a un tercer Dolibarr -MembersCards=Carnets de socis +MembersCards=Business cards for members MembersList=Llistat de socis MembersListToValid=Llistat de socis esborrany (per a validar) MembersListValid=Llistat de socis validats MembersListUpToDate=Llista de socis vàlids amb quotes al dia MembersListNotUpToDate=Llista de socis vàlids amb quotes pendents -MembersListExcluded=List of excluded members +MembersListExcluded=Llista de socis exclosos MembersListResiliated=Llista de socis donats de baixa MembersListQualified=Llistat de socis qualificats MenuMembersToValidate=Socis esborrany MenuMembersValidated=Socis validats -MenuMembersExcluded=Excluded members +MenuMembersExcluded=Socis exclosos MenuMembersResiliated=Socis donats de baixa MembersWithSubscriptionToReceive=Socis amb afiliació per rebre MembersWithSubscriptionToReceiveShort=Subscripcions per rebre DateSubscription=Data afiliació DateEndSubscription=Data final d'afiliació -EndSubscription=Final d'afiliació +EndSubscription=Subscription Ends SubscriptionId=ID d'afiliació WithoutSubscription=Sense afiliació MemberId=ID de soci @@ -49,12 +49,12 @@ MemberStatusActiveLate=Afiliació no al dia MemberStatusActiveLateShort=No al dia MemberStatusPaid=Afiliacions al dia MemberStatusPaidShort=Al dia -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded +MemberStatusExcluded=Soci exclòs +MemberStatusExcludedShort=Exclòs MemberStatusResiliated=Soci donat de baixa MemberStatusResiliatedShort=Baixa MembersStatusToValid=Socis esborrany -MembersStatusExcluded=Excluded members +MembersStatusExcluded=Socis exclosos MembersStatusResiliated=Socis donats de baixa MemberStatusNoSubscription=Validat (no cal subscripció) MemberStatusNoSubscriptionShort=Validat @@ -83,12 +83,12 @@ WelcomeEMail=Correu electrònic de benvinguda SubscriptionRequired=Subjecte a cotització DeleteType=Elimina VoteAllowed=Vot autoritzat -Physical=Físic -Moral=Moral -MorAndPhy=Moral i físic -Reenable=Reactivar -ExcludeMember=Exclude a member -ConfirmExcludeMember=Are you sure you want to exclude this member ? +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable +ExcludeMember=Exclou un soci +ConfirmExcludeMember=Esteu segur que voleu excloure aquest soci? ResiliateMember=Dona de baixa un soci ConfirmResiliateMember=Vols donar de baixa aquest soci? DeleteMember=Elimina un soci @@ -170,37 +170,37 @@ DocForLabels=Generació d'etiquetes d'adreces (Format de plantilla configurat ac SubscriptionPayment=Pagament de quota LastSubscriptionDate=Data de l'últim pagament de subscripció LastSubscriptionAmount=Import de la subscripció més recent -LastMemberType=Last Member type +LastMemberType=Darrer tipus de soci MembersStatisticsByCountries=Estadístiques de socis per país MembersStatisticsByState=Estadístiques de socis per província MembersStatisticsByTown=Estadístiques de socis per població MembersStatisticsByRegion=Estadístiques de socis per regió -NbOfMembers=Nombre de socis -NbOfActiveMembers=Nombre de socis actius actuals +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No s'ha trobat cap soci validat -MembersByCountryDesc=Aquesta pantalla presenta una estadística del nombre de socis per país. No obstant això, el gràfic utilitza el servei en línia de gràfics de Google i només és operatiu quan es troba disponible una connexió a Internet. -MembersByStateDesc=Aquesta pantalla presenta una estadística del nombre de socis per província -MembersByTownDesc=Aquesta pantalla presenta una estadística del nombre de socis per població. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Tria les estadístiques que vols consultar... MenuMembersStats=Estadístiques -LastMemberDate=Data de l'últim soci +LastMemberDate=Latest membership date LatestSubscriptionDate=Data de l'última afiliació -MemberNature=Naturalesa del membre -MembersNature=Naturalesa dels socis -Public=Informació pública +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=S'ha afegit un soci nou. Esperant l'aprovació NewMemberForm=Formulari de soci nou -SubscriptionsStatistics=Estadístiques de cotitzacions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Nombre d'afiliacions -AmountOfSubscriptions=Import de cotitzacions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Volum de vendes (empresa) o Pressupost (associació o col.lectiu) DefaultAmount=Import per defecte cotització CanEditAmount=El visitant pot triar/modificar l'import de la seva cotització MEMBER_NEWFORM_PAYONLINE=Anar a la pàgina integrada de pagament en línia ByProperties=Per naturalesa MembersStatisticsByProperties=Estadístiques dels membres per naturalesa -MembersByNature=Aquesta pantalla mostra estadístiques de socis per caràcter. -MembersByRegion=Aquesta pantalla mostra les estadístiques de socis per regió. VATToUseForSubscriptions=Taxa d'IVA per les afiliacions NoVatOnSubscription=Sense IVA per subscripcions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producte utilitzat per la línia de subscripció a la factura: %s diff --git a/htdocs/langs/ca_ES/modulebuilder.lang b/htdocs/langs/ca_ES/modulebuilder.lang index 797693fc98e..4845f988a0e 100644 --- a/htdocs/langs/ca_ES/modulebuilder.lang +++ b/htdocs/langs/ca_ES/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=Llista de permisos definits SeeExamples=Mira exemples aquí EnabledDesc=Condició per a tenir aquest camp actiu (Exemples: 1 ó $conf->global->MYMODULE_MYOPTION) VisibleDesc=És visible el camp ? (Exemples: 0=Mai visible, 1=Visible als llistats i als formularis crear/modificar/veure, 2=Visible només als llistats, 3=Visible només als formularis crear/modificar/veure (no als llistats), 4=Visible als llistats i només als formularis modificar/veure (no al de crear), 5=Visible als llistats i només al formulari de veure (però no als formularis de crear i modificar).

Utilitzant un valor negatiu implicarà que el camp no es mostrarà per defecte als llistats però podrà ser escollit per veure's).

pot ser una expressió, per exemple:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Mostra aquest camp en documents PDF compatibles. Podeu gestionar la posició amb el camp "Posició".
Actualment, els models PDF compatibles coneguts són: eratosthene (comanda), espadon (enviament), sponge (factures), cyan (propal / pressupost), cornas (comanda del proveïdor)

Per al document :
0 = no es mostra
1 = mostra
2 = només si no està buit

Per a les línies de documents:
0 = no es veuen les
1 = mostra en una columna
= 3 = mostra a la columna de descripció de línia després de la descripció
4 = mostra a la columna de descripció després de la descripció només si no està buida +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Visualització en PDF IsAMeasureDesc=Es pot acumular el valor del camp per a obtenir un total a la llista? (Exemples: 1 o 0) SearchAllDesc=El camp utilitzat per realitzar una cerca des de l'eina de cerca ràpida? (Exemples: 1 o 0) @@ -133,9 +133,9 @@ IncludeDocGeneration=Vull generar alguns documents des de l'objecte IncludeDocGenerationHelp=Si ho marques, es generarà el codi per afegir una casella "Generar document" al registre. ShowOnCombobox=Mostra el valor a la llista desplegable KeyForTooltip=Clau per donar més informació -CSSClass=CSS for edit/create form -CSSViewClass=CSS for read form -CSSListClass=CSS for list +CSSClass=CSS per a editar/crear un formulari +CSSViewClass=CSS per al formulari de lectura +CSSListClass=CSS per a llistats NotEditable=No editable ForeignKey=Clau forana 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 a crear el registre, 'filtre' pot ser 'status=1 AND fk_user=__USER_ID AND entity IN (__SHARED_ENTITIES__)' per exemple) diff --git a/htdocs/langs/ca_ES/other.lang b/htdocs/langs/ca_ES/other.lang index 0003ac6205a..19c6ee764e8 100644 --- a/htdocs/langs/ca_ES/other.lang +++ b/htdocs/langs/ca_ES/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Instal·leu o activeu la biblioteca GD a la instal·lació d ProfIdShortDesc=Prof Id %s és una informació que depèn del país del tercer.
Per exemple, per al país %s, és el codi %s. DolibarrDemo=Demo de Dolibarr ERP/CRM StatsByNumberOfUnits=Estadístiques de suma de la quantitat de productes/serveis -StatsByNumberOfEntities=Estadístiques en nombre d'entitats referents (número de factura o ordre ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Nombre de pressupostos NumberOfCustomerOrders=Nombre de comandes de venda NumberOfCustomerInvoices=Nombre de factures de client @@ -289,4 +289,4 @@ PopuProp=Productes / Serveis per popularitat als pressupostos PopuCom=Productes / Serveis per popularitat a les comandes ProductStatistics=Productes / Serveis Estadístiques NbOfQtyInOrders=Quantitat en comandes -SelectTheTypeOfObjectToAnalyze=Seleccioneu el tipus d'objecte a analitzar ... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/ca_ES/partnership.lang b/htdocs/langs/ca_ES/partnership.lang new file mode 100644 index 00000000000..6ee81ae5692 --- /dev/null +++ b/htdocs/langs/ca_ES/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Data inicial +DatePartnershipEnd=Data final + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Esborrany +PartnershipAccepted = Acceptat +PartnershipRefused = Rebutjat +PartnershipCanceled = Cancel·lat + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/ca_ES/productbatch.lang b/htdocs/langs/ca_ES/productbatch.lang index 3cf6573bf26..2b1ea9d1a1f 100644 --- a/htdocs/langs/ca_ES/productbatch.lang +++ b/htdocs/langs/ca_ES/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/ca_ES/products.lang b/htdocs/langs/ca_ES/products.lang index e0d958054d0..40e9267f8ad 100644 --- a/htdocs/langs/ca_ES/products.lang +++ b/htdocs/langs/ca_ES/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Serveis només en venda ServicesOnPurchaseOnly=Serveis només per compra ServicesNotOnSell=Serveis no a la venda i no per a la compra ServicesOnSellAndOnBuy=Serveis en venda o de compra -LastModifiedProductsAndServices=Els %s últims productes/serveis modificats +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Últims %s productes registrats LastRecordedServices=Últims %s serveis registrats CardProduct0=Producte @@ -73,12 +73,12 @@ SellingPrice=Preu de venda SellingPriceHT=Preu de venda (sense IVA) SellingPriceTTC=PVP amb IVA SellingMinPriceTTC=Preu mínim de venda (IVA inclòs) -CostPriceDescription=Aquest camp de preus (sense IVA) es pot utilitzar per emmagatzemar l'import mitjà que aquest producte suposa per a la vostra empresa. Pot ser qualsevol preu que calculeu, per exemple, des del preu mitjà de compra més el cost mitjà de producció i distribució. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Aquest valor pot utilitzar-se per al càlcul de marges SoldAmount=Import venut PurchasedAmount=Import comprat NewPrice=Preu nou -MinPrice=Min. preu de venda +MinPrice=Min. selling price EditSellingPriceLabel=Edita l'etiqueta de preu de venda CantBeLessThanMinPrice=El preu de venda no pot ser inferior al mínim permès per a aquest producte (%s sense IVA). Aquest missatge també pot aparèixer si escriviu un descompte massa gran. ContractStatusClosed=Tancat @@ -157,11 +157,11 @@ ListServiceByPopularity=Llistat de serveis per popularitat Finished=Producte fabricat RowMaterial=Matèria primera ConfirmCloneProduct=Estàs segur que vols clonar el producte o servei %s? -CloneContentProduct=Clona tota la informació principal del producte/servei +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clonar preus -CloneCategoriesProduct=Etiquetes i categories de clons enllaçades -CloneCompositionProduct=Clonar virtualment un producte/servei -CloneCombinationsProduct=Clonar variants de producte +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Aquest producte és utilitzat NewRefForClone=Ref. del producte/servei nou SellingPrices=Preus de venda @@ -170,12 +170,12 @@ CustomerPrices=Preus de client SuppliersPrices=Preus del proveïdor SuppliersPricesOfProductsOrServices=Preus del venedor (de productes o serveis) CustomCode=Duanes | Productes bàsics | Codi HS -CountryOrigin=País d'origen -RegionStateOrigin=Regió d'origen -StateOrigin=Estat | Província d'origen -Nature=Naturalesa del producte (material/acabat) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Naturalesa del producte -NatureOfProductDesc=Matèria primera o producte acabat +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Etiqueta curta Unit=Unitat p=u. diff --git a/htdocs/langs/ca_ES/projects.lang b/htdocs/langs/ca_ES/projects.lang index 3a6db3e2b39..72b37f52286 100644 --- a/htdocs/langs/ca_ES/projects.lang +++ b/htdocs/langs/ca_ES/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Contactes del projecte ProjectsImContactFor=Projectes dels qui en soc explícitament un contacte AllAllowedProjects=Tots els projectes que puc llegir (meu + públic) AllProjects=Tots els projectes -MyProjectsDesc=Aquesta vista mostra aquells projectes dels quals sou un contacte. +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Aquesta vista mostra tots els projectes en els que vostè té dret a tenir visibilitat. TasksOnProjectsPublicDesc=Aquesta vista mostra totes les tasques en projectes en els que tens permisos de lectura. ProjectsPublicTaskDesc=Aquesta vista mostra tots els projectes als que té dret a visualitzar ProjectsDesc=Aquesta vista mostra tots els projectes (les seves autoritzacions li ofereixen una visió completa). TasksOnProjectsDesc=Aquesta vista mostra totes les tasques en tots els projectes (els teus permisos d'usuari et donen dret a visualitzar-ho tot). -MyTasksDesc=Aquesta vista es limita als projectes o a les tasques als quals sou un contacte. +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Només visibles els projectes oberts (els projectes en estat d'esborrany o tancats no són visibles) ClosedProjectsAreHidden=Els projectes tancats no són visibles. TasksPublicDesc=Aquesta vista mostra tots els projectes i tasques en els que vostè té dret a tenir visibilitat. TasksDesc=Aquesta vista presenta tots els projectes i tasques (els permisos d'usuari us concedeixen permís per veure-ho tot). AllTaskVisibleButEditIfYouAreAssigned=Totes les tasques per a projectes qualificats són visibles, però podeu ingressar només el temps per a la tasca assignada a l'usuari seleccionat. Assigneu la tasca si necessiteu introduir-hi el temps. -OnlyYourTaskAreVisible=Només són visibles les tasques que tens assignades. Assigna't tasques si no són visibles i vols afegir-hi les hores. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasques de projectes ProjectCategories=Etiquetes de projecte NewProject=Projecte nou @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=No assignat a la tasca NoUserAssignedToTheProject=No hi ha usuaris assignats a aquest projecte TimeSpentBy=Temps gastat per TasksAssignedTo=Tasques assignades a -AssignTaskToMe=Assignar-me una tasca +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assigna una tasca a %s SelectTaskToAssign=Selecciona la tasca per a assignar ... AssignTask=Assigna diff --git a/htdocs/langs/ca_ES/propal.lang b/htdocs/langs/ca_ES/propal.lang index 258f0378d23..3055c12af26 100644 --- a/htdocs/langs/ca_ES/propal.lang +++ b/htdocs/langs/ca_ES/propal.lang @@ -59,7 +59,7 @@ ConfirmClonePropal=Estàs segur que vols clonar la proposta comercial %s? ConfirmReOpenProp=Esteu segur que voleu tornar a obrir el pressupost %s? ProposalsAndProposalsLines=Pressupostos a clients i línies de pressupostos ProposalLine=Línia de pressupost -ProposalLines=Proposal lines +ProposalLines=Línies de pressupost AvailabilityPeriod=Temps de lliurament SetAvailability=Indica el temps de lliurament AfterOrder=després de la comanda diff --git a/htdocs/langs/ca_ES/recruitment.lang b/htdocs/langs/ca_ES/recruitment.lang index f9b8ebf2176..6482ee9a72d 100644 --- a/htdocs/langs/ca_ES/recruitment.lang +++ b/htdocs/langs/ca_ES/recruitment.lang @@ -35,7 +35,7 @@ EnablePublicRecruitmentPages=Activa les pàgines públiques de treballs actius # # About page # -About = Sobre +About = Quant a RecruitmentAbout = Quant a la contractació RecruitmentAboutPage = Pàgina quant a la contractació NbOfEmployeesExpected=Nombre previst d'empleats @@ -53,7 +53,7 @@ NewPositionToBeFilled=Llocs de treball nous JobOfferToBeFilled=Lloc de treball a cobrir ThisIsInformationOnJobPosition=Informació del lloc de treball a ocupar ContactForRecruitment=Contacte per a la contractació -EmailRecruiter=El reclutador de correu electrònic +EmailRecruiter=Correu electrònic del reclutador ToUseAGenericEmail=Per a utilitzar un correu electrònic genèric. Si no està definit, s’utilitzarà el correu electrònic del responsable de la contractació NewCandidature=Candidatura nova ListOfCandidatures=Llista de candidatures @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Gràcies per la teva candidatura.
... JobClosedTextCandidateFound=L’oferta de feina està tancada. El lloc s'ha cobert. JobClosedTextCanceled=L’oferta de feina està tancada. ExtrafieldsJobPosition=Atributs complementaris (llocs de treball) -ExtrafieldsCandidatures=Atributs complementaris (sol·licituds de feina) +ExtrafieldsApplication=Atributs complementaris (sol·licituds de feina) MakeOffer=Feu una oferta diff --git a/htdocs/langs/ca_ES/salaries.lang b/htdocs/langs/ca_ES/salaries.lang index de594952360..50e733b564f 100644 --- a/htdocs/langs/ca_ES/salaries.lang +++ b/htdocs/langs/ca_ES/salaries.lang @@ -2,12 +2,15 @@ SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Compte comptable utilitzat per usuaris tercers SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=El compte comptable dedicat definit a la fitxa d'usuari només s’utilitzarà per a la comptabilitat auxiliar. Aquest s'utilitzarà per al llibre major i com a valor per defecte de la comptabilitat auxiliar si no es defineix un compte comptable d'usuari dedicat. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Compte comptable per defecte per als pagaments salarials +CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=By default, leave empty the option "Automatically create a total payment" when creating a Salary Salary=Sou Salaries=Sous -NewSalaryPayment=Pagament de salari nou +NewSalary=Salari nou +NewSalaryPayment=Fitxa de salari nova AddSalaryPayment=Afegeix pagament de sou SalaryPayment=Pagament de sous SalariesPayments=Pagaments de sous +SalariesPaymentsOf=Salaries payments of %s ShowSalaryPayment=Veure pagament de sous THM=Tarifa per hora mitjana TJM=Tarifa mitjana diària diff --git a/htdocs/langs/ca_ES/sendings.lang b/htdocs/langs/ca_ES/sendings.lang index a973ace4aee..29da54f2084 100644 --- a/htdocs/langs/ca_ES/sendings.lang +++ b/htdocs/langs/ca_ES/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Estàs segur que vols validar aquest enviament amb refer ConfirmCancelSending=Esteu segur que voleu cancel·lar aquest enviament? DocumentModelMerou=Model Merou A5 WarningNoQtyLeftToSend=Alerta, cap producte en espera d'enviament. -StatsOnShipmentsOnlyValidated=Estadístiques realitzades únicament sobre les expedicions validades +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Data prevista d'entrega RefDeliveryReceipt=Referència del rebut de lliurament StatusReceipt=Estat del rebut de lliurament @@ -59,7 +59,7 @@ ProductQtyInCustomersOrdersRunning=Quantitat de producte en comandes de venda ob ProductQtyInSuppliersOrdersRunning=Quantitat de producte en comandes de compra obertes ProductQtyInShipmentAlreadySent=Quantitat de producte de comandes de vendes obertes ja enviades ProductQtyInSuppliersShipmentAlreadyRecevied=Quantitat de producte de comandes de compra obertes ja rebudes -NoProductToShipFoundIntoStock=No s'ha trobat cap producte per enviar al magatzem %s. Corregiu l'estoc o torneu enrere per triar un altre magatzem. +NoProductToShipFoundIntoStock=No s'ha trobat cap producte per a enviar al magatzem %s. Corregiu l'estoc o torneu enrere per a triar un altre magatzem. WeightVolShort=Pes/Vol. ValidateOrderFirstBeforeShipment=S'ha de validar la comanda abans de fer expedicions. diff --git a/htdocs/langs/ca_ES/stocks.lang b/htdocs/langs/ca_ES/stocks.lang index a21928521d2..8dd9b8ec46b 100644 --- a/htdocs/langs/ca_ES/stocks.lang +++ b/htdocs/langs/ca_ES/stocks.lang @@ -19,8 +19,8 @@ Stock=Estoc Stocks=Estocs MissingStocks=Estocs que falten StockAtDate=Estocs en data -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future +StockAtDateInPast=Data en el passat +StockAtDateInFuture=Data en el futur StocksByLotSerial=Estocs per lot/sèrie LotSerial=Lots/Sèries LotSerialList=Llista de lots/sèries @@ -37,7 +37,7 @@ AllWarehouses=Tots els magatzems IncludeEmptyDesiredStock=Inclou també estoc negatives amb estoc desitjat no definit IncludeAlsoDraftOrders=Inclou també projectes d'ordre Location=Lloc -LocationSummary=Short name of location +LocationSummary=Nom curt de la ubicació NumberOfDifferentProducts=Number of unique products NumberOfProducts=Nombre total de productes LastMovement=Últim moviment @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No hi ha productes predefinits en aquest objecte. DispatchVerb=Desglossar StockLimitShort=Límit per l'alerta StockLimit=Estoc límit per les alertes -StockLimitDesc=(buit) significa cap advertència.
0 es pot utilitzar per a una advertència quan l'estoc sigui buit. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Estoc físic RealStock=Estoc real RealStockDesc=L'estoc físic o real és l'estoc que tens actualment als teus magatzems/emplaçaments interns. @@ -156,7 +156,7 @@ StockMustBeEnoughForInvoice=El nivell d'estoc ha de ser suficient per afegir el StockMustBeEnoughForOrder=El nivell d'estoc ha de ser suficient per afegir el producte/servei a la comanda (la comprovació es fa sobre l'estoc real actual quan s'afegeix una línia a la comanda sigui quina sigui la regla del canvi automàtic d'estoc) StockMustBeEnoughForShipment= El nivell d'estoc ha de ser suficient per afegir el producte/servei a l'enviament (la comprovació es fa sobre l'estoc real actual quan s'afegeix una línia a l'enviament sigui quina sigui la regla del canvi automàtic d'estoc) MovementLabel=Etiqueta del moviment -TypeMovement=Direction of movement +TypeMovement=Direcció de moviment DateMovement=Data de moviment InventoryCode=Moviments o codi d'inventari IsInPackage=Contingut en producte compost @@ -185,7 +185,7 @@ inventoryCreatePermission=Crea un inventari nou inventoryReadPermission=Veure inventaris inventoryWritePermission=Actualitza els inventaris inventoryValidatePermission=Valida l'inventari -inventoryDeletePermission=Delete inventory +inventoryDeletePermission=Suprimeix l'inventari inventoryTitle=Inventari inventoryListTitle=Inventaris inventoryListEmpty=Cap inventari en progrés @@ -249,7 +249,7 @@ ImportFromCSV=Import CSV list of movement ChooseFileToImport=Pengeu un fitxer i feu clic a la icona %s per seleccionar el fitxer com a fitxer d'importació d'origen ... SelectAStockMovementFileToImport=select a stock movement file to import InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
CSV character separator must be "%s" -LabelOfInventoryMovemement=Inventory %s +LabelOfInventoryMovemement=Inventari %s ReOpen=Reobrir ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock. ObjectNotFound=%s not found diff --git a/htdocs/langs/ca_ES/ticket.lang b/htdocs/langs/ca_ES/ticket.lang index 953b40e6747..341343b9634 100644 --- a/htdocs/langs/ca_ES/ticket.lang +++ b/htdocs/langs/ca_ES/ticket.lang @@ -70,7 +70,7 @@ Deleted=Esborrat # Dict Type=Tipus Severity=Gravetat -TicketGroupIsPublic=Group is public +TicketGroupIsPublic=El grup és públic TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface # Email templates diff --git a/htdocs/langs/ca_ES/users.lang b/htdocs/langs/ca_ES/users.lang index d6c2bba06d7..5694fe70dbd 100644 --- a/htdocs/langs/ca_ES/users.lang +++ b/htdocs/langs/ca_ES/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Contrasenya modificada en: %s SubjectNewPassword=La teva nova paraula de pas per a %s GroupRights=Permisos de grup UserRights=Permisos usuari +Credentials=Credentials UserGUISetup=Configuració d'entorn d'usuari DisableUser=Desactiva DisableAUser=Desactiva un usuari @@ -105,7 +106,7 @@ UseTypeFieldToChange=Modificar el camp Tipus per canviar OpenIDURL=URL d'OpenID LoginUsingOpenID=Utilitzeu OpenID per a iniciar la sessió WeeklyHours=Hores treballades (per setmana) -ExpectedWorkedHours=Hores treballades setmanals esperades +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color d'usuari DisabledInMonoUserMode=Deshabilitat en mode manteniment UserAccountancyCode=Codi comptable de l'usuari @@ -115,7 +116,7 @@ DateOfEmployment=Data de treball DateEmployment=Ocupació DateEmploymentstart=Data d'inici de l'ocupació DateEmploymentEnd=Data de finalització de l'ocupació -RangeOfLoginValidity=Interval de dates de validesa d'inici de sessió +RangeOfLoginValidity=Access validity date range CantDisableYourself=No podeu desactivar el vostre propi registre d'usuari ForceUserExpenseValidator=Validador de l'informe de despeses obligatori ForceUserHolidayValidator=Forçar validador de sol·licitud d'abandonament diff --git a/htdocs/langs/ca_ES/website.lang b/htdocs/langs/ca_ES/website.lang index 11cd6fe85f1..e2a9e6dce71 100644 --- a/htdocs/langs/ca_ES/website.lang +++ b/htdocs/langs/ca_ES/website.lang @@ -137,11 +137,11 @@ PagesRegenerated=%s pàgina (es) / contenidor (s) regenerada RegenerateWebsiteContent=Regenera els fitxers de memòria cau del lloc web AllowedInFrames=Es permet en marcs DefineListOfAltLanguagesInWebsiteProperties=Definiu la llista de tots els idiomes disponibles a les propietats del lloc web. -GenerateSitemaps=Generate website sitemap file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +GenerateSitemaps=Genera un fitxer de mapa del lloc del lloc web +ConfirmGenerateSitemaps=Si ho confirmeu, suprimireu el fitxer de mapa del lloc existent... +ConfirmSitemapsCreation=Confirmeu la generació del mapa del lloc +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ca_ES/zapier.lang b/htdocs/langs/ca_ES/zapier.lang index 339b5833153..c46dbb0a6d8 100644 --- a/htdocs/langs/ca_ES/zapier.lang +++ b/htdocs/langs/ca_ES/zapier.lang @@ -17,5 +17,5 @@ ModuleZapierForDolibarrName = Zapier per a Dolibarr ModuleZapierForDolibarrDesc = Mòdul Zapier per a Dolibarr ZapierForDolibarrSetup=Configuració de Zapier per a Dolibarr ZapierDescription=Interfície amb Zapier -ZapierAbout=About the module Zapier +ZapierAbout=Quant al mòdul Zapier ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. diff --git a/htdocs/langs/cs_CZ/accountancy.lang b/htdocs/langs/cs_CZ/accountancy.lang index 6a8932a1eb4..311edecfc69 100644 --- a/htdocs/langs/cs_CZ/accountancy.lang +++ b/htdocs/langs/cs_CZ/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Štítek účtu LabelOperation=Operace štítků Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Písmenový kód Lettering=Nápis Codejournal=Deník @@ -297,7 +297,7 @@ NoNewRecordSaved=Žádný další záznam, který by se publikoval ListOfProductsWithoutAccountingAccount=Seznam výrobků, které nejsou vázány na kterémkoli účetním účtu ChangeBinding=Změnit vazby Accounted=Účtováno v knize -NotYetAccounted=Zatím nebyl zaznamenán v knize +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Zobrazit výuku NotReconciled=Nesladěno WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/cs_CZ/admin.lang b/htdocs/langs/cs_CZ/admin.lang index 8a372311140..c4e666b6ae5 100644 --- a/htdocs/langs/cs_CZ/admin.lang +++ b/htdocs/langs/cs_CZ/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Odebrat / přejmenovat soubor %s , pokud existuje, povolit po RestoreLock=Obnovte soubor %s, pouze s opravněním ke čtení, chcete-li zakázat jakékoliv použití aktualizačního nástroje. SecuritySetup=Bezpečnostní nastavení PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Definujte zde možnosti týkající se zabezpečení o nahrávání souborů. ErrorModuleRequirePHPVersion=Chyba, tento modul vyžaduje PHP verze %s nebo vyšší ErrorModuleRequireDolibarrVersion=Chyba, tento modul vyžaduje Dolibarr verze %s nebo vyšší @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Nenavrhujte NoActiveBankAccountDefined=Není definován žádný aktivní bankovní účet OwnerOfBankAccount=Majitel %s bankovních účtů BankModuleNotActive=Modul bankovních účtů není povolen -ShowBugTrackLink=Zobrazit odkaz " %s " +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Upozornění DelaysOfToleranceBeforeWarning=Zpoždění před zobrazením varovného upozornění: DelaysOfToleranceDesc=Nastavte zpoždění před zobrazením ikony výstrahy %s na obrazovce pro pozdní prvek. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Tento příkaz musíte spustit YourPHPDoesNotHaveSSLSupport=SSL funkce není k dispozici ve vašem PHP DownloadMoreSkins=Další skiny ke stažení SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Zobrazit profesionální id s adresami ShowVATIntaInAddress=Skrýt číslo DPH uvnitř Společenství s adresami TranslationUncomplete=Částečný překlad @@ -2062,7 +2064,7 @@ UseDebugBar=Použijte ladicí lištu DEBUGBAR_LOGS_LINES_NUMBER=Počet posledních řádků protokolu, které se mají uchovávat v konzole WarningValueHigherSlowsDramaticalyOutput=Varování, vyšší hodnoty dramaticky zpomalují výstup ModuleActivated=Je aktivován modul %s a zpomaluje rozhraní -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/cs_CZ/banks.lang b/htdocs/langs/cs_CZ/banks.lang index eae8122c9eb..c252b7c5891 100644 --- a/htdocs/langs/cs_CZ/banks.lang +++ b/htdocs/langs/cs_CZ/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Převod peněz BankTransfers=Kreditní převody MenuBankInternalTransfer=Internal transfer -TransferDesc=Převod z jednoho účtu na jiný, Dolibarr zapíše dva záznamy (debet na zdrojovém účtu a kredit na cílový účet). Pro tuto transakci bude použita stejná částka (kromě znaménka), štítek a datum) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Z TransferTo=Na TransferFromToDone=Převod z %s na %s %s %s byl zaznamenán. -CheckTransmitter=Převádějící +CheckTransmitter=Odesílatel ValidateCheckReceipt=Ověřit potvrzení o kontrole? -ConfirmValidateCheckReceipt=Jste si jisti, že chcete ověřit zaškrtnutí tohoto potvrzení? Jakmile ho provedete, nebudete ho již moci změnit. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Chcete smazat potvrzení o kontrole? ConfirmDeleteCheckReceipt=Opravdu chcete tuto potvrzení o potvrzení vymazat? BankChecks=Bankovní šeky @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Opravdu chcete tuto položku smazat? ThisWillAlsoDeleteBankRecord=Toto odstraní vznikající bankovní transakce BankMovements=Pohyby PlannedTransactions=Plánované záznamy -Graph=Grafika +Graph=Graphs ExportDataset_banque_1=Bankovní záznamy a výpis z účtu ExportDataset_banque_2=Vkladní lístek TransactionOnTheOtherAccount=Transakce na jiný účet @@ -142,7 +142,7 @@ AllAccounts=Všechny bankovní a hotovostní účty BackToAccount=Zpět na účet ShowAllAccounts=Zobrazit pro všechny účty FutureTransaction=Budoucí transakce. Nedá se sladit. -SelectChequeTransactionAndGenerate=Zvolte / filtrujte kontroly, které chcete zahrnout do potvrzení o vkladové kartě a klikněte na "Vytvořit". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Vyberte si výpis z účtu v souvislosti s porovnáváním. Použijte tříditelnou číselnou hodnotu: YYYYMM nebo YYYYMMDD EventualyAddCategory=Eventuelně upřesněte kategorii, ve které chcete klasifikovat záznamy ToConciliate=To reconcile? diff --git a/htdocs/langs/cs_CZ/bills.lang b/htdocs/langs/cs_CZ/bills.lang index 55a14d2395a..672bea2161e 100644 --- a/htdocs/langs/cs_CZ/bills.lang +++ b/htdocs/langs/cs_CZ/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Převedení přeplatku na dostupnou slevu EnterPaymentReceivedFromCustomer=Zadejte platbu obdrženoou od zákazníka EnterPaymentDueToCustomer=Provést platbu pro zákazníka DisabledBecauseRemainderToPayIsZero=Zakázáno, protože zbývající nezaplacená částka je nula -PriceBase=Základní cena +PriceBase=Base price BillStatus=Stav faktury StatusOfGeneratedInvoices=Status vygenerovaných faktur BillStatusDraft=Návrh (musí být ověřeno) @@ -454,7 +454,7 @@ RegulatedOn=Regulovány ChequeNumber=Zkontrolujte N ° ChequeOrTransferNumber=Kontrola/převod č. ChequeBordereau=Kontrola rozvrh -ChequeMaker=Zkontrolujte převod +ChequeMaker=Check/Transfer sender ChequeBank=Šek z banky CheckBank=Kontrola (šek) NetToBePaid=Částka má být zaplacena diff --git a/htdocs/langs/cs_CZ/boxes.lang b/htdocs/langs/cs_CZ/boxes.lang index 62df479df3d..dda43454d4b 100644 --- a/htdocs/langs/cs_CZ/boxes.lang +++ b/htdocs/langs/cs_CZ/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Záložky: poslední %s BoxOldestExpiredServices=Nejstarší aktivní expirované služby BoxLastExpiredServices=Nejnovější %s nejstarší kontakty s aktivním vypršením služby BoxTitleLastActionsToDo=Poslední %s vykonané akce -BoxTitleLastContracts=Poslední %s modifikované smlouvy -BoxTitleLastModifiedDonations=Nejnovější %s upravené dary -BoxTitleLastModifiedExpenses=Nejnovější %s upravené výkazy výdajů -BoxTitleLatestModifiedBoms=Poslední %s upravené kusovníky -BoxTitleLatestModifiedMos=Poslední upravené výrobní zakázky %s +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Globální aktivita (faktury, návrhy, objednávky) BoxGoodCustomers=Dobří zákazníci diff --git a/htdocs/langs/cs_CZ/cashdesk.lang b/htdocs/langs/cs_CZ/cashdesk.lang index 58ca4072acb..fec119b5131 100644 --- a/htdocs/langs/cs_CZ/cashdesk.lang +++ b/htdocs/langs/cs_CZ/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Podlaha AddTable=Přidat tabulku Place=Místo TakeposConnectorNecesary=Je vyžadován "TakePOS Connector" -OrderPrinters=Objednejte tiskárny +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Vyhledat produkt Receipt=Příjem Header=Záhlaví @@ -56,8 +57,9 @@ Paymentnumpad=Zadejte Pad pro vložení platby Numberspad=Numbers Pad BillsCoinsPad=Mince a bankovky Pad DolistorePosCategory=Moduly TakePOS a další POS řešení pro Dolibarr -TakeposNeedsCategories=Firma TakePOS potřebuje k tomu produktové kategorie -OrderNotes=Objednací poznámky +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Výchozí účet, který se má použít pro platby v účtu NoPaimementModesDefined=V konfiguraci TakePOS není definován žádný režim platby TicketVatGrouped=Skupinová DPH podle sazeb v vstupenkách | @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Faktura je již ověřena NoLinesToBill=Žádné řádky k vyúčtování CustomReceipt=Vlastní příjem ReceiptName=Jméno příjmu -ProductSupplements=Doplňky produktu +ProductSupplements=Manage supplements of products SupplementCategory=Doplňková kategorie ColorTheme=Barevný motiv Colorful=Barvitý @@ -92,7 +94,7 @@ Browser=Prohlížeč BrowserMethodDescription=Jednoduchý a snadný tisk účtenek. Pouze několik parametrů pro konfiguraci příjmu. Tisk přes prohlížeč. TakeposConnectorMethodDescription=Externí modul s extra funkcemi. Možnost tisku z cloudu. PrintMethod=Metoda tisku -ReceiptPrinterMethodDescription=Výkonná metoda se spoustou parametrů. Plně přizpůsobitelné pomocí šablon. Nelze tisknout z cloudu. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Terminálem TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Modul číslování pro prodej POS @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/cs_CZ/categories.lang b/htdocs/langs/cs_CZ/categories.lang index f2da2c07ab7..149a54c7f44 100644 --- a/htdocs/langs/cs_CZ/categories.lang +++ b/htdocs/langs/cs_CZ/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Kategorie Rubriques=Tagy/Kategorie RubriquesTransactions=Tagy/kategorie transakcí categories=tagy/kategorie -NoCategoryYet=Žádný tag/kategorie tohoto typu nebyla vytvořena +NoCategoryYet=No tag/category of this type has been created In=V AddIn=Přidejte modify=upravit Classify=Třídit CategoriesArea=Oblast tagy/kategorie -ProductsCategoriesArea=Oblast Produkty/Služby tagy/kategorie -SuppliersCategoriesArea=Oblast značek/kategorií prodejců -CustomersCategoriesArea=Oblast zákaznické tagy/kategorie -MembersCategoriesArea=Oblast uživatelské tagy/kategorie -ContactsCategoriesArea=Oblast tagy/kategorie kontakty -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Oblast projektů značek/kategorií -UsersCategoriesArea=Kategorie značek/kategorií uživatelů +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Podkategorie CatList=Výpis tagů/kategorií CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Vyberte kategorii StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Použití nebo operátor pro kategorie +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/cs_CZ/companies.lang b/htdocs/langs/cs_CZ/companies.lang index 995c7c7d9df..0f6f4a51365 100644 --- a/htdocs/langs/cs_CZ/companies.lang +++ b/htdocs/langs/cs_CZ/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Společnost %s již existuje. Zadejte jiný název. ErrorSetACountryFirst=Nejprve vyberte zemi. SelectThirdParty=Vyberte subjekt -ConfirmDeleteCompany=Opravdu chcete smazat tuto společnost a všechny její zděděné informace? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Smazat kontakt/adresu -ConfirmDeleteContact=Opravdu chcete smazat tento kontakt a všechny zděděné informace? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Nový subjekt MenuNewCustomer=Nový zákazník MenuNewProspect=Nový cíl @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Hovor Chat=Chat -PhonePro=Telefon [práce] +PhonePro=Bus. phone PhonePerso=Telefon osobní PhoneMobile=Mobil No_Email=Odmítnout hromadné e-maily @@ -78,7 +78,7 @@ Zip=PSČ Town=Město Web=Web Poste= Pozice -DefaultLang=Výchozí jazyk +DefaultLang=Základní jazyk VATIsUsed=Použitá daň z prodeje VATIsUsedWhenSelling=To určuje, zda tento subjekt zahrnuje nebo neplatí daň z prodeje, když fakturu vystavuje svým vlastním zákazníkům VATIsNotUsed=Daň z prodeje se nepoužívá @@ -331,7 +331,7 @@ CustomerCodeDesc=Zákaznický kód, jedinečný pro všechny zákazníky SupplierCodeDesc=Dodavatelský kód, jedinečný pro všechny dodavatele RequiredIfCustomer=Požadováno, pokud subjekt je zákazník či cíl RequiredIfSupplier=Požadováno, pokud je dodavatelem subjekt -ValidityControledByModule=Platnost řízená modulem +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Pravidla pro tento modul ProspectToContact=Cíl ke kontaktování CompanyDeleted=Společnost %s odstraněna z databáze. @@ -439,12 +439,12 @@ ListSuppliersShort=Seznam dodavatelů ListProspectsShort=Seznam cílů ListCustomersShort=Seznam zákazníků ThirdPartiesArea=Kontakty subjektů -LastModifiedThirdParties=Posledních %s změněných subjektů -UniqueThirdParties=Celkem subjektů +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Otevřeno ActivityCeased=Uzavřeno ThirdPartyIsClosed=Subjekt je uzavřen -ProductsIntoElements=Seznam produktů/služeb do %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Momentální nezaplacený účet OutstandingBill=Max. za nezaplacený účet OutstandingBillReached=Max. pro dosažení vynikajícího účtu @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Kód je volný. Tento kód lze kdykoli změnit. ManagingDirectors=Jméno vedoucího (CEO, ředitel, předseda ...) MergeOriginThirdparty=Duplicitní subjekt (subjekt, který chcete smazat) MergeThirdparties=Sloučit subjekty -ConfirmMergeThirdparties=Opravdu chcete tento subjekt sloučit do stávající? Všechny propojené objekty (faktury, objednávky, ...) budou přesunuty na stávající subjekt a výchozí subjekt bude smazán. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Subjekty byly sloučeny SaleRepresentativeLogin=Přihlášení obchodního zástupce SaleRepresentativeFirstname=Jméno obchodního zástupce diff --git a/htdocs/langs/cs_CZ/compta.lang b/htdocs/langs/cs_CZ/compta.lang index 03c7be0a85e..7f762cef9a5 100644 --- a/htdocs/langs/cs_CZ/compta.lang +++ b/htdocs/langs/cs_CZ/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nová sleva NewCheckDeposit=Nová kontrola zálohy NewCheckDepositOn=Vytvořte potvrzení o vkladu na účet: %s NoWaitingChecks=Žádný šek nečeká na vklad -DateChequeReceived=Zkontrolujte datum příjmu +DateChequeReceived=Check receiving date NbOfCheques=Počet kontrol PaySocialContribution=Platit sociální / fiskální daň PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/cs_CZ/ecm.lang b/htdocs/langs/cs_CZ/ecm.lang index 491dab5f6c0..b7f5ed2a090 100644 --- a/htdocs/langs/cs_CZ/ecm.lang +++ b/htdocs/langs/cs_CZ/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/cs_CZ/errors.lang b/htdocs/langs/cs_CZ/errors.lang index 3c541433685..c2f0a89f984 100644 --- a/htdocs/langs/cs_CZ/errors.lang +++ b/htdocs/langs/cs_CZ/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Žádná chyba, jsme se nedopustili # Errors ErrorButCommitIsDone=Byly nalezeny chyby, ale přesto jsme provedli ověření. Snad to pojede .... -ErrorBadEMail=E-mail %s je špatný -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s je špatně +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Špatná hodnota parametru. Připojí se obecně, když chybí překlad. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Přihlášení %s již existuje. @@ -46,8 +46,8 @@ ErrorWrongDate=Datum není správné! ErrorFailedToWriteInDir=Nepodařilo se zapsat do adresáře %s ErrorFoundBadEmailInFile=Byla nalezena nesprávná syntaxe e-mailu pro řádky %s v souboru (příkladový řádek %s s e-mailem = %s) ErrorUserCannotBeDelete=Uživatele nelze smazat. Možná je spojen s entitami Dolibarr. -ErrorFieldsRequired=Některá povinná pole nebyla vyplněna. Neflákejte to !! -ErrorSubjectIsRequired=Předmět e-mailu je povinný +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Nepodařilo se vytvořit adresář. Zkontrolujte, zda má uživatel webového serveru oprávnění zapisovat do adresáře dokumentů Dolibarr. Pokud je v tomto PHP aktivován parametr safe_mode, zkontrolujte, zda jsou soubory Dolibarr php vlastní uživateli (nebo skupinou) webového serveru. ErrorNoMailDefinedForThisUser=Pro tohoto uživatele není definován žádný e-mail ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Stránka / kontejner %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Nastavení +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Návrh +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Hotový +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/cs_CZ/knowledgemanagement.lang b/htdocs/langs/cs_CZ/knowledgemanagement.lang new file mode 100644 index 00000000000..96771480aff --- /dev/null +++ b/htdocs/langs/cs_CZ/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Nastavení +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = O aplikaci +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Článek +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/cs_CZ/mails.lang b/htdocs/langs/cs_CZ/mails.lang index ffa9e363aa8..f48a41b0f85 100644 --- a/htdocs/langs/cs_CZ/mails.lang +++ b/htdocs/langs/cs_CZ/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Uživateli (uživatelům) MailCC=Kopírovat do MailToCCUsers=Kopírovat uživatele (e) MailCCC=Do mezipaměti kopie -MailTopic=Předmět +MailTopic=Email subject MailText=Zpráva MailFile=Přiložené soubory MailMessage=Tělo e-mailu @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Konfigurace odesílání e-maiů byla nastavena tak, aby '%s'. Tento režim nelze použít k odesílání hromadných e-mailů. MailSendSetupIs2=Nejprve je nutné jít s admin účtem, do nabídky%sHome - Nastavení - e-maily%s pro změnu parametru "%s" do režimu použít "%s". V tomto režimu, můžete zadat nastavení serveru SMTP vašeho poskytovatele služeb internetu a používat hromadnou e-mailovou funkci. MailSendSetupIs3=Pokud máte nějaké otázky o tom, jak nastavit SMTP server, můžete se zeptat na%s, nebo si prostudujte dokumentaci vašeho poskytovatele. \nPoznámka: V současné době bohužel většina serverů nasazuje služby pro filtrování nevyžádané pošty a různé způsoby ověřování odesilatele. Bez detailnějších znalostí a nastavení vašeho SMTP serveru se vám bude vracet většina zpráv jako nedoručené. diff --git a/htdocs/langs/cs_CZ/main.lang b/htdocs/langs/cs_CZ/main.lang index b0431474555..3b6831ed98e 100644 --- a/htdocs/langs/cs_CZ/main.lang +++ b/htdocs/langs/cs_CZ/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Uložit a nové TestConnection=Vyzkoušejte připojení ToClone=Klon ConfirmCloneAsk=Opravdu chcete klonovat objekt %s ? -ConfirmClone=Vyberte data, která chcete klonovat: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Nejsou definovány žádné údaje ke klonování. Of=z Go=Jít @@ -246,7 +246,7 @@ DefaultModel=Výchozí šablona doc Action=Událost About=O Number=Číslo -NumberByMonth=Číslo podle měsíce +NumberByMonth=Total reports by month AmountByMonth=Částka podle měsíce Numero=Číslo Limit=Omezení @@ -341,8 +341,8 @@ KiloBytes=Kilobajty MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabajtů -UserAuthor=Uživatel vytváření -UserModif=Uživatel poslední aktualizace +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Podle From=Z FromDate=Z FromLocation=Z -at=at to=na To=na +ToDate=na +ToLocation=na +at=at and=a or=nebo Other=Ostatní @@ -843,7 +845,7 @@ XMoreLines=%s řádky(ů) skryto ShowMoreLines=Zobrazit více/méně řádků PublicUrl=Veřejná URL AddBox=Přidejte box -SelectElementAndClick=Vyberte prvek a klepněte na tlačítko %s +SelectElementAndClick=Select an element and click on %s PrintFile=Tisk souboru %s ShowTransaction=Ukázat záznam o bankovním účtu ShowIntervention=Zobrazit intervenci @@ -854,8 +856,8 @@ Denied=Odmítnuto ListOf=Seznam %s ListOfTemplates=Seznam šablon Gender=Pohlaví -Genderman=Muž -Genderwoman=Žena +Genderman=Male +Genderwoman=Female Genderother=Jiný ViewList=Zobrazení seznamu ViewGantt=Ganttův pohled @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/cs_CZ/members.lang b/htdocs/langs/cs_CZ/members.lang index 0119a066681..a7ea7850e86 100644 --- a/htdocs/langs/cs_CZ/members.lang +++ b/htdocs/langs/cs_CZ/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Další člen (jméno: %s, p ErrorUserPermissionAllowsToLinksToItselfOnly=Z bezpečnostních důvodů musíte mít oprávnění k úpravě všech uživatelů, abyste mohli člena propojit s uživatelem, který není vaším. SetLinkToUser=Odkaz na uživateli Dolibarr SetLinkToThirdParty=Odkaz na Dolibarr subjektu -MembersCards=Vizitky členů +MembersCards=Business cards for members MembersList=Seznam členů MembersListToValid=Seznam členů návrhu (bude ověřeno) MembersListValid=Seznam platných členů @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Členové s předplatným k přijímání MembersWithSubscriptionToReceiveShort=Předplatné k odběru DateSubscription=Vstupní data DateEndSubscription=Datum ukončení předplatného -EndSubscription=Konec odběru +EndSubscription=Subscription Ends SubscriptionId=ID předplatného WithoutSubscription=Without subscription MemberId=ID člena @@ -83,10 +83,10 @@ WelcomeEMail=Vítejte e-mail SubscriptionRequired=Předplatné vyžadovalo DeleteType=Vymazat VoteAllowed=Hlasování povoleno -Physical=Fyzický -Moral=Morální -MorAndPhy=Moral and Physical -Reenable=Znovu povolit +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Ukončit člena @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Členové Statistiky podle země MembersStatisticsByState=Členové statistika stát / provincie MembersStatisticsByTown=Členové statistika podle města MembersStatisticsByRegion=Členové statistiky podle krajů -NbOfMembers=Počet členů -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Nebyli nalezeni validovaní členové -MembersByCountryDesc=Tato obrazovka vám ukáže statistiku členů jednotlivých zemích. Grafika však závisí na Google on-line služby grafu a je k dispozici pouze v případě, je připojení k internetu funguje. -MembersByStateDesc=Tato obrazovka vám ukáže statistiku členů podle státu / provincie / Canton. -MembersByTownDesc=Tato obrazovka zobrazuje statistiky o členech podle města. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Zvolte statistik, které chcete číst ... MenuMembersStats=Statistika -LastMemberDate=Nejnovější datum člena +LastMemberDate=Latest membership date LatestSubscriptionDate=Poslední datum přihlášení -MemberNature=Povaha člena -MembersNature=Nature of members -Public=Informace jsou veřejné +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Nový uživatel přidán. Čeká na schválení NewMemberForm=Nový formulář člena -SubscriptionsStatistics=Statistiky o předplatné +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Počet odběrů -AmountOfSubscriptions=Částka úpisů +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Obrat (pro firmu), nebo rozpočet (pro nadaci) DefaultAmount=Výchozí částka předplatného CanEditAmount=Návštěvník si může vybrat / upravit výši svého upsaného MEMBER_NEWFORM_PAYONLINE=Přejít na integrované on-line platební stránky ByProperties=Od přírody MembersStatisticsByProperties=Statistika členů podle charakteru -MembersByNature=Tato obrazovka zobrazuje statistiky o členech podle jejich povahy. -MembersByRegion=Tato obrazovka zobrazuje statistiky členů podle oblastí. VATToUseForSubscriptions=Sazba DPH, která se použije pro předplatné NoVatOnSubscription=Bez DPH pro předplatné ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkt slouží k odběru linku do faktury: %s diff --git a/htdocs/langs/cs_CZ/modulebuilder.lang b/htdocs/langs/cs_CZ/modulebuilder.lang index 0bd2158158e..cf77734a247 100644 --- a/htdocs/langs/cs_CZ/modulebuilder.lang +++ b/htdocs/langs/cs_CZ/modulebuilder.lang @@ -85,7 +85,7 @@ 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=Je pole viditelné? (Příklady: 0 = Nikdy neviditelné, 1 = Viditelné v seznamu a vytvářet/aktualizovat/prohlížet formuláře, 2 = Viditelné pouze v seznamu, 3 = Viditelné pouze při vytváření/aktualizaci/zobrazit formulář (není v seznamu), 4 = Viditelné v seznamu a pouze formulář aktualizace/zobrazení (nevytvářet), 5 = viditelné pouze ve formuláři pro prohlížení koncových zobrazení (nevytvářet, neaktualizovat).

Použití záporné hodnoty znamená, že pole není ve výchozím nastavení zobrazeno v seznamu, ale může být vybráno pro zobrazení).

Může to být výraz, například:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Zobrazte toto pole na kompatibilních dokumentech PDF. Polohu můžete spravovat pomocí pole „Poloha“.
V současné době známých modelů compatibles PDF jsou: Eratosthenés z Kyrény (objednávka), Espadon (loď), houba (faktury), cyan (propal / citát), Cornas (dodavatel pořadí)

Z dokumentu:
0 = nezobrazí
1 = displej
2 = zobrazí pouze tehdy, pokud není prázdný

pro linky na dokumenty:
0 = není zobrazena
1 = zobrazena v koloně
3 = zobrazení v popis řádku sloupce po popisu
4 = zobrazení ve sloupci s popisem po vyrobení popis pouze pokud není prázdný +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Zobrazit v PDF 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) diff --git a/htdocs/langs/cs_CZ/other.lang b/htdocs/langs/cs_CZ/other.lang index 9685ebcb215..f91dbd2a103 100644 --- a/htdocs/langs/cs_CZ/other.lang +++ b/htdocs/langs/cs_CZ/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Nainstalujte nebo povolte GD knihovnu ve vaší PHP pro vyu ProfIdShortDesc=Prof Id %s je informace v závislosti na třetích stranách země.
Například pro země %s, je to kód %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistiky součtu množství produktů / služeb -StatsByNumberOfEntities=Statistiky počtu odesílajících subjektů (číslo faktury nebo objednávky ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Počet návrhů NumberOfCustomerOrders=Počet objednávek NumberOfCustomerInvoices=Počet zákaznických faktur @@ -289,4 +289,4 @@ PopuProp=Produkty / služby podle oblíbenosti v návrzích PopuCom=Produkty / služby podle oblíbenosti v objednávkách ProductStatistics=Statistika produktů / služeb NbOfQtyInOrders=Množství v objednávkách -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/cs_CZ/partnership.lang b/htdocs/langs/cs_CZ/partnership.lang new file mode 100644 index 00000000000..0ff8af34c49 --- /dev/null +++ b/htdocs/langs/cs_CZ/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Datum zahájení +DatePartnershipEnd=Datum ukončení + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Návrh +PartnershipAccepted = Přijato +PartnershipRefused = Odmítnuto +PartnershipCanceled = Zrušený + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/cs_CZ/productbatch.lang b/htdocs/langs/cs_CZ/productbatch.lang index d4609f7b491..a4586e8af00 100644 --- a/htdocs/langs/cs_CZ/productbatch.lang +++ b/htdocs/langs/cs_CZ/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/cs_CZ/products.lang b/htdocs/langs/cs_CZ/products.lang index 037c83e4ea8..839eed4f24b 100644 --- a/htdocs/langs/cs_CZ/products.lang +++ b/htdocs/langs/cs_CZ/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Služby pouze pro prodej ServicesOnPurchaseOnly=Služby pouze pro nákup ServicesNotOnSell=Služby, které nejsou určeny k prodeji a ne k nákupu ServicesOnSellAndOnBuy=Služby pro prodej a pro nákup -LastModifiedProductsAndServices=Nejnovější%s upravené produkty/služby +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Poslední zaznamenané %s produkty LastRecordedServices=Poslední zaznamenané %s služby CardProduct0=Produkt @@ -73,12 +73,12 @@ SellingPrice=Prodejní cena SellingPriceHT=Prodejní cena (bez daně) SellingPriceTTC=Prodejní cena (vč. DPH) SellingMinPriceTTC=Minimální prodejní cena (včetně daně) -CostPriceDescription=Toto cenové pole (bez daně) lze použít k ukládání průměrné částky, kterou tento produkt náklady na vaši společnost. Může se jednat o jakoukoli cenu, kterou si vypočítáte, například z průměrné kupní ceny plus průměrné výrobní a distribuční náklady. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Tato hodnota může být použita pro výpočet marže. SoldAmount=Prodat množství PurchasedAmount=Zakoupená částka NewPrice=Nová cena -MinPrice=Min. prodejní cena +MinPrice=Min. selling price EditSellingPriceLabel=Upravte štítek prodejní ceny CantBeLessThanMinPrice=Prodejní cena nesmí být nižší než minimální povolená pro tento produkt (%s bez daně). Toto hlášení se může také zobrazí, pokud zadáte příliš důležitou slevu. ContractStatusClosed=Zavřeno @@ -157,11 +157,11 @@ ListServiceByPopularity=Seznam služeb podle oblíbenosti Finished=Výrobce produktu RowMaterial=Surovina ConfirmCloneProduct=Jste si jisti, že chcete kopírovat produkt nebo službu %s? -CloneContentProduct=Klonujte všechny hlavní informace o produktu / službě +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Kopíruje ceny -CloneCategoriesProduct=Klonovat značky / kategorie spojené -CloneCompositionProduct=Kopíruje virtuální produkt / službu -CloneCombinationsProduct=Kopírovat varianty produktu +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Tento produkt se používá NewRefForClone=Ref. nového produktu/služby SellingPrices=Prodejní ceny @@ -170,12 +170,12 @@ CustomerPrices=Zákaznické ceny SuppliersPrices=Ceny prodejců SuppliersPricesOfProductsOrServices=Ceny prodejců (produktů nebo služeb) CustomCode=Customs|Commodity|HS code -CountryOrigin=Země původu -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Druh produktu (materiál / hotový) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Druh produktu -NatureOfProductDesc=Surovina nebo hotový produkt +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Krátký štítek Unit=Jednotka p=u. diff --git a/htdocs/langs/cs_CZ/projects.lang b/htdocs/langs/cs_CZ/projects.lang index b57c679ae68..77c780d4c63 100644 --- a/htdocs/langs/cs_CZ/projects.lang +++ b/htdocs/langs/cs_CZ/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Kontakty projektu ProjectsImContactFor=Projekty, pro které jsem výslovně kontakt AllAllowedProjects=Celý projekt mohu číst (moje + veřejnost) AllProjects=Všechny projekty -MyProjectsDesc=Tento pohled je omezen na projekty u kterých jste uveden jako kontakt +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Tento pohled zobrazuje všechny projekty které máte oprávnění číst. TasksOnProjectsPublicDesc=Tento pohled představuje všechny úkoly na projektech, které můžete číst. ProjectsPublicTaskDesc=Tento pohled představuje všechny projekty a úkoly, které mají povoleno číst. ProjectsDesc=Tento pohled zobrazuje všechny projekty (vaše uživatelské oprávnění vám umožňuje vidět vše). TasksOnProjectsDesc=Tento pohled představuje všechny úkoly na všech projektech (vaše uživatelská oprávnění udělit oprávnění ke shlédnutí vše). -MyTasksDesc=Tento pohled je omezen na projekty nebo úkoly, pro které jste kontakt +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Pouze otevřené projekty jsou viditelné (projekty v návrhu ani v uzavřeném stavu nejsou viditelné). ClosedProjectsAreHidden=Uzavřené projekty nejsou viditelné. TasksPublicDesc=Tento pohled zobrazuje všechny projekty a úkoly které máte oprávnění číst. TasksDesc=Tento pohled zobrazuje všechny projekty a úkoly (vaše uživatelské oprávnění vám umožňuje vidět vše). AllTaskVisibleButEditIfYouAreAssigned=Všechny úkoly pro kvalifikované projekty jsou viditelné, ale můžete zadat čas pouze pro úkoly přiřazené vybranému uživateli. Přiřazení úlohy, pokud potřebujete zadat čas. -OnlyYourTaskAreVisible=Jsou přiřazeny pouze úkoly, které jste přiřadili. Přiřadte úlohu sobě, pokud není vidět a potřebujete zadat čas. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Úkoly projektů ProjectCategories=Štítky projektu / kategorie NewProject=Nový projekt @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Není přiřazen k úkolu NoUserAssignedToTheProject=Na tento projekt nebyli přiděleni žádní uživatelé TimeSpentBy=Čas strávený TasksAssignedTo=Úkolům, které jsou -AssignTaskToMe=Přiřadit úkol mně +AssignTaskToMe=Assign task to myself AssignTaskToUser=Přiřaďte úlohu %s SelectTaskToAssign=Vyberte úkol, který chcete přiřadit ... AssignTask=Přiřadit diff --git a/htdocs/langs/cs_CZ/recruitment.lang b/htdocs/langs/cs_CZ/recruitment.lang index e60db728965..745df2ae9f8 100644 --- a/htdocs/langs/cs_CZ/recruitment.lang +++ b/htdocs/langs/cs_CZ/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/cs_CZ/sendings.lang b/htdocs/langs/cs_CZ/sendings.lang index 61d599a95a7..8db2f12844e 100644 --- a/htdocs/langs/cs_CZ/sendings.lang +++ b/htdocs/langs/cs_CZ/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Opravdu chcete tuto zásilku ověřit odkazem %s? ConfirmCancelSending=Opravdu chcete tuto zásilku zrušit? DocumentModelMerou=Merou A5 modelu WarningNoQtyLeftToSend=Varování: žádné zboží nečeká na dopravu -StatsOnShipmentsOnlyValidated=Statistiky vedené pouze na ověřené zásilky. Datum použití je datum schválení zásilky (plánované datum dodání není vždy známo). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Plánovaný termín dodání RefDeliveryReceipt=Ref. Potvrzení o doručení StatusReceipt=Stavové potvrzení o doručení diff --git a/htdocs/langs/cs_CZ/stocks.lang b/htdocs/langs/cs_CZ/stocks.lang index af6fc1f737a..22b0bf30b75 100644 --- a/htdocs/langs/cs_CZ/stocks.lang +++ b/htdocs/langs/cs_CZ/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Žádné předdefinované produkty pro tento objek DispatchVerb=Odeslání StockLimitShort=Limit pro upozornění StockLimit=Skladový limit pro upozornění -StockLimitDesc=(prázdný) znamená žádné varování.
0 lze použít pro varování, jakmile je zásoba prázdná. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Fyzický sklad RealStock=Skutečný sklad RealStockDesc=Fyzické / skutečné zásoby jsou zásoby, které jsou v současné době ve skladech. diff --git a/htdocs/langs/cs_CZ/users.lang b/htdocs/langs/cs_CZ/users.lang index afc98c26645..0c355b7432e 100644 --- a/htdocs/langs/cs_CZ/users.lang +++ b/htdocs/langs/cs_CZ/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Heslo změněno na: %s SubjectNewPassword=Vaše nové heslo pro %s GroupRights=Skupina oprávnění UserRights=Uživatelská oprávnění +Credentials=Credentials UserGUISetup=Nastavení uživatelského zobrazení DisableUser=Zakázat DisableAUser=Zakázat uživatele @@ -105,7 +106,7 @@ UseTypeFieldToChange=Použijte pole Typ pro změnu OpenIDURL=OpenID URL LoginUsingOpenID=Použijte OpenID pro přihlášení WeeklyHours=Odpracovaných hodin (za týden) -ExpectedWorkedHours=Předpoklad odpracovaných hodin za týden +ExpectedWorkedHours=Expected hours worked per week ColorUser=Barva uživatele DisabledInMonoUserMode=Zakázán v režimu údržby UserAccountancyCode=Účetní kód uživatele @@ -115,7 +116,7 @@ DateOfEmployment=Datum zaměstnání DateEmployment=Zaměstnanost DateEmploymentstart=Datum zahájení zaměstnání DateEmploymentEnd=Datum ukončení zaměstnání -RangeOfLoginValidity=Časové období platnosti přihlášení +RangeOfLoginValidity=Access validity date range CantDisableYourself=Nelze zakázat vlastní uživatelský záznam ForceUserExpenseValidator=Validator výkazu výdajů ForceUserHolidayValidator=Vynutit validátor žádosti o dovolenou diff --git a/htdocs/langs/cs_CZ/website.lang b/htdocs/langs/cs_CZ/website.lang index 228a2e197f2..fdd8e7b9a79 100644 --- a/htdocs/langs/cs_CZ/website.lang +++ b/htdocs/langs/cs_CZ/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/da_DK/accountancy.lang b/htdocs/langs/da_DK/accountancy.lang index 9e2f21931cc..68b09a3cca3 100644 --- a/htdocs/langs/da_DK/accountancy.lang +++ b/htdocs/langs/da_DK/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Kontonavn LabelOperation=Bilagstekst Sens=Retning -AccountingDirectionHelp=For en kundes regnskabskonto skal du bruge kredit til at registrere en betaling, du har modtaget
. For en leverandørs regnskabskonto skal du bruge Debet til at registrere en betaling, du foretager +AccountingDirectionHelp=Brug en kredit til at registrere en betaling, du har modtaget for en kundes regnskabskonto
. For en leverandørs regnskabskonto skal du bruge Debet til at registrere en betaling, du har foretaget LetteringCode=Bogstaver kode Lettering=Skrift Codejournal=Kladde @@ -297,7 +297,7 @@ NoNewRecordSaved=Ikke flere post til bogføre ListOfProductsWithoutAccountingAccount=Liste over varer, der ikke er bundet til nogen regnskabskonto ChangeBinding=Ret Bogføring Accounted=Regnskab i hovedbog -NotYetAccounted=Endnu ikke indregnet i hovedbog +NotYetAccounted=Endnu ikke registreret i hovedbogen ShowTutorial=Vis selvstudie NotReconciled=Ikke afstemt WarningRecordWithoutSubledgerAreExcluded=Advarsel, alle handlinger uden underskrevet konto defineret filtreres og udelukkes fra denne visning diff --git a/htdocs/langs/da_DK/admin.lang b/htdocs/langs/da_DK/admin.lang index dfeca29316f..26e47e4ad78 100644 --- a/htdocs/langs/da_DK/admin.lang +++ b/htdocs/langs/da_DK/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Fjern/omdøbe fil %s hvis den eksisterer, for at tillade bru RestoreLock=Gendan filen %s , kun med tilladelse for "læsning", for at deaktivere yderligere brug af Update/Install-værktøjet. SecuritySetup=Sikkerhedsopsætning PHPSetup=PHP opsætning +OSSetup=OS opsætning SecurityFilesDesc=Definer her muligheder relateret til sikkerhed om upload af filer. ErrorModuleRequirePHPVersion=Fejl, dette modul kræver PHP version %s eller højere ErrorModuleRequireDolibarrVersion=Fejl, dette modul kræver Dolibarr version %s eller højere @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Ikke tyder NoActiveBankAccountDefined=Ingen aktiv bankkonto defineret OwnerOfBankAccount=Ejer af bankkonto %s BankModuleNotActive=Bankkonti modul er ikke aktiveret -ShowBugTrackLink=Vis link " %s " +ShowBugTrackLink=Definer linket " %s " (tom for ikke at vise dette link, 'github' for linket til Dolibarr-projektet eller definer direkte en url 'https: // ...') Alerts=Indberetninger DelaysOfToleranceBeforeWarning=Forsinkelse før du viser en advarselsalarm for: DelaysOfToleranceDesc=Indstil forsinkelsen, før et advarselsikon %s vises på skærmen for det sene element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Du skal køre denne kommando fr YourPHPDoesNotHaveSSLSupport=SSL-funktioner ikke er tilgængelige i dit PHP DownloadMoreSkins=Find flere skind på Dolistore.com SimpleNumRefModelDesc=Returnerer referencenummeret i formatet %syymm-nnnn hvor yy er året, mm er måneden og nnnn er et sekventielt auto-stigende nummer uden nulstilling +SimpleNumRefNoDateModelDesc=Returnerer referencenummeret i formatet %s-nnnn hvor nnnn er et sekventielt automatisk stigende nummer uden nulstilling ShowProfIdInAddress=Vis professionelt id med adresser ShowVATIntaInAddress=Skjul momsregistreringsnummer i Fællesskabet med adresser TranslationUncomplete=Delvis oversættelse @@ -2062,7 +2064,7 @@ UseDebugBar=Brug fejlfindingslinjen DEBUGBAR_LOGS_LINES_NUMBER=Antal sidste loglinjer, der skal holdes i konsollen WarningValueHigherSlowsDramaticalyOutput=Advarsel, højere værdier bremser dramatisk output ModuleActivated=Modul %s er aktiveret og forsinker grænsefladen -ModuleActivatedWithTooHighLogLevel=Modul %s er aktiveret med et for højt logningsniveau (prøv at bruge et lavere niveau for bedre præstationer) +ModuleActivatedWithTooHighLogLevel=Modul %s er aktiveret med et for højt logningsniveau (prøv at bruge et lavere niveau for bedre ydeevne og sikkerhed) ModuleSyslogActivatedButLevelNotTooVerbose=Modul %s er aktiveret, og logniveau (%s) er korrekt (ikke for detaljeret) IfYouAreOnAProductionSetThis=Hvis du er i et produktionsmiljø, skal du indstille denne egenskab til %s. AntivirusEnabledOnUpload=Antivirus aktiveret på uploadede filer @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Bortset fra hvis du har brug for at NoWritableFilesFoundIntoRootDir=Ingen skrivbare filer eller mapper til de almindelige programmer blev fundet i din rodkatalog (God) RecommendedValueIs=Anbefalet: %s ARestrictedPath=En begrænset sti +CheckForModuleUpdate=Se efter opdateringer til eksterne moduler +CheckForModuleUpdateHelp=Denne handling opretter forbindelse til redaktører for eksterne moduler for at kontrollere, om en ny version er tilgængelig. +ModuleUpdateAvailable=En opdatering er tilgængelig +NoExternalModuleWithUpdate=Ingen opdateringer fundet for eksterne moduler +SwaggerDescriptionFile=Swagger API beskrivelsesfil (f.eks. Til brug med redoc) diff --git a/htdocs/langs/da_DK/banks.lang b/htdocs/langs/da_DK/banks.lang index 4e7a7706f4b..f40da8a80f3 100644 --- a/htdocs/langs/da_DK/banks.lang +++ b/htdocs/langs/da_DK/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social / skattemæssig skat betaling BankTransfer=Kreditoverførsel BankTransfers=Kreditoverførsler MenuBankInternalTransfer=Intern overførsel -TransferDesc=Overførsel fra en konto til en anden, Dolibarr vil skrive to poster (en debitering på kildekonto og en kredit på målkonto). Det samme beløb (undtagen tegn), etiket og dato vil blive brugt til denne transaktion) +TransferDesc=Brug intern overførsel til at overføre fra en konto til en anden, applikationen skriver to poster: en debitering på kildekontoen og en kredit på målkontoen. Det samme beløb, etiket og dato vil blive brugt til denne transaktion. TransferFrom=Fra TransferTo=Til TransferFromToDone=En overførsel fra %s til %s af %s %s er blevet optaget. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Bekræft denne kvitteringskvittering? -ConfirmValidateCheckReceipt=Er du sikker på at du vil bekræfte denne kvittering for kvittering, vil der ikke blive foretaget nogen ændring, når dette er gjort? +ConfirmValidateCheckReceipt=Er du sikker på, at du vil indsende denne checkkvittering til validering? Ingen ændringer er mulige, det er gjort. DeleteCheckReceipt=Slet denne kvittering for kvittering? ConfirmDeleteCheckReceipt=Er du sikker på, at du vil slette denne kvittering for kvittering? BankChecks=Bankcheck @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Er du sikker på, at du vil slette denne post? ThisWillAlsoDeleteBankRecord=Dette vil også slette genereret bankindtastning BankMovements=bevægelser PlannedTransactions=Planlagte poster -Graph=Grafik +Graph=Grafer ExportDataset_banque_1=Bankkonti og kontoudtog ExportDataset_banque_2=Depositum TransactionOnTheOtherAccount=Transaktion på den anden konto @@ -142,7 +142,7 @@ AllAccounts=Alle bank- og kontantekonti BackToAccount=Tilbage til konto ShowAllAccounts=Vis for alle konti FutureTransaction=Fremtidig transaktion. Kan ikke forene. -SelectChequeTransactionAndGenerate=Vælg / filtrer checks for at inkludere i kontokortet og klik på "Opret". +SelectChequeTransactionAndGenerate=Vælg / filtrer de checks, der skal medtages i checkindbetalingen. Klik derefter på "Opret". InputReceiptNumber=Vælg kontoudskrift relateret til forliget. Brug en sorterbar numerisk værdi: ÅÅÅÅMM eller ÅÅÅÅMMDD EventualyAddCategory=Til sidst skal du angive en kategori, hvor klasserne skal klassificeres ToConciliate=Skal afstemmes? diff --git a/htdocs/langs/da_DK/bills.lang b/htdocs/langs/da_DK/bills.lang index 6d0f386fced..e872d359fb4 100644 --- a/htdocs/langs/da_DK/bills.lang +++ b/htdocs/langs/da_DK/bills.lang @@ -454,7 +454,7 @@ RegulatedOn=Reguleres på ChequeNumber=Check N ChequeOrTransferNumber=Check / Transfer N ChequeBordereau=Tjekliste -ChequeMaker=Check / Overfør overførelse +ChequeMaker=Kontroller / overfør afsender ChequeBank=Bank Cheque CheckBank=Kontrollere NetToBePaid=Netto, at betale diff --git a/htdocs/langs/da_DK/boxes.lang b/htdocs/langs/da_DK/boxes.lang index bc3abe1574c..7d3af76778e 100644 --- a/htdocs/langs/da_DK/boxes.lang +++ b/htdocs/langs/da_DK/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bogmærker: seneste %s BoxOldestExpiredServices=Ældste aktive udløbne tjenester BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Nyeste %s modificerede styklister -BoxTitleLatestModifiedMos=Seneste %s ændrede produktionsordrer +BoxTitleLastContracts=Seneste %s kontrakter, der blev ændret +BoxTitleLastModifiedDonations=Seneste %s donationer, som blev ændret +BoxTitleLastModifiedExpenses=Seneste %s udgiftsrapporter, der blev ændret +BoxTitleLatestModifiedBoms=Seneste %s BOM'er, der blev ændret +BoxTitleLatestModifiedMos=Seneste %s Produktionsordrer, der blev ændret BoxTitleLastOutstandingBillReached=Kunder med maksimalt udestående overskredet BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/da_DK/cashdesk.lang b/htdocs/langs/da_DK/cashdesk.lang index 9f5abd81617..b98662769f3 100644 --- a/htdocs/langs/da_DK/cashdesk.lang +++ b/htdocs/langs/da_DK/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Etage AddTable=Tilføj bord Place=Placere TakeposConnectorNecesary='TakePOS Connector' kræves -OrderPrinters=Bestil printere +OrderPrinters=Tilføj en knap for at sende ordren til nogle givne printere uden betaling (for eksempel for at sende en ordre til et køkken) +NotAvailableWithBrowserPrinter=Ikke tilgængelig, når printer til modtagelse er indstillet til browser: SearchProduct=Søg produkt Receipt=Modtagelse Header=Sidehoved @@ -56,8 +57,9 @@ Paymentnumpad=numerisk tastatur til at indtaste betaling Numberspad=Numerisk tastatur BillsCoinsPad=Mønter og sedler kasse DolistorePosCategory=TakePOS moduler and andre POS løsninger til Dolibarr -TakeposNeedsCategories=TakePOS har brug for produkt kategorier for at fungere -OrderNotes=Ordre Noter +TakeposNeedsCategories=TakePOS har brug for mindst en produktkategori for at arbejde +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS har brug for mindst 1 produktkategori under kategorien %s for at arbejde +OrderNotes=Kan tilføje nogle noter til hver bestilte vare CashDeskBankAccountFor=Standardkonto, der skal bruges til betalinger i NoPaimementModesDefined=Ingen betalings betingelser i TakePOS konfiguration TicketVatGrouped=Gruppe moms sats i billetter | kvitteringer @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Fakturaen er allerede valideret NoLinesToBill=Ingen linjer til fakturering CustomReceipt=Tilpasset kvittering ReceiptName=Kvittering Navn -ProductSupplements=Produkttilskud +ProductSupplements=Administrer kosttilskud af produkter SupplementCategory=Tillægskategori ColorTheme=Farvetema Colorful=Farverig @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Enkel og nem kvitteringsudskrivning. Kun et par parametre til at konfigurere kvitteringen. Udskriv via browser. TakeposConnectorMethodDescription=Eksternt modul med ekstra funktioner. Mulighed for at udskrive fra cloud. PrintMethod=Udskrivningsmetode -ReceiptPrinterMethodDescription=Kraftig metode med en masse parametre. Fuld tilpasning med skabeloner. Kan ikke udskrive fra cloud. +ReceiptPrinterMethodDescription=Kraftig metode med mange parametre. Fuldt tilpasses med skabeloner. Serveren, der er vært for applikationen, kan ikke være i skyen (skal kunne nå printerne i dit netværk). ByTerminal=Med terminal TakeposNumpadUsePaymentIcon=Brug ikonet i stedet for tekst på betalingsknapperne på numpad CashDeskRefNumberingModules=Nummereringsmodul til POS-salg @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Modul kvitterings printer skal først være ak AllowDelayedPayment=Tillad forsinket betaling PrintPaymentMethodOnReceipts=Udskriv betalingsmetode på billetter | kvitteringer WeighingScale=Vægt skala +ShowPriceHT = Vis prisen ekskl. Moms kolonne +ShowPriceHTOnReceipt = Vis prisen ekskl. Moms kolonne ved modtagelse diff --git a/htdocs/langs/da_DK/categories.lang b/htdocs/langs/da_DK/categories.lang index dd36fa5b4e2..d42630c7687 100644 --- a/htdocs/langs/da_DK/categories.lang +++ b/htdocs/langs/da_DK/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Kategori Rubriques=Tags/Kategorier RubriquesTransactions=Tags/Kategorier af transaktioner categories=tags/kategorier -NoCategoryYet=Ingen tag/Kategorier af denne type oprettet +NoCategoryYet=Intet mærke / kategori af denne type er oprettet In=I AddIn=Tilføj i modify=rette Classify=Klassificere CategoriesArea=Tags/Kategorier område -ProductsCategoriesArea=Produkter/Tjenester tags/kategorier område -SuppliersCategoriesArea=Sælgere tags / kategorier område -CustomersCategoriesArea=Kunder tags/kategorier -MembersCategoriesArea=Medlemmer tags/kategorier -ContactsCategoriesArea=Kontakter tags/kategorier område +ProductsCategoriesArea=Produkt / servicemærker / kategoriområde +SuppliersCategoriesArea=Leverandørmærker / kategoriområde +CustomersCategoriesArea=Kundemærker / kategoriområde +MembersCategoriesArea=Medlemstags / kategorier-område +ContactsCategoriesArea=Kontakt tags / kategorier område AccountsCategoriesArea=Bankkontomærker / kategoriområde -ProjectsCategoriesArea=Projekter tags/kategorier område -UsersCategoriesArea=Brugere tags / kategorier område +ProjectsCategoriesArea=Projekt tags / kategorier område +UsersCategoriesArea=Bruger tags / kategorier område SubCats=Sub-kategorier CatList=Liste over tags/kategorier CatListAll=Liste over tags / kategorier (alle typer) @@ -96,4 +96,4 @@ ChooseCategory=Vælg kategori StocksCategoriesArea=Lagerkategorier ActionCommCategoriesArea=Begivenhedskategorier WebsitePagesCategoriesArea=Side-containerkategorier -UseOrOperatorForCategories=Brug eller operator til kategorier +UseOrOperatorForCategories=Brug 'ELLER' operator til kategorier diff --git a/htdocs/langs/da_DK/companies.lang b/htdocs/langs/da_DK/companies.lang index 411dc19efc9..1c401760a58 100644 --- a/htdocs/langs/da_DK/companies.lang +++ b/htdocs/langs/da_DK/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Firmanavn %s eksisterer allerede. Vælg et andet. ErrorSetACountryFirst=Indstil land først SelectThirdParty=Vælg en tredjepart -ConfirmDeleteCompany=Er du sikker på, at du vil slette dette firma og alle arvede oplysninger? +ConfirmDeleteCompany=Er du sikker på, at du vil slette dette firma og alle relaterede oplysninger? DeleteContact=Slet en kontakt/adresse -ConfirmDeleteContact=Er du sikker på, at du vil slette denne kontakt og alle arvede oplysninger? +ConfirmDeleteContact=Er du sikker på, at du vil slette denne kontakt og alle relaterede oplysninger? MenuNewThirdParty=Ny tredjepart MenuNewCustomer=Ny kunde MenuNewProspect=Ny potentiel kunde @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Ring Chat=Chat -PhonePro=Firmatelefon +PhonePro=Bus. telefon PhonePerso=Pers. telefon PhoneMobile=Mobil No_Email=Afvis masse Emails @@ -78,7 +78,7 @@ Zip=Zip Code Town=By Web=Web Poste= Position -DefaultLang=Sprogstandard +DefaultLang=Standardsprog VATIsUsed=Anvendt moms VATIsUsedWhenSelling=Dette definerer, om denne tredjepart indeholder en salgsafgift eller ej, når den foretager en faktura til sine egne kunder VATIsNotUsed=Salgsmoms anvendes ikke @@ -331,7 +331,7 @@ CustomerCodeDesc=Kundekode, unik for alle kunder SupplierCodeDesc=Leverandørkode, unik for alle leverandører RequiredIfCustomer=Påkrævet, hvis tredjepart er kunde eller kunde RequiredIfSupplier=Påkrævet, hvis tredjepart er en sælger -ValidityControledByModule=Gyldighedsstyret af modulet +ValidityControledByModule=Gyldighed kontrolleret af modulet ThisIsModuleRules=Regler for dette modul ProspectToContact=Potentiel kunde til kontakt CompanyDeleted=Company " %s" slettet fra databasen. @@ -439,12 +439,12 @@ ListSuppliersShort=Liste over leverandører ListProspectsShort=Liste over potentielle kunder ListCustomersShort=Liste over kunder ThirdPartiesArea=Tredjeparter / Kontakter -LastModifiedThirdParties=Seneste %s ændrede tredjeparter +LastModifiedThirdParties=Seneste %s Tredjeparter, som blev ændret UniqueThirdParties=Samlet antal tredjeparter InActivity=Åben ActivityCeased=Lukket ThirdPartyIsClosed=Tredjepart er lukket -ProductsIntoElements=Liste over varer/ydelser i %s +ProductsIntoElements=Liste over produkter / tjenester tilknyttet %s CurrentOutstandingBill=Udestående faktura i øjeblikket OutstandingBill=Maks. for udstående faktura OutstandingBillReached=Maks. for udestående regning nået @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Kunde / leverandør-koden er ledig. Denne kode kan til en ManagingDirectors=Leder(e) navne (CEO, direktør, chef...) MergeOriginThirdparty=Duplicate tredjepart (tredjepart, du vil slette) MergeThirdparties=Flet tredjeparter -ConfirmMergeThirdparties=Er du sikker på, at du vil fusionere denne tredjepart i den nuværende? Alle linkede objekter (fakturaer, ordrer, ...) flyttes til den aktuelle tredjepart, og tredjepart vil blive slettet. +ConfirmMergeThirdparties=Er du sikker på, at du vil flette den valgte tredjepart med den aktuelle? Alle sammenkædede objekter (fakturaer, ordrer, ...) flyttes til den aktuelle tredjepart, hvorefter den valgte tredjepart slettes. ThirdpartiesMergeSuccess=Tredjeparter er blevet fusioneret SaleRepresentativeLogin=Login af salgsrepræsentant SaleRepresentativeFirstname=Fornavn på salgsrepræsentant diff --git a/htdocs/langs/da_DK/compta.lang b/htdocs/langs/da_DK/compta.lang index 2c6f3c521b8..7081be57c87 100644 --- a/htdocs/langs/da_DK/compta.lang +++ b/htdocs/langs/da_DK/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Ny rabat NewCheckDeposit=Ny checkindbetaling NewCheckDepositOn=Opret kvittering for indbetaling på konto: %s NoWaitingChecks=Ingen checks afventer indbetaling. -DateChequeReceived=Dato for modtagelse af check +DateChequeReceived=Tjek modtagelsesdato NbOfCheques=Antal checks PaySocialContribution=Betal skat/afgift PayVAT=Betal en momsangivelse diff --git a/htdocs/langs/da_DK/ecm.lang b/htdocs/langs/da_DK/ecm.lang index 2df441a0807..ed1668f660a 100644 --- a/htdocs/langs/da_DK/ecm.lang +++ b/htdocs/langs/da_DK/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Mapper ECMSetup=ECM-opsætning GenerateImgWebp=Kopier alle billeder med en anden version med .webp-format -ConfirmGenerateImgWebp=Hvis du bekræfter, vil du generere et billede i .webp-format for alle billeder i øjeblikket i denne mappe og dens undermappe ... +ConfirmGenerateImgWebp=Hvis du bekræfter, genererer du et billede i .webp-format for alle billeder i øjeblikket i denne mappe (undermapper er ikke inkluderet) ... ConfirmImgWebpCreation=Bekræft duplikering af alle billeder SucessConvertImgWebp=Billeder blev duplikeret diff --git a/htdocs/langs/da_DK/errors.lang b/htdocs/langs/da_DK/errors.lang index 5f382777db0..f11082e0071 100644 --- a/htdocs/langs/da_DK/errors.lang +++ b/htdocs/langs/da_DK/errors.lang @@ -4,8 +4,8 @@ NoErrorCommitIsDone=Ingen fejl, vi begår # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=E-mail%s er forkert -ErrorBadMXDomain=E-mail %s virker forkert (domæne har ingen gyldig MX-post) +ErrorBadEMail=E-mail %s er forkert +ErrorBadMXDomain=E-mail %s synes forkert (domæne har ingen gyldig MX-post) ErrorBadUrl=Url %s er forkert ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s findes allerede. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Det lykkedes ikke at skrive i mappen %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=Fundet forkerte e-mail-syntaks for %s linjer i filen (f.eks line %s med email= %s) ErrorUserCannotBeDelete=Bruger kan ikke slettes. Måske er det forbundet med Dolibarr enheder. -ErrorFieldsRequired=Nogle krævede felter ikke var fyldt. -ErrorSubjectIsRequired=Emne er påkrævet +ErrorFieldsRequired=Nogle obligatoriske felter er efterladt tomme. +ErrorSubjectIsRequired=E-mail-emnet er påkrævet ErrorFailedToCreateDir=Det lykkedes ikke at oprette en mappe. Kontroller, at web-serveren bruger har tilladelse til at skrive i Dolibarr dokumenter bibliotek. Hvis parameter safe_mode er aktiveret på dette PHP, kontrollere, at Dolibarr php filer ejer til web-serveren bruger (eller gruppe). ErrorNoMailDefinedForThisUser=Ingen e-mail defineret for denne bruger ErrorSetupOfEmailsNotComplete=Opsætningen af e-mails er ikke afsluttet @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Siden / beholderen %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Begivenhedsorganisation +EventOrganizationDescription = Begivenhedsorganisation gennem modulprojekt +EventOrganizationDescriptionLong= Administrer begivenhedsorganisation til konference, deltagere, højttalere og deltagere med en offentlig abonnementside +# +# Menu +# +EventOrganizationMenuLeft = Organiserede begivenheder +EventOrganizationConferenceOrBoothMenuLeft = Konference eller stand + +# +# Admin page +# +EventOrganizationSetup = Opsætning af begivenhedsorganisation +Settings = Indstillinger +EventOrganizationSetupPage = Konfigurationsside for begivenhedsorganisation +EVENTORGANIZATION_TASK_LABEL = Etiket over opgaver, der skal oprettes automatisk, når projektet valideres +EVENTORGANIZATION_TASK_LABELTooltip = Når du validerer en organiseret begivenhed, kan der automatisk oprettes nogle opgaver i projektet

For eksempel:
Send Call for Conference
Send Call for Booth
Modtag opkald til konferencer a04 mind om begivenhed til højttalere
Send minder om begivenhed til Booth-vært
Send påmind om begivenhed til deltagere +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Kategori, der automatisk tilføjes til tredjeparter, når nogen foreslår en konference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Kategori, der automatisk tilføjes til tredjeparter, når de foreslår en stand +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Skabelon til e-mail, der skal sendes efter modtagelse af et forslag til en konference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Skabelon til e-mail, der skal sendes efter modtagelse af et forslag til en stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Skabelon til e-mail, der skal sendes, efter at et abonnement på en kabine er betalt. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Skabelon til e-mail, der skal sendes, efter at et abonnement på en begivenhed er betalt. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Skabelon til e-mail med massaktion til attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Skabelon til e-mail med massaktion til højttalere +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filtrer tredjeparts valgliste i deltagernes oprettelseskort / formular med kategori +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filtrer tredjeparts valgliste i deltagernes oprettelseskort / formular med kundetype + +# +# Object +# +EventOrganizationConfOrBooth= Konference eller stand +ManageOrganizeEvent = Administrer begivenhedsorganisation +ConferenceOrBooth = Konference eller stand +ConferenceOrBoothTab = Konference eller stand +AmountOfSubscriptionPaid = Betalt abonnementsbeløb +DateSubscription = Dato for abonnement +ConferenceOrBoothAttendee = Konference eller messedeltager + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Din anmodning om konference blev modtaget +YourOrganizationEventBoothRequestWasReceived = Din anmodning om stand blev modtaget +EventOrganizationEmailAskConf = Anmodning om konference +EventOrganizationEmailAskBooth = Anmodning om stand +EventOrganizationEmailSubsBooth = Abonnement på stand +EventOrganizationEmailSubsEvent = Abonnement på en begivenhed +EventOrganizationMassEmailAttendees = Kommunikation til deltagere +EventOrganizationMassEmailSpeakers = Kommunikation til taler + +# +# Event +# +AllowUnknownPeopleSuggestConf=Tillad ukendte personer at foreslå konferencer +AllowUnknownPeopleSuggestConfHelp=Tillad ukendte personer at foreslå konferencer +AllowUnknownPeopleSuggestBooth=Tillad ukendte personer at foreslå stand +AllowUnknownPeopleSuggestBoothHelp=Tillad ukendte personer at foreslå stand +PriceOfRegistration=Pris for registrering +PriceOfRegistrationHelp=Pris for registrering +PriceOfBooth=Abonnementspris for at stå en kabine +PriceOfBoothHelp=Abonnementspris for at stå en kabine +EventOrganizationICSLink=Link ICS til begivenheder +ConferenceOrBoothInformation=Oplysninger om konference eller stand +Attendees = Deltagere +EVENTORGANIZATION_SECUREKEY = Sikker nøgle til linket til offentlig registrering til en konference +# +# Status +# +EvntOrgDraft = Udkast til +EvntOrgSuggested = Foreslået +EvntOrgConfirmed = Bekræftet +EvntOrgNotQualified = Ikke kvalificeret +EvntOrgDone = Gjort +EvntOrgCancelled = Annulleret +# +# Public page +# +PublicAttendeeSubscriptionPage = Offentlig link til registrering til en konference +MissingOrBadSecureKey = Sikkerhedsnøglen er ugyldig eller mangler +EvntOrgWelcomeMessage = Denne formular giver dig mulighed for at registrere dig som en ny deltager i konferencen +EvntOrgStartDuration = Denne konference starter den +EvntOrgEndDuration = og slutter på diff --git a/htdocs/langs/da_DK/knowledgemanagement.lang b/htdocs/langs/da_DK/knowledgemanagement.lang new file mode 100644 index 00000000000..418c89381ce --- /dev/null +++ b/htdocs/langs/da_DK/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Videnstyringssystem +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Administrer en Knowledge Management (KM) eller Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Opsætning af Knowledge Management System +Settings = Indstillinger +KnowledgeManagementSetupPage = Knowledge Management System opsætningsside + + +# +# About page +# +About = Om +KnowledgeManagementAbout = Om Knowledge Management +KnowledgeManagementAboutPage = Videnstyring om side + +# +# Sample page +# +KnowledgeManagementArea = Videnshåndtering + + +# +# Menu +# +MenuKnowledgeRecord = Videnbase +ListOfArticles = Liste over artikler +NewKnowledgeRecord = Ny artikel +ValidateReply = Valider løsning +KnowledgeRecords = Artikler +KnowledgeRecord = Artikel +KnowledgeRecordExtraFields = Ekstra felter til artikel diff --git a/htdocs/langs/da_DK/mails.lang b/htdocs/langs/da_DK/mails.lang index e0275f61e0b..3832bf3c5fd 100644 --- a/htdocs/langs/da_DK/mails.lang +++ b/htdocs/langs/da_DK/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Til bruger (e) MailCC=Kopier til MailToCCUsers=Kopier til brugere (e) MailCCC=Cachelagrede kopi til -MailTopic=E-mail emne +MailTopic=Email emne MailText=Besked MailFile=Vedhæftede filer MailMessage=Email indhold @@ -132,7 +132,7 @@ ANotificationsWillBeSent=1 automatisk underretning sendes via e-mail SomeNotificationsWillBeSent=%s automatiske meddelelser sendes via e-mail AddNewNotification=Abonner på en ny automatisk e-mail-underretning (mål / begivenhed) ListOfActiveNotifications=Liste over alle aktive abonnementer (mål / begivenheder) til automatisk e-mail-underretning -ListOfNotificationsDone=Liste over alle sendte automatiske e-mail-meddelelser +ListOfNotificationsDone=Liste over alle sendte automatiske e-mail-underretninger MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/da_DK/main.lang b/htdocs/langs/da_DK/main.lang index a19a7a0e0ce..1413f52e528 100644 --- a/htdocs/langs/da_DK/main.lang +++ b/htdocs/langs/da_DK/main.lang @@ -246,7 +246,7 @@ DefaultModel=Standard dokument skabelon Action=Begivenhed About=Om Number=Antal -NumberByMonth=Antal efter måned +NumberByMonth=Samlede rapporter pr. Måned AmountByMonth=Beløb efter måned Numero=Nummer Limit=Grænseværdi @@ -341,8 +341,8 @@ KiloBytes=Kilobyte MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabyte -UserAuthor=Oprettet af bruger -UserModif=Bruger som sidst opdateret +UserAuthor=Afsluttet af +UserModif=Opdateret af b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Ved From=Fra FromDate=Fra FromLocation=Fra -at=på to=til To=til +ToDate=til +ToLocation=til +at=på and=og or=eller Other=Anden @@ -843,7 +845,7 @@ XMoreLines=%s linje(r) skjult ShowMoreLines=Vis flere/færre linjer PublicUrl=Offentlige URL AddBox=Tilføj box -SelectElementAndClick=Vælg et element og klik på %s +SelectElementAndClick=Vælg et element, og klik på %s PrintFile=Print fil %s ShowTransaction=Vis indlæg på bankkonto ShowIntervention=Vis indgreb @@ -854,8 +856,8 @@ Denied=Nægtet ListOf=Liste over %s ListOfTemplates=Liste over skabeloner Gender=Køn -Genderman=Mand -Genderwoman=Kvinde +Genderman=Han +Genderwoman=Hun Genderother=Andre ViewList=Vis liste ViewGantt=Gentt udsigt @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Er du sikker på, at du vil påvirke tags til den %s va CategTypeNotFound=Ingen tag-type fundet for typen af poster CopiedToClipboard=Kopieret til udklipsholderen InformationOnLinkToContract=Dette beløb er kun summen af alle linjer i kontrakten. Der tages ikke hensyn til tid. +ConfirmCancel=Er du sikker på at du vil annullere diff --git a/htdocs/langs/da_DK/members.lang b/htdocs/langs/da_DK/members.lang index b74f1265498..219ed492d1c 100644 --- a/htdocs/langs/da_DK/members.lang +++ b/htdocs/langs/da_DK/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Et andet medlem (navn: %s, login: ErrorUserPermissionAllowsToLinksToItselfOnly=Af sikkerhedsmæssige grunde skal du have tilladelser til at redigere alle brugere for at kunne linke en medlem til en bruger, der ikke er din. SetLinkToUser=Link til en Dolibarr bruger SetLinkToThirdParty=Link til en Dolibarr tredjepart -MembersCards=Medlemmer udskrive kort +MembersCards=Visitkort til medlemmer MembersList=Liste over medlemmer MembersListToValid=Liste over udkast til medlemmer (der skal bekræftes) MembersListValid=Liste over gyldige medlemmer @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Medlemmer med abonnement for at modtage MembersWithSubscriptionToReceiveShort=Abonnement til at modtage DateSubscription=Subscription dato DateEndSubscription=Subscription slutdato -EndSubscription=End abonnement +EndSubscription=Abonnementet slutter SubscriptionId=Abonnements-id WithoutSubscription=Uden abonnement MemberId=Medlem id @@ -83,10 +83,10 @@ WelcomeEMail=Velkomst e-mail SubscriptionRequired=Kræver abonnement DeleteType=Slet VoteAllowed=Afstemning tilladt -Physical=Fysisk -Moral=Moral -MorAndPhy=Moralisk og fysisk -Reenable=Genaktivere +Physical=Individuel +Moral=virksomhed +MorAndPhy=Firma og enkeltperson +Reenable=Genaktiver ExcludeMember=Ekskluder et medlem ConfirmExcludeMember=Er du sikker på, at du vil ekskludere dette medlem? ResiliateMember=Afslut en medlem @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Medlemmer statistik efter land MembersStatisticsByState=Medlemmer statistikker stat / provins MembersStatisticsByTown=Medlemmer statistikker byen MembersStatisticsByRegion=Medlemsstatistik efter region -NbOfMembers=Antal medlemmer -NbOfActiveMembers=Antal nuværende aktive medlemmer +NbOfMembers=Samlet antal medlemmer +NbOfActiveMembers=Samlet antal nuværende aktive medlemmer NoValidatedMemberYet=Ingen bekræftede medlemmer fundet -MembersByCountryDesc=Denne skærm viser dig statistikker over medlemmer af lande. Grafisk afhænger dog på Google online-graf service og er kun tilgængelig, hvis en internetforbindelse virker. -MembersByStateDesc=Denne skærm viser dig statistikker om medlemmer fra staten / provinser / Canton. -MembersByTownDesc=Denne skærm viser dig statistikker over medlemmer af byen. +MembersByCountryDesc=Dette skærmbillede viser medlemsstatistikker efter lande. Grafer og diagrammer afhænger af tilgængeligheden af Googles online graftjeneste samt af tilgængeligheden af en fungerende internetforbindelse. +MembersByStateDesc=Denne skærm viser dig statistikker over medlemmer efter stat / provinser / kantoner. +MembersByTownDesc=Denne skærm viser statistikker over medlemmer efter by. +MembersByNature=Denne skærm viser dig statistikker over medlemmer efter natur. +MembersByRegion=Dette skærmbillede viser statistikker over medlemmer efter region. MembersStatisticsDesc=Vælg statistikker, du ønsker at læse ... MenuMembersStats=Statistik -LastMemberDate=Seneste medlem dato +LastMemberDate=Seneste medlemskabsdato LatestSubscriptionDate=Latest subscription date -MemberNature=Medlemmernes art +MemberNature=Medlemmets art MembersNature=Medlemmernes art -Public=Information er offentlige +Public=Oplysninger er offentlige NewMemberbyWeb=Nyt medlem tilføjet. Afventer godkendelse NewMemberForm=Nyt medlem formular -SubscriptionsStatistics=Statistikker om abonnementer +SubscriptionsStatistics=Abonnementsstatistik NbOfSubscriptions=Antallet af abonnementer -AmountOfSubscriptions=Mængden af ​​abonnementer +AmountOfSubscriptions=Beløb indsamlet fra abonnementer TurnoverOrBudget=Omsætning (for et selskab) eller Budget (en fond) DefaultAmount=Standard mængden af ​​abonnement CanEditAmount=Besøgende kan vælge / redigere størrelsen af ​​sit indskud MEMBER_NEWFORM_PAYONLINE=Hop på integreret online betaling side ByProperties=Af natur MembersStatisticsByProperties=Medlemsstatistik af natur -MembersByNature=Denne skærm viser dig statistik over medlemmer af natur. -MembersByRegion=Denne skærm viser statistik over medlemmer efter region. VATToUseForSubscriptions=Moms sats at bruge til abonnementer NoVatOnSubscription=Ingen moms for abonnementer ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkt anvendt til abonnementslinje i faktura: %s diff --git a/htdocs/langs/da_DK/modulebuilder.lang b/htdocs/langs/da_DK/modulebuilder.lang index 412df544774..71377d17d5f 100644 --- a/htdocs/langs/da_DK/modulebuilder.lang +++ b/htdocs/langs/da_DK/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=Liste over definerede tilladelser SeeExamples=Se eksempler her EnabledDesc=Tilstand at have dette felt aktivt (Eksempler: 1 eller $ conf-> global-> MYMODULE_MYOPTION) VisibleDesc=Er feltet synligt? (Eksempler: 0 = Aldrig synlig, 1 = Synlig på listen og opret / opdater / vis formularer, 2 = Kun synlig på listen, 3 = Synlig kun på oprettelse / opdatering / visningsformular (ikke liste), 4 = Synlig på listen og 3 opdaterings- / visningsformular kun (ikke oprettes), 5 = Synlig på formularen for slut visningsvisning (ikke opretning, ikke opdatering).

Brug af en negativ værdi betyder felt vises ikke som standard på listen, men kan vælges til visning).

Det kan være et udtryk, for eksempel:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ bruger-> rettigheder-> ferie-> definere_ferie? 1: 0) -DisplayOnPdfDesc=Vis dette felt på kompatible PDF-dokumenter, kan du styre positionen med "Position" field.
Currently, kendte kompatible PDF modeller er: Eratosthenes (rækkefølge), espadon (skib), svamp (fakturaer), cyan (propal / citat), Cornas ( leverandør rækkefølge)

for dokument:
0 = ikke vises
1 = displayet
2 = display, hvis ikke empty

For dokumentlinjer:
0 = ikke vises
1 = vises i en kolonne
3 = display på linje beskrivelse kolonne efter beskrivelse
4 = display i beskrivelsen søjlen efter beskrivelsen kun hvis ikke tom +DisplayOnPdfDesc=Vis dette felt på kompatible PDF-dokumenter, du kan administrere position med "Position" -feltet.
I øjeblikket er kendte kompatible PDF-modeller: eratosthene (ordre), espadon (skib), svamp (fakturaer), cyan (propal / tilbud), cornas (leverandørbestilling)

a0e7843947c06f0a0f6a0 = display
2 = vise, hvis ikke tømmes

for dokumentlinjer:
0 = ikke vises
1 = vises i en kolonne
3 = display på linje beskrivelse søjlen efter beskrivelsen
4 = display i beskrivelsen kolonne efter beskrivelse kun hvis den ikke er tom DisplayOnPdf=Vis på PDF 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) diff --git a/htdocs/langs/da_DK/other.lang b/htdocs/langs/da_DK/other.lang index ccfdfb8c1ed..c13324952c4 100644 --- a/htdocs/langs/da_DK/other.lang +++ b/htdocs/langs/da_DK/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Installer eller aktiver GD bibliotek på din PHP installatio ProfIdShortDesc=Prof Id %s er en information afhængigt tredjepart land.
For eksempel, for land %s, er det kode %s. DolibarrDemo=Dolibarr ERP / CRM demo StatsByNumberOfUnits=Statistikker for summen af ​​produkter / tjenester -StatsByNumberOfEntities=Statistik i antal henvisende enheder (faktura nummer, eller rækkefølge ...) +StatsByNumberOfEntities=Statistik for antallet af henvisende enheder (antal fakturaer eller ordrer ...) NumberOfProposals=Antal forslag NumberOfCustomerOrders=Antal salgsordrer NumberOfCustomerInvoices=Antal kundefakturaer @@ -289,4 +289,4 @@ PopuProp=Produkter/tjenester efter popularitet i forslag PopuCom=Produkter/tjenester efter popularitet i ordrer ProductStatistics=Produkter / services statistik NbOfQtyInOrders=Antal i ordrer -SelectTheTypeOfObjectToAnalyze=Vælg den type objekt, der skal analyseres ... +SelectTheTypeOfObjectToAnalyze=Vælg et objekt for at se dets statistik ... diff --git a/htdocs/langs/da_DK/partnership.lang b/htdocs/langs/da_DK/partnership.lang new file mode 100644 index 00000000000..89c2f36d572 --- /dev/null +++ b/htdocs/langs/da_DK/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnerskabsledelse +PartnershipDescription = Ledelse af modulpartnerskab +PartnershipDescriptionLong= Ledelse af modulpartnerskab + +# +# Menu +# +NewPartnership = Nyt partnerskab +ListOfPartnerships = Liste over partnerskab + +# +# Admin page +# +PartnershipSetup = Partnerskabsopsætning +PartnershipAbout = Om partnerskab +PartnershipAboutPage = Partnerskab om side + + +# +# Object +# +DatePartnershipStart=Startdato +DatePartnershipEnd=Slutdato + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Udkast til +PartnershipAccepted = Accepteret +PartnershipRefused = Afvist +PartnershipCanceled = Aflyst + +PartnershipManagedFor=Partnere er diff --git a/htdocs/langs/da_DK/productbatch.lang b/htdocs/langs/da_DK/productbatch.lang index 6afb2d2fa0a..70142520648 100644 --- a/htdocs/langs/da_DK/productbatch.lang +++ b/htdocs/langs/da_DK/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serienummer %s bruges allerede til produkt %s TooManyQtyForSerialNumber=Du kan kun have et produkt %s til serienummer %s BatchLotNumberingModules=Valgmuligheder til automatisk generering af batchprodukter, der administreres af partier BatchSerialNumberingModules=Valgmuligheder til automatisk generering af batchprodukter styret af serienumre +ManageLotMask=Brugerdefineret maske CustomMasks=Tilføjer en mulighed for at definere maske på produktkortet LotProductTooltip=Tilføjer en mulighed på produktkortet for at definere en dedikeret batchnummermaske SNProductTooltip=Tilføjer en mulighed på produktkortet for at definere en dedikeret serienummermaske QtyToAddAfterBarcodeScan=Mængde, der skal tilføjes for hver stregkode / parti / seriel scannet - diff --git a/htdocs/langs/da_DK/products.lang b/htdocs/langs/da_DK/products.lang index cc6c8c9fbbf..03cbc45a71c 100644 --- a/htdocs/langs/da_DK/products.lang +++ b/htdocs/langs/da_DK/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Ydelser kun til salg ServicesOnPurchaseOnly=Ydelser kun til indkøb ServicesNotOnSell=Ydelse, der ikke er til salg og ikke kan købes ServicesOnSellAndOnBuy=Tjenester til salg og til køb -LastModifiedProductsAndServices=Seneste %s ændrede produkter / tjenester +LastModifiedProductsAndServices=Seneste %s produkter / tjenester, der blev ændret LastRecordedProducts=Seneste %s registrerede varer LastRecordedServices=Seneste %s registrerede ydelser CardProduct0=Vare @@ -73,7 +73,7 @@ SellingPrice=Salgspris SellingPriceHT=Salgspris (ekskl. moms) SellingPriceTTC=Salgspris (inkl. moms) SellingMinPriceTTC=Minimumssalgspris (inkl. Skat) -CostPriceDescription=Dette prisfelt (ekskl. Skat) kan bruges til at gemme det gennemsnitlige beløb, dette produkt koster for din virksomhed. Det kan være enhver pris, du selv beregner, for eksempel ud fra den gennemsnitlige købspris plus gennemsnitlige produktions- og distributionsomkostninger. +CostPriceDescription=Dette prisfelt (ekskl. Moms) kan bruges til at registrere det gennemsnitlige beløb, som dette produkt koster din virksomhed. Det kan være enhver pris, du selv beregner, f.eks. Ud fra den gennemsnitlige købspris plus den gennemsnitlige produktions- og distributionsomkostning. CostPriceUsage=Denne værdi kan bruges til margenberegning. SoldAmount=Solgt beløb PurchasedAmount=Købt beløb @@ -157,11 +157,11 @@ ListServiceByPopularity=Liste over tjenesteydelser efter popularitet Finished=Fremstillet vare RowMaterial=Råvare ConfirmCloneProduct=Er du sikker på at du vil klone produktet eller tjenesten %s ? -CloneContentProduct=Klon alle hovedoplysninger af produkt / service +CloneContentProduct=Klon alle de vigtigste oplysninger om produktet / tjenesten ClonePricesProduct=Klonpriser -CloneCategoriesProduct=Klon tags / kategorier knyttet -CloneCompositionProduct=Klon virtuelt produkt / service -CloneCombinationsProduct=Klon produkt varianter +CloneCategoriesProduct=Klon linkede tags / kategorier +CloneCompositionProduct=Klon virtuelle produkter / tjenester +CloneCombinationsProduct=Klon produktvarianterne ProductIsUsed=Denne vare er brugt NewRefForClone=Ref. for nye vare/ydelse SellingPrices=Salgspriser @@ -171,11 +171,11 @@ SuppliersPrices=Leverandørpriser SuppliersPricesOfProductsOrServices=Sælgerpriser (af produkter eller tjenester) CustomCode=Told | Råvare | VITA-kode CountryOrigin=Oprindelsesland -RegionStateOrigin=Region oprindelse -StateOrigin=Stat | provinsens oprindelse -Nature=Produktets art (materiale / færdig) +RegionStateOrigin=Oprindelsesregion +StateOrigin=Stat | Oprindelsesprovins +Nature=Produktets art (rå / fremstillet) NatureOfProductShort=Produktets art -NatureOfProductDesc=Råmateriale eller færdigt produkt +NatureOfProductDesc=Råmateriale eller fremstillet produkt ShortLabel=Kort etiket Unit=Enhed p=u. diff --git a/htdocs/langs/da_DK/projects.lang b/htdocs/langs/da_DK/projects.lang index 11372f112e8..cb5a36ace9a 100644 --- a/htdocs/langs/da_DK/projects.lang +++ b/htdocs/langs/da_DK/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projekt kontakter ProjectsImContactFor=Projekter, som jeg udtrykkeligt er kontaktperson for AllAllowedProjects=Alt projekt jeg kan læse (mine + offentlige) AllProjects=Alle projekter -MyProjectsDesc=Denne oversigt er begrænset til projekter, du er kontakt til +MyProjectsDesc=Denne opfattelse er begrænset til de projekter, som du er kontaktperson for ProjectsPublicDesc=Dette synspunkt præsenterer alle projekter du får lov til at læse. TasksOnProjectsPublicDesc=Denne visning præsenterer alle opgaver på projekter, som du må læse. ProjectsPublicTaskDesc=Dette synspunkt præsenterer alle projekter og opgaver, som du får lov til at læse. ProjectsDesc=Dette synspunkt præsenterer alle projekter (din brugertilladelser give dig tilladelse til at se alt). TasksOnProjectsDesc=Denne visning præsenterer alle opgaver på alle projekter (dine brugerrettigheder giver dig tilladelse til at se alt). -MyTasksDesc=Denne oversigt er begrænset til projekter eller opgaver, som du er kontakt til +MyTasksDesc=Denne opfattelse er begrænset til de projekter eller opgaver, som du er kontaktperson til OnlyOpenedProject=Kun åbne projekter er synlige (projekter i udkast eller lukket status er ikke synlige). ClosedProjectsAreHidden=Afsluttede projekter er ikke synlige. TasksPublicDesc=Dette synspunkt præsenterer alle projekter og opgaver, som du får lov til at læse. TasksDesc=Dette synspunkt præsenterer alle projekter og opgaver (din brugertilladelser give dig tilladelse til at se alt). AllTaskVisibleButEditIfYouAreAssigned=Alle opgaver for kvalificerede projekter er synlige, men du kan kun indtaste tid til opgave tildelt til den valgte bruger. Tildel opgave, hvis du skal indtaste tid på den. -OnlyYourTaskAreVisible=Kun de opgaver, der er tildelt dig, er synlige. Tildel opgaven til dig selv, hvis den ikke er synlig, og du skal indtaste tid på den. +OnlyYourTaskAreVisible=Kun opgaver, der er tildelt dig, er synlige. Hvis du har brug for at indtaste tid på en opgave, og hvis opgaven ikke er synlig her, skal du tildele opgaven til dig selv. ImportDatasetTasks=Opgaver af projekter ProjectCategories=Projektetiketter / kategorier NewProject=Nyt projekt @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Ikke tildelt opgaven NoUserAssignedToTheProject=Ingen brugere tildelt dette projekt TimeSpentBy=Tid brugt af TasksAssignedTo=Opgaver tildelt -AssignTaskToMe=Tildel opgave til mig +AssignTaskToMe=Tildel opgaven til mig selv AssignTaskToUser=Tildel opgave til %s SelectTaskToAssign=Vælg opgave for at tildele ... AssignTask=Tildel diff --git a/htdocs/langs/da_DK/recruitment.lang b/htdocs/langs/da_DK/recruitment.lang index a747076bfdd..39a926ef2f0 100644 --- a/htdocs/langs/da_DK/recruitment.lang +++ b/htdocs/langs/da_DK/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Tak for din ansøgning.
... JobClosedTextCandidateFound=Jobpositionen er lukket. Stillingen er besat. JobClosedTextCanceled=Jobpositionen er lukket. ExtrafieldsJobPosition=Supplerende attributter (jobstillinger) -ExtrafieldsCandidatures=Supplerende attributter (jobansøgninger) +ExtrafieldsApplication=Supplerende attributter (jobansøgninger) MakeOffer=Giv et tilbud diff --git a/htdocs/langs/da_DK/sendings.lang b/htdocs/langs/da_DK/sendings.lang index 4d4c7a5a07d..73afd0e084e 100644 --- a/htdocs/langs/da_DK/sendings.lang +++ b/htdocs/langs/da_DK/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Er du sikker på, at du vil bekræfte denne forsendelse m ConfirmCancelSending=Er du sikker på, at du vil annullere denne forsendelse? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Advarsel, ingen varer venter på at blive sendt. -StatsOnShipmentsOnlyValidated=Statistikker udført på forsendelser kun bekræftet. Den anvendte dato er datoen for bekræftelsen af ​​forsendelsen (planlagt leveringsdato er ikke altid kendt). +StatsOnShipmentsOnlyValidated=Statistikker gælder kun for validerede forsendelser. Den anvendte dato er datoen for validering af forsendelsen (planlagt leveringsdato er ikke altid kendt) DateDeliveryPlanned=Planlagt leveringsdato RefDeliveryReceipt=Ref leveringskvittering StatusReceipt=Status leveringskvittering diff --git a/htdocs/langs/da_DK/stocks.lang b/htdocs/langs/da_DK/stocks.lang index c6fecc6ad3c..a37ee2ad5bd 100644 --- a/htdocs/langs/da_DK/stocks.lang +++ b/htdocs/langs/da_DK/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Ingen foruddefinerede produkter for dette objekt. DispatchVerb=Forsendelse StockLimitShort=Begræns for advarsel StockLimit=Lagergrænse for advarsel -StockLimitDesc=(tom) betyder ingen advarsel.
0 kan bruges til en advarsel, så snart lageret er tomt. +StockLimitDesc=(tom) betyder ingen advarsel.
0 kan bruges til at udløse en advarsel, så snart bestanden er tom. PhysicalStock=Fysisk materiel RealStock=Real Stock RealStockDesc=Fysisk / reel materiel er den aktuel lager i lageret. diff --git a/htdocs/langs/da_DK/users.lang b/htdocs/langs/da_DK/users.lang index 80587a6b21c..f821ca3f25a 100644 --- a/htdocs/langs/da_DK/users.lang +++ b/htdocs/langs/da_DK/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Adgangskode ændret til: %s SubjectNewPassword=Din nye adgangskode for %s GroupRights=Gruppetilladelser UserRights=Brugertilladelser +Credentials=Legitimationsoplysninger UserGUISetup=Bruger Opsætning af display DisableUser=Deaktiver DisableAUser=Deaktiver en bruger @@ -115,7 +116,7 @@ DateOfEmployment=Ansættelsesdato DateEmployment=Beskæftigelse DateEmploymentstart=Ansættelsesstartdato DateEmploymentEnd=Ansættelses slutdato -RangeOfLoginValidity=Datointerval for login-gyldighed +RangeOfLoginValidity=Adgang til gyldighedsdatointerval CantDisableYourself=Du kan ikke deaktivere din egen brugerpost ForceUserExpenseValidator=Tving udgiftsrapportvalidering ForceUserHolidayValidator=Tving orlov anmodning validator diff --git a/htdocs/langs/da_DK/website.lang b/htdocs/langs/da_DK/website.lang index 3b1a9613f32..2d3cc4092de 100644 --- a/htdocs/langs/da_DK/website.lang +++ b/htdocs/langs/da_DK/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Definer liste over alle tilgængelig GenerateSitemaps=Generer webstedets sitemapfil ConfirmGenerateSitemaps=Hvis du bekræfter, sletter du den eksisterende sitemapfil ... ConfirmSitemapsCreation=Bekræft generering af sitemap -SitemapGenerated=Sitemap genereret +SitemapGenerated=Sitemap-fil %s genereret ImportFavicon=Favicon ErrorFaviconType=Favicon skal være png -ErrorFaviconSize=Favicon skal være i størrelse 32x32 -FaviconTooltip=Upload et billede, der skal være en png på 32x32 +ErrorFaviconSize=Favicon skal have en størrelse på 16x16, 32x32 eller 64x64 +FaviconTooltip=Upload et billede, der skal være et png (16x16, 32x32 eller 64x64) diff --git a/htdocs/langs/de_AT/accountancy.lang b/htdocs/langs/de_AT/accountancy.lang index f2d0909a71e..14639999065 100644 --- a/htdocs/langs/de_AT/accountancy.lang +++ b/htdocs/langs/de_AT/accountancy.lang @@ -1,2 +1,3 @@ # Dolibarr language file - Source file is en_US - accountancy MenuBankAccounts=Kontonummern +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/de_AT/admin.lang b/htdocs/langs/de_AT/admin.lang index 07388acbb52..34368689cf1 100644 --- a/htdocs/langs/de_AT/admin.lang +++ b/htdocs/langs/de_AT/admin.lang @@ -128,7 +128,6 @@ SummaryConst=Liste aller Systemeinstellungen Skin=Oberfläche DefaultSkin=Standardoberfläche CompanyCurrency=Firmenwährung -ShowBugTrackLink=Show link "%s" WatermarkOnDraftInvoices=Wasserzeichen auf Rechnungsentwürfen (alle, falls leer) WatermarkOnDraftProposal=Wasserzeichen für Angebotsentwürfe (alle, falls leer) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Fragen Sie nach dem Bestimmungsort des Bankkontos der Bestellung @@ -162,3 +161,4 @@ AtLeastOneDefaultBankAccountMandatory=Es muss mindestens 1 Standardbankkonto def RESTRICT_ON_IP=Erlauben Sie nur den Zugriff auf eine Host-IP (Platzhalter nicht zulässig, verwenden Sie Leerzeichen zwischen den Werten). Leer bedeutet, dass jeder Host darauf zugreifen kann. FeatureNotAvailableWithReceptionModule=Funktion nicht verfügbar, wenn das Modul Empfang aktiviert ist EmailTemplate=Vorlage für E-Mail +YouShouldDisablePHPFunctions=PHP Funktionen sollten deaktiviert werden diff --git a/htdocs/langs/de_AT/banks.lang b/htdocs/langs/de_AT/banks.lang index 6609e442c20..c52d81ff029 100644 --- a/htdocs/langs/de_AT/banks.lang +++ b/htdocs/langs/de_AT/banks.lang @@ -25,4 +25,3 @@ BankType2=Kassa IncludeClosedAccount=Geschlossene konten miteinbeziehen StatusAccountClosed=geschlossen ShowCheckReceipt=Zeige überprüfen Einzahlungsbeleg -Graph=Grafik diff --git a/htdocs/langs/de_AT/cron.lang b/htdocs/langs/de_AT/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/de_AT/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/de_AT/errors.lang b/htdocs/langs/de_AT/errors.lang index c20def2a8d4..ededba208c4 100644 --- a/htdocs/langs/de_AT/errors.lang +++ b/htdocs/langs/de_AT/errors.lang @@ -1,5 +1,4 @@ # Dolibarr language file - Source file is en_US - errors -ErrorBadUrl=Url %s ist ungültig ErrorRecordNotFound=Eintrag nicht gefunden. ErrorCashAccountAcceptsOnlyCashMoney=Dies ist ein Bargeldkonto (Kassa) und akzeptiert deshalb nur Bargeldtransaktionen. ErrorCustomerCodeAlreadyUsed=Diese Kunden Nr. ist bereits vergeben. diff --git a/htdocs/langs/de_AT/members.lang b/htdocs/langs/de_AT/members.lang index 071f33fcbff..ec6b12364cc 100644 --- a/htdocs/langs/de_AT/members.lang +++ b/htdocs/langs/de_AT/members.lang @@ -3,7 +3,6 @@ SetLinkToUser=Mit Benutzer verknüpfen SetLinkToThirdParty=Mit Partner verknüpfen DateSubscription=Abonnierungsdatum DateEndSubscription=Abonnementauslaufdatum -EndSubscription=Abonnementende SubscriptionId=Abonnement ID MemberId=Mitglieds ID MemberTypeId=Mitgliedsart ID @@ -13,7 +12,5 @@ MemberStatusNoSubscriptionShort=Bestätigt SubscriptionEndDate=Abonnementauslaufdatum SubscriptionLate=Versätet NewMemberType=Neues Mitgliedsrt -Physical=Physisch -Moral=Rechtlich Filehtpasswd=htpasswd-Datei HTPasswordExport=htpassword-Dateierstellung diff --git a/htdocs/langs/de_AT/modulebuilder.lang b/htdocs/langs/de_AT/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/de_AT/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/de_AT/partnership.lang b/htdocs/langs/de_AT/partnership.lang new file mode 100644 index 00000000000..220377a2df5 --- /dev/null +++ b/htdocs/langs/de_AT/partnership.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - partnership +DatePartnershipStart=Start-Datum +DatePartnershipEnd=End-Datum diff --git a/htdocs/langs/de_CH/accountancy.lang b/htdocs/langs/de_CH/accountancy.lang index d98030ee805..dabeea01078 100644 --- a/htdocs/langs/de_CH/accountancy.lang +++ b/htdocs/langs/de_CH/accountancy.lang @@ -196,7 +196,6 @@ NoNewRecordSaved=Es gibt keine weiteren Einträge zu journalisieren. ListOfProductsWithoutAccountingAccount=Produkte ohne Verknüpfung zu einem Buchhaltungskonto ChangeBinding=Verknüpfung ändern Accounted=Im Hauptbuch eingetragen -NotYetAccounted=Nicht im Hauptbuch eingetragen. ShowTutorial=Zeige die Anleitung NotReconciled=Nicht ausgeglichen ApplyMassCategories=Massenänderung Kategorien diff --git a/htdocs/langs/de_CH/banks.lang b/htdocs/langs/de_CH/banks.lang index 68eae87b2c8..1c2e273a50d 100644 --- a/htdocs/langs/de_CH/banks.lang +++ b/htdocs/langs/de_CH/banks.lang @@ -47,11 +47,10 @@ BankLineConciliated=Transaktion mit Bankbeleg ausgeglichen Reconciled=Ausgeglichen SupplierInvoicePayment=Lieferantenzahlung MenuBankInternalTransfer=Kontoübertrag -TransferDesc=Das ist ein interner Transfer zwischen zwei Konten. Dolibarr schreibt zwei Transaktionen über den selben Betrag vom Haben zum Sollkonto. Datum und Bezeichner sind auch gleich. TransferFrom=Von TransferTo=An +CheckTransmitter=Absender ValidateCheckReceipt=Chequebeleg genehmigen? -ConfirmValidateCheckReceipt=Bist du sicher, dass du diesen Beleg frei geben willst? Danach kannst du an der Transaktion nichts mehr ändern. DeleteCheckReceipt=Chequebeleg löschen? ConfirmDeleteCheckReceipt=Bist du sicher, dass du diesen Cheque löschen willst? BankChecksToReceipt=Checks die auf Einlösung warten @@ -64,7 +63,6 @@ PaymentDateUpdateSucceeded=Zahlungsdatum erfolgreich aktualisiert BankTransactionLine=Transaktion AllAccounts=Alle Bank- und Barkonten FutureTransaction=Diese zukünftige Transaktion kann ich nicht ausgleichen -SelectChequeTransactionAndGenerate=Wähle oder filtere die Cheques, die du in der Scheckeinreichung drin haben willst. Dann klicke auf "Erstellen" InputReceiptNumber=Wählen Sie den Kontoauszug der mit der Zahlungs übereinstimmt. Verwenden Sie einen sortierbaren numerischen Wert: YYYYMM oder YYYYMMDD EventualyAddCategory=Wenn möglich Kategorie angeben, worin die Daten eingeordnet werden ToConciliate=Auszugleichen ? diff --git a/htdocs/langs/de_CH/boxes.lang b/htdocs/langs/de_CH/boxes.lang index 1170e06a180..95018f3b6c2 100644 --- a/htdocs/langs/de_CH/boxes.lang +++ b/htdocs/langs/de_CH/boxes.lang @@ -30,11 +30,6 @@ BoxTitleSupplierOrdersAwaitingReception=Ausstehende Lieferanten - Lieferungen BoxTitleLastModifiedContacts=%s zuletzt bearbeitete Kontakte/Adressen BoxLastExpiredServices=%s älteste Kontakte mit aktiven abgelaufenen Leistungen BoxTitleLastActionsToDo=%s neueste Aktionen zu erledigen -BoxTitleLastContracts=%s neueste Verträge -BoxTitleLastModifiedDonations=%s zuletzt geänderte Spenden -BoxTitleLastModifiedExpenses=%s zuletzt bearbeitete Spesenabrechnungen -BoxTitleLatestModifiedBoms=Die neuesten %s geänderten Materiallisten (BOMs) -BoxTitleLatestModifiedMos=Die neuesten %s geänderten Fertigungsaufträge BoxGoodCustomers=Guter Kunde LastRefreshDate=Datum der letzten Aktualisierung NoRecordedBookmarks=Keine Lesezeichen gesetzt. Klicken Sie hier, um ein Lesezeichen zu setzen. diff --git a/htdocs/langs/de_CH/categories.lang b/htdocs/langs/de_CH/categories.lang index cebc3c2b78a..6216e7dae10 100644 --- a/htdocs/langs/de_CH/categories.lang +++ b/htdocs/langs/de_CH/categories.lang @@ -3,17 +3,9 @@ Rubrique=Schlagwort / Kategorie Rubriques=Schlagworte / Kategorien RubriquesTransactions=Schlagworte / Kategorien der Transaktionen categories=Schlagworte / Kategorien -NoCategoryYet=Es gibt kein Schlagwort und keine Kategorie dieser Art. AddIn=Einfügen in Classify=Einstufen CategoriesArea=Schlagwörter / Kategorien -ProductsCategoriesArea=Schlagwörter / Kategorien für Produkte und Dienstleistungen -SuppliersCategoriesArea=Bereich für Lieferanten-Tags / Kategorien -CustomersCategoriesArea=Schlagwörter / Kategorien für Kunden -MembersCategoriesArea=Schlagwörter / Kategorien für Mitglieder -ContactsCategoriesArea=Schlagwörter / Kategorien für Kontakte -ProjectsCategoriesArea=Schlagwörter / Kategorien für Projekte -UsersCategoriesArea=Benutzerschlagworte und -kategorien SubCats=Unterkategorien CatList=Liste der Schlagwörter / Kategorien NewCategory=Neues Schlagwort / Neue Kategorie diff --git a/htdocs/langs/de_CH/companies.lang b/htdocs/langs/de_CH/companies.lang index 3bca2038541..da19a47dffb 100644 --- a/htdocs/langs/de_CH/companies.lang +++ b/htdocs/langs/de_CH/companies.lang @@ -1,8 +1,6 @@ # Dolibarr language file - Source file is en_US - companies ErrorSetACountryFirst=Wähle zuerst das Land SelectThirdParty=Wähle einen Geschäftspartner -ConfirmDeleteCompany=Willst du diesen Geschäftspartner und alle damit verbundenen Informationen wirklich löschen? -ConfirmDeleteContact=Willst du diesen Kontakt und alle damit verbundenen Informationen wirklich löschen? MenuNewThirdParty=Erzeuge Geschäftspartner MenuNewCustomer=Erzeuge Kunde MenuNewSupplier=Neuer Lieferant @@ -31,11 +29,9 @@ StateCode=Kanton Region-State=Land / Region CountryCode=Ländercode PhoneShort=Telefon -PhonePro=Telefon berufl. PhonePerso=Telefon privat PhoneMobile=Mobiltelefon No_Email=E-Mail kampagnen ablehnen -DefaultLang=Standardsprache VATIsUsed=MWST - pflichtig VATIsUsedWhenSelling=Gib hier an, ob der Geschäftspartner MWST - Steuerpflichtig ist. VATIsNotUsed=Nicht MWST - pflichtig @@ -127,7 +123,6 @@ CustomerCodeDesc=Kundennummer, eindeutig für jeden Kunden SupplierCodeDesc=Lieferantennummer, eindeutig für jeden Lieferanten RequiredIfCustomer=Erforderlich falls Geschäftspartner Kunde oder Interessent ist RequiredIfSupplier=Erforderlich, wenn der Partner Lieferant ist -ValidityControledByModule=Durch Modul validiert ListOfThirdParties=Liste der Geschäftspartner ContactsAllShort=Alle (Kein Filter) ContactForOrdersOrShipments=Bestellungs- oder Lieferkontakt @@ -175,7 +170,6 @@ FiscalMonthStart=Ab Monat des Geschäftsjahres YouMustAssignUserMailFirst=Für E-Mail - Benachrichtigung hinterlegst du bitte zuerst eine E-Mail Adresse im Benutzerprofil. YouMustCreateContactFirst=Sie müssen erst E-Mail-Kontakte beim Geschäftspartner anlegen, um E-Mail-Benachrichtigungen hinzufügen zu können. ListCustomersShort=Kundenliste -UniqueThirdParties=Anzahl Geschäftspartner InActivity=Offen ActivityCeased=Inaktiv ThirdPartyIsClosed=Der Partner ist inaktiv. @@ -183,7 +177,6 @@ OutstandingBillReached=Kreditlimit erreicht OrderMinAmount=Mindestbestellmenge MergeOriginThirdparty=Geschäftspartner duplizieren (Geschäftspartner, den Sie löschen möchten) MergeThirdparties=Zusammenführen von Geschäftspartnern -ConfirmMergeThirdparties=Willst du diesen Partner wirklich mit dem aktuellen Verbinden?\nAlle verknüpften Objekte werden dabei übernommen und dann der gewählte Partner gelöscht. ThirdpartiesMergeSuccess=Ich habe die Partner erfolgreich zusammengeführt. SaleRepresentativeLogin=Login des Verkaufsmitarbeiters SaleRepresentativeFirstname=Vorname des Vertreters diff --git a/htdocs/langs/de_CH/errors.lang b/htdocs/langs/de_CH/errors.lang index aa7f34b7ea1..0e1ae0d6668 100644 --- a/htdocs/langs/de_CH/errors.lang +++ b/htdocs/langs/de_CH/errors.lang @@ -1,5 +1,4 @@ # Dolibarr language file - Source file is en_US - errors -ErrorBadEMail=E-Mail%s ist nicht korrekt. ErrorBadValueForParamNotAString=Ungültiger Wert für ihre Parameter. Das passiert normalerweise, wenn die Übersetzung fehlt. ErrorFailToCopyDir=Konnte das Verzeichnis '%s' nicht nach '%s' kopieren. ErrorFailToRenameFile=Konnte die Datei '%s' nicht in '%s' umzubenennen. @@ -14,8 +13,6 @@ ErrorSupplierCodeRequired=Lieferanten-Nr. erforderlich ErrorSupplierCodeAlreadyUsed=Diese Lieferanten Nr. ist bereits vergeben. ErrorBadValueForParameter=Ungültiger Wert '%s' für Parameter '%s' ErrorUserCannotBeDelete=Ich kann diesen Benutzer nicht löschen... Vieleicht ist er noch mit anderen Dolibarr - Objekten verknüpft? -ErrorFieldsRequired=Ein oder mehrere erforderliche Felder wurden nicht ausgefüllt- -ErrorSubjectIsRequired=Bitte gib einen E-Mail - Betreff an. ErrorFileSizeTooLarge=Die Grösse der gewählten Datei übersteigt den zulässigen Maximalwert. ErrorSizeTooLongForIntType=Die Grösse überschreitet das Maximum für den Typ 'int' (%s Ziffern maximal) ErrorSizeTooLongForVarcharType=Die Grösse überschreitet das Maximum für den Typ 'string' (%s Zeichen maximal) diff --git a/htdocs/langs/de_CH/mails.lang b/htdocs/langs/de_CH/mails.lang index b279747d723..27833290138 100644 --- a/htdocs/langs/de_CH/mails.lang +++ b/htdocs/langs/de_CH/mails.lang @@ -26,9 +26,11 @@ MailingNeedCommand2=Sie können den Versand jedoch auch online starten, indem Si LimitSendingEmailing=Hinweis: Aus Sicherheits- und Zeitüberschreitungsgründen ist der Online-Versand von E-Mails auf %s Empfänger je Sitzung beschränkt. ToAddRecipientsChooseHere=Fügen Sie Empfänger über die Listenauswahl hinzu NbOfEMailingsSend=E-Mail-Kampagne versandt +TagCheckMail=Öffnen der Mail verfolgen TagUnsubscribe=Abmelde Link NoEmailSentBadSenderOrRecipientEmail=Kein E-Mail gesendet. Ungültige Absender oder Empfänger Adresse. Benutzerprofil kontrollieren. MailSendSetupIs2=Sie müssen zuerst mit einem Admin-Konto im Menü %sStart - Einstellungen - EMails%s den Parameter '%s' auf den Modus '%s' ändern. Dann können Sie die Daten des SMTP-Servers von Ihrem Internetdienstanbieter eingeben und die E-Mail-Kampagnen-Funktion nutzen. +YouCanAlsoUseSupervisorKeyword=Sie können auch das Schlüsselwort __SUPERVISOREMAIL__ um E-Mail haben, die an den Vorgesetzten des Benutzers gesendet hinzufügen (funktioniert nur, wenn eine E-Mail für dieses Supervisor definiert) MailAdvTargetRecipients=Empfänger (Erweiterte Selektion) AdvTgtSearchIntHelp=Intervall verwenden um den Zahlenwert auszuwählen AdvTgtMinVal=Minimalwert diff --git a/htdocs/langs/de_CH/main.lang b/htdocs/langs/de_CH/main.lang index 0cc93b38bf1..38c206b7ed4 100644 --- a/htdocs/langs/de_CH/main.lang +++ b/htdocs/langs/de_CH/main.lang @@ -87,7 +87,6 @@ Resiliate=Abschliessen ValidateAndApprove=Freigeben und bestätigen NotValidated=Nicht validiert SaveAndStay=Speichern -ConfirmClone=Wähle die Daten zum Duplizieren aus. Hide=Verbergen Valid=Freigabe Upload=Hochladen @@ -118,8 +117,6 @@ Morning=Morgen Afternoon=Nachmittag MinuteShort=min CurrencyRate=Wechselkurs -UserAuthor=Erstellt von -UserModif=Zuletzt geändert durch DefaultValues=Standardwerte PriceCurrency=Währung UnitPriceHTCurrency=Nettopreis @@ -270,7 +267,6 @@ SelectTargetUser=Wähle den Benutzer / Mitarbeiter SaveUploadedFileWithMask=Datei auf dem Server speichern mit dem Namen "%s" (oder "%s") OriginFileName=Original Dateiname ShowMoreLines=Mehr oder weniger Positionen anzeigen -SelectElementAndClick=Wähle etwas aus und klicke dann auf %s ShowTransaction=Zeige die Transaktion auf dem zugehörigen Bankkonto. ShowIntervention=Zeige Kundeneinsatz GoIntoSetupToChangeLogo=Gehen Sie zu "Start - Einstellungen - Firma / Organisation" um das Logo zu ändern. Gehen Sie zu "Start -> Einstellungen -> Anzeige" um es zu verstecken. diff --git a/htdocs/langs/de_CH/members.lang b/htdocs/langs/de_CH/members.lang index a7d6c581920..bc1bcfb7765 100644 --- a/htdocs/langs/de_CH/members.lang +++ b/htdocs/langs/de_CH/members.lang @@ -13,7 +13,6 @@ MembersListToValid=Liste der zu verifizierenden Mitglieder MembersListValid=Liste der verifizierten Mitglieder DateSubscription=Start des Abonnements DateEndSubscription=Ende des Abonnements -EndSubscription=Abo-Ende SubscriptionId=Abo-ID MemberId=Mitgliedernummer MemberType=Mitgliederart @@ -70,9 +69,7 @@ MembersStatisticsByRegion=Mitgliederstatistik nach Region NoValidatedMemberYet=Keine verifizierten Mitglieder gefunden LatestSubscriptionDate=Enddatum des Abonnementes NewMemberbyWeb=Neues Mitglied wurde hinzugefügt. Warten auf Genehmigung -SubscriptionsStatistics=Statistiken zu Abonnements NbOfSubscriptions=Anzahl der Abonnements -AmountOfSubscriptions=Anzahl der Abonnements SubscriptionRecorded=Abo erfasst SendReminderForExpiredSubscriptionTitle=Erinnerung per E-Mail senden, wenn das Abonnement abgelaufen ist SendReminderForExpiredSubscription=Erinnerung per E-Mail an Mitglieder senden, wenn das Abonnement abläuft (Parameter ist die Anzahl der Tage vor dem Ende des Abonnements, um die Erinnerung zu senden. Dies kann eine durch ein Semikolon getrennte Liste von Tagen sein, z. B. '10; 5; 0; -5') diff --git a/htdocs/langs/de_CH/modulebuilder.lang b/htdocs/langs/de_CH/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/de_CH/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/de_CH/partnership.lang b/htdocs/langs/de_CH/partnership.lang new file mode 100644 index 00000000000..12da41cb2ac --- /dev/null +++ b/htdocs/langs/de_CH/partnership.lang @@ -0,0 +1,5 @@ +# Dolibarr language file - Source file is en_US - partnership +DatePartnershipStart=Ferienbeginn +DatePartnershipEnd=Ferienende +PartnershipAccepted =Akzeptiert +PartnershipCanceled =widerrufen diff --git a/htdocs/langs/de_CH/products.lang b/htdocs/langs/de_CH/products.lang index fe068de6eeb..dda8a451ab4 100644 --- a/htdocs/langs/de_CH/products.lang +++ b/htdocs/langs/de_CH/products.lang @@ -27,10 +27,8 @@ AppliedPricesFrom=Angelegt von SellingPriceHT=Verkaufspreis (exkl. MWST) SellingPriceTTC=Verkaufspreis (inkl. MwSt.) SellingMinPriceTTC=Mindestverkaufspreis (inkl. MWST) -CostPriceDescription=In dieses Feld kannst du deinen freien Durchschnittspreis dieses Produktes eintragen.\nZum Beispiel den durchschnittlichen EP plus deine Verarbeitungs und Vertriebskosten. CostPriceUsage=Dieser Wert hilft bei der Margenbestimmung PurchasedAmount=Eingekaufte Menge -MinPrice=Mind. VP EditSellingPriceLabel=Preisschild anpassen CantBeLessThanMinPrice=Der Verkaufspreis darf den Mindestpreis für dieses Produkt (%s ohne MwSt.) nicht unterschreiten. Diese Meldung kann auch angezeigt werden, wenn Sie einen zu hohen Rabatt geben. SupplierRef=Verkäufer SKU (Artikelnummer) @@ -53,11 +51,7 @@ PredefinedProductsAndServicesToSell=Vordefinierte Produkte/Leistungen für Verka PredefinedProductsToPurchase=Vordefinierte Einkaufs-Produkte PredefinedProductsAndServicesToPurchase=Vordefinierte Produkte / Dienstleistungen für den Einkauf ConfirmCloneProduct=Bist du sicher, dass du diese Position %s duplizieren willst? -CloneContentProduct=Übernehme alle Informationen ClonePricesProduct=Übernehme alle Preise -CloneCategoriesProduct=Übernehme Schlagwörter und Kategorien -CloneCompositionProduct=Übernehme Pakete -CloneCombinationsProduct=Übernehme Produktvarianten NewRefForClone=Artikel-Nr. des neuen Produkts/Leistungen SellingPrices=Verkaufspreise BuyingPrices=Einkaufspreise diff --git a/htdocs/langs/de_CH/sendings.lang b/htdocs/langs/de_CH/sendings.lang index e03dac2f60c..6e6059aa568 100644 --- a/htdocs/langs/de_CH/sendings.lang +++ b/htdocs/langs/de_CH/sendings.lang @@ -8,7 +8,6 @@ StatusSendingProcessed=Verarbeitete StatusSendingProcessedShort=Fertig SendingSheet=Auslieferungen WarningNoQtyLeftToSend=Achtung, keine Produkte für den Versand -StatsOnShipmentsOnlyValidated=Versandstatistik (nur Freigegebene). Das Datum ist das der Freigabe (geplantes Lieferdatum ist nicht immer bekannt). ClassifyReception=Lieferung klassifizieren ProductQtyInShipmentAlreadySent=Bereits verschickte Artikel dieser Bestellung DocumentModelTyphon=Vollständig Dokumentvorlage für die Lieferungscheine (Logo, ...) diff --git a/htdocs/langs/de_CH/users.lang b/htdocs/langs/de_CH/users.lang index 9f4f080f55d..02a05cfdc2c 100644 --- a/htdocs/langs/de_CH/users.lang +++ b/htdocs/langs/de_CH/users.lang @@ -34,7 +34,6 @@ NameToCreate=Name des neuen Geschäftspartners NbOfUsers=Anz. Benutzer UseTypeFieldToChange=Nutzen sie das Feld "Typ" zum ändern WeeklyHours=Geleistete Stunden pro Woche -ExpectedWorkedHours=Erwartete Stunden pro Woche DisabledInMonoUserMode=Im Wartungsmodus deaktiviert UserAccountancyCode=Buchhaltungskonto zum Benutzer DateEmploymentstart=Datum der Anstellung diff --git a/htdocs/langs/de_DE/accountancy.lang b/htdocs/langs/de_DE/accountancy.lang index a3725e98324..8ea9181e11e 100644 --- a/htdocs/langs/de_DE/accountancy.lang +++ b/htdocs/langs/de_DE/accountancy.lang @@ -202,14 +202,14 @@ Docref=Referenz LabelAccount=Konto-Beschriftung LabelOperation=Bezeichnung der Operation Sens=Richtung -AccountingDirectionHelp=Verwenden Sie für ein Buchhaltungskonto eines Kunden «Guthaben», um eine Zahlung zu erfassen, die Sie erhalten haben.
Verwenden Sie für ein Buchhaltungskonto eines Lieferanten «Debit», um eine von Ihnen geleistete Zahlung zu erfassen +AccountingDirectionHelp=Verwenden Sie für ein Buchhaltungskonto eines Kunden Guthaben, um eine Zahlung zu erfassen, die Sie erhalten haben.
Verwenden Sie für ein Buchhaltungskonto eines Lieferanten Debit, um eine von Ihnen geleistete Zahlung zu erfassen LetteringCode=Beschriftungscode Lettering=Beschriftung Codejournal=Journal JournalLabel=Journal-Bezeichnung NumPiece=Teilenummer TransactionNumShort=Anz. Buchungen -AccountingCategory=Custom group +AccountingCategory=Benutzerdefinierte Gruppe GroupByAccountAccounting=Gruppieren nach Hauptbuchkonto GroupBySubAccountAccounting=Gruppieren nach Nebenbuchkonto AccountingAccountGroupsDesc=Hier können Kontengruppen definiert werden. Diese werden für personaliserte Buchhaltungsreports verwendet. @@ -297,7 +297,7 @@ NoNewRecordSaved=Keine weiteren Einträge zum Übernehmen ListOfProductsWithoutAccountingAccount=Liste der Produkte, die nicht an ein Buchhaltungskonto gebunden sind ChangeBinding=Ändern der Zuordnung Accounted=im Hauptbuch erfasst -NotYetAccounted=noch nicht im Hauptbuch erfasst +NotYetAccounted=Noch nicht im Hauptbuch verbucht ShowTutorial=Tutorial anzeigen NotReconciled=nicht ausgeglichen WarningRecordWithoutSubledgerAreExcluded=Achtung, alle Vorgänge ohne definiertes Nebenbuchkonto werden gefiltert und von dieser Ansicht ausgeschlossen @@ -402,29 +402,29 @@ UseMenuToSetBindindManualy=Zeilen noch nicht zugeordnet, verwende das Menu %s
entfernen oder umbennen, falls vorha RestoreLock=Stellen Sie die Datei %s mit ausschließlicher Leseberechtigung wieder her, um die Benutzung des Installations-/Update-Tools zu deaktivieren. SecuritySetup=Sicherheitseinstellungen PHPSetup=PHP-Einstellungen +OSSetup=Betriebssystem-Einstellungen SecurityFilesDesc=Sicherheitseinstellungen für Dateiupload festlegen ErrorModuleRequirePHPVersion=Fehler: Dieses Modul benötigt die PHP Version %s oder höher ErrorModuleRequireDolibarrVersion=Fehler: Dieses Moduls benötigt die Dolibarr Version %s oder höher @@ -813,8 +814,8 @@ PermissionAdvanced253=Andere interne/externe Benutzer und Gruppen erstellen/bear Permission254=Nur externe Benutzer erstellen/bearbeiten Permission255=Andere Passwörter ändern Permission256=Andere Benutzer löschen oder deaktivieren -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
Not effective for projects (only rules on project permissions, visibility and assignment matters). +Permission262=Erweitern Sie den Zugriff auf alle Drittanbieter UND deren Objekte (nicht nur auf Drittanbieter, für die der Benutzer ein Verkaufsvertreter ist).
Nicht wirksam für externe Benutzer (bei Vorschlägen, Bestellungen, Rechnungen, Verträgen usw. immer auf sich selbst beschränkt).
Nicht wirksam für Projekte (nur Regeln zu Projektberechtigungen, Sichtbarkeit und Zuweisung). +Permission263=Erweitern Sie den Zugriff auf alle Drittanbieter OHNE ihre Objekte (nicht nur auf Drittanbieter, für die der Benutzer ein Verkaufsvertreter ist).
Nicht wirksam für externe Benutzer (bei Vorschlägen, Bestellungen, Rechnungen, Verträgen usw. immer auf sich selbst beschränkt).
Nicht wirksam für Projekte (nur Regeln zu Projektberechtigungen, Sichtbarkeit und Zuweisung). Permission271=Read CA Permission272=Rechnungen anzeigen Permission273=Ausgabe Rechnungen @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Nicht vorschlagen / anzeigen NoActiveBankAccountDefined=Keine aktiven Finanzkonten definiert OwnerOfBankAccount=Kontoinhaber %s BankModuleNotActive=Finanzkontenmodul nicht aktiv -ShowBugTrackLink=Zeige Link %s +ShowBugTrackLink=Definieren Sie den Link " %s " (leer, um diesen Link nicht anzuzeigen, 'github' für den Link zum Dolibarr-Projekt oder definieren Sie direkt eine URL 'https: // ...') Alerts=Benachrichtigungen DelaysOfToleranceBeforeWarning=Verzögerung, bevor eine Warnmeldung angezeigt wird für: DelaysOfToleranceDesc=Stellen Sie die Verzögerung ein, bevor ein Warnsymbol %s für das späte Element auf dem Bildschirm angezeigt wird. @@ -1184,8 +1185,8 @@ SetupDescription2=Die folgenden zwei Punkte sind obligatorisch: SetupDescription3=
%s -> %s

Grundlegende Parameter zum Anpassen des Standardverhaltens Ihrer Anwendung (z. B. für länderbezogene Funktionen). SetupDescription4= %s -> %s

Diese Software ist eine Suite vieler Module / Anwendungen. Die auf Ihre Bedürfnisse bezogenen Module müssen aktiviert und konfiguriert sein. Menüeinträge werden mit der Aktivierung dieser Module angezeigt. SetupDescription5=Andere Setup-Menüs verwalten optionale Parameter. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s +AuditedSecurityEvents=Sicherheitsereignisse, die überwacht werden +NoSecurityEventsAreAduited=Es werden keine Sicherheitsereignisse überwacht. Sie können sie über das Menü %s aktivieren Audit=Protokoll InfoDolibarr=Über Dolibarr InfoBrowser=Über Ihren Webbrowser @@ -1253,7 +1254,8 @@ RunningUpdateProcessMayBeRequired=Eine Systemaktualisierung scheint erforderlich YouMustRunCommandFromCommandLineAfterLoginToUser=Diesen Befehl müssen Sie auf der Kommandozeile (nach Login auf der Shell mit Benutzer %s) ausführen. YourPHPDoesNotHaveSSLSupport=Ihre PHP-Konfiguration unterstützt keine SSL-Verschlüsselung DownloadMoreSkins=Weitere grafische Oberflächen herunterladen -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefModelDesc=Gibt die Referenznummer im Format %syymm-nnnn zurück, wobei yy das Jahr, mm der Monat und nnnn eine fortlaufende automatisch inkrementierende Nummer ohne Zurücksetzen ist +SimpleNumRefNoDateModelDesc=Gibt die Referenznummer im Format %s-nnnn zurück, wobei nnnn eine fortlaufende automatisch inkrementierende Nummer ohne Zurücksetzen ist ShowProfIdInAddress=Erweiterte Kundendaten im Adressfeld anzeigen ShowVATIntaInAddress=Umsatzsteuer-ID im Adressfeld ausblenden TranslationUncomplete=Teilweise Übersetzung @@ -1751,7 +1753,7 @@ CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Lassen Sie das Kontrollkästchen "Zahlung au ##### Agenda ##### AgendaSetup=Aufgaben/Termine-Modul Einstellungen PasswordTogetVCalExport=Passwort für den VCal-Export -SecurityKey = Security Key +SecurityKey = Sicherheitsschlüssel PastDelayVCalExport=Keine Termine exportieren die älter sind als AGENDA_USE_EVENT_TYPE=Verwenden Ereignissarten \nEinstellen unter (Start -> Einstellungen -> Wörterbücher -> Ereignissarten) AGENDA_USE_EVENT_TYPE_DEFAULT=Diesen Standardwert automatisch als Ereignistyp im Ereignis Erstell-Formular verwenden. @@ -1979,7 +1981,7 @@ MAIN_PDF_MARGIN_BOTTOM=Unterer Rand im PDF MAIN_DOCUMENTS_LOGO_HEIGHT=Höhe des Logos im PDF NothingToSetup=Dieses Modul benötigt keine speziellen Einstellungen. SetToYesIfGroupIsComputationOfOtherGroups=Setzen Sie dieses Fehld auf Ja, wenn diese Gruppe eine Berechnung von anderen Gruppen ist -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
For example:
CODEGRP1+CODEGRP2 +EnterCalculationRuleIfPreviousFieldIsYes=Geben Sie die Berechnungsregel ein, wenn das vorherige Feld auf Ja gesetzt wurde.
Zum Beispiel:
CODEGRP1 + CODEGRP2 SeveralLangugeVariatFound=Mehrere Sprachvarianten gefunden RemoveSpecialChars=Sonderzeichen entfernen COMPANY_AQUARIUM_CLEAN_REGEX=Regexfilter um die Werte zu Bereinigen (COMPANY_AQUARIUM_CLEAN_REGEX) @@ -2062,11 +2064,11 @@ 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=Modul %s is aktiviert und verlangsamt die Overfläche -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) +ModuleActivatedWithTooHighLogLevel=Das Modul %s wird mit einer zu hohen Protokollierungsstufe aktiviert (versuchen Sie, eine niedrigere Stufe für bessere Leistung und Sicherheit zu verwenden). +ModuleSyslogActivatedButLevelNotTooVerbose=Das Modul %s ist aktiviert und die Protokollstufe (%s) ist korrekt (nicht zu ausführlich). IfYouAreOnAProductionSetThis=Wenn Sie sich in einer Produktionsumgebung befinden, sollten Sie diese Eigenschaft auf %s setzen. AntivirusEnabledOnUpload=Antivirus für hochgeladene Dateien aktiviert -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode +SomeFilesOrDirInRootAreWritable=Einige Dateien oder Verzeichnisse sind nicht schreibgeschützt EXPORTS_SHARE_MODELS=Exportmodelle sind für jeden zugänglich. ExportSetup=Einrichtung Modul Export ImportSetup=Einrichtung des Modulimports @@ -2090,8 +2092,8 @@ MakeAnonymousPing=Einen anonymen Ping '+1' an den Dolibarr-Foundation-Server (ei FeatureNotAvailableWithReceptionModule=Funtion nicht verfügbar, wenn Modul Wareneingang aktiviert ist EmailTemplate=E-Mail-Vorlage EMailsWillHaveMessageID=E-Mails haben ein Schlagwort "Referenzen", das dieser Syntax entspricht -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label +PDF_SHOW_PROJECT=Projekt im Dokument anzeigen +ShowProjectLabel=Projektbezeichnung PDF_USE_ALSO_LANGUAGE_CODE=Wenn Sie möchten, dass einige Texte in Ihrem PDF in 2 verschiedenen Sprachen in demselben generierten PDF dupliziert werden, müssen Sie hier diese zweite Sprache festlegen, damit das generierte PDF zwei verschiedene Sprachen auf derselben Seite enthält, die beim Generieren von PDF ausgewählte und diese (dies wird nur von wenigen PDF-Vorlagen unterstützt). Für 1 Sprache pro PDF leer halten. FafaIconSocialNetworksDesc=Gib hier den Code für ein FontAwesome icon ein. Wenn du FontAwesome nicht kennst, kannst du den Standard 'fa-address-book' benutzen. FeatureNotAvailableWithReceptionModule=Funtion nicht verfügbar, wenn Modul Wareneingang aktiviert ist @@ -2118,7 +2120,12 @@ ConfFileIsReadableOrWritableByAnyUsers=Die conf-Datei kann von jedem Benutzer ge MailToSendEventOrganization=Organisation von Ereignissen AGENDA_EVENT_DEFAULT_STATUS=Standardereignisstatus beim Erstellen eines Ereignisses aus dem Formular YouShouldDisablePHPFunctions=Sie sollten PHP-Funktionen deaktivieren -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands (for the module Scheduled job, or to run the external command line Anti-virus for example), you shoud disable PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -ARestrictedPath=A restricted path +IfCLINotRequiredYouShouldDisablePHPFunctions=Außer wenn Sie Systembefehle ausführen müssen (z.B. für das Modul "Geplanter Job" oder zum Ausführen der externen Befehlszeile "Antivirus"), sollten Sie die PHP-Funktionen deaktivieren +NoWritableFilesFoundIntoRootDir=In Ihrem Stammverzeichnis wurden keine beschreibbaren Dateien oder Verzeichnisse der gängigen Programme gefunden (gut). +RecommendedValueIs=Empfohlen: %s +ARestrictedPath=Ein eingeschränkter Pfad +CheckForModuleUpdate=Suchen Sie nach Updates für externe Module +CheckForModuleUpdateHelp=Diese Aktion stellt eine Verbindung zu Editoren externer Module her, um zu überprüfen, ob eine neue Version verfügbar ist. +ModuleUpdateAvailable=Eine Aktualisierung ist verfügbar +NoExternalModuleWithUpdate=Für externe Module wurden keine Updates gefunden +SwaggerDescriptionFile=Swagger API-Beschreibungsdatei (zum Beispiel zur Verwendung mit Redoc) diff --git a/htdocs/langs/de_DE/assets.lang b/htdocs/langs/de_DE/assets.lang index cfc0ae0e7a0..a4fc61beb26 100644 --- a/htdocs/langs/de_DE/assets.lang +++ b/htdocs/langs/de_DE/assets.lang @@ -61,5 +61,7 @@ MenuListTypeAssets = Liste # # Module # +Asset=Anlagegut NewAssetType=neue Anlagenart NewAsset=neue Anlage +ConfirmDeleteAsset=Möchten Sie dieses Asset wirklich löschen? diff --git a/htdocs/langs/de_DE/banks.lang b/htdocs/langs/de_DE/banks.lang index 57256d48132..efad27d2642 100644 --- a/htdocs/langs/de_DE/banks.lang +++ b/htdocs/langs/de_DE/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Zahlung von Sozialabgaben/Steuern BankTransfer=Überweisung BankTransfers=Überweisungen MenuBankInternalTransfer=interner Transfer -TransferDesc=Von einem zum anderen Konto übertragen. Dolibarr wird zwei Buchungen erstellen - Debit in der Quell- und Credit im Zielkonto. (Identischer Betrag (bis auf das Vorzeichen), Beschreibung und Datum werden benutzt) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=von TransferTo=bis TransferFromToDone=Eine Überweisung von %s nach %s iHv %s %s wurde verbucht. -CheckTransmitter=Übermittler +CheckTransmitter=Absenderadresse ValidateCheckReceipt=Rechnungseingang gültig? -ConfirmValidateCheckReceipt=Sind Sie sicher, dass Sie diesen Rechnungseingang für gültig erklären wollen? Dies kann nicht nachträglich geändert werden. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Wollen Sie diesen Rechnungseingang löschen? ConfirmDeleteCheckReceipt=Sind Sie sicher, dass Sie diesen Rechnungseingang löschen wollen? BankChecks=Bankschecks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Sind Sie sicher, dass Sie diese Transaktion löschen wo ThisWillAlsoDeleteBankRecord=Dadurch werden auch erzeugte Kontoauszüge gelöscht BankMovements=Bankbewegungen PlannedTransactions=Geplante Transaktionen -Graph=Grafiken +Graph=Graphs ExportDataset_banque_1=Transaktionen und Kontoauszug ExportDataset_banque_2=Einzahlungsbeleg TransactionOnTheOtherAccount=Transaktion auf dem anderem Konto @@ -142,7 +142,7 @@ AllAccounts=Alle Finanzkonten BackToAccount=Zurück zum Konto ShowAllAccounts=Alle Finanzkonten FutureTransaction=Zukünftige Transaktion. Ausgleichen nicht möglich. -SelectChequeTransactionAndGenerate=Wählen Sie Schecks aus, die in den Scheckeinzahlungsbeleg aufgenommen werden sollen, und klicken Sie auf "Erstellen". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Wählen Sie den Kontoauszug der mit der Zahlung übereinstimmt. Verwenden Sie einen sortierbaren numerischen Wert: YYYYMM oder YYYYMMDD EventualyAddCategory=Wenn möglich Kategorie angeben, in der die Daten eingeordnet werden ToConciliate=auszugleichen ? @@ -174,7 +174,7 @@ YourSEPAMandate=Ihr SEPA-Mandat FindYourSEPAMandate=Dies ist Ihr SEPA-Mandat, um unser Unternehmen zu ermächtigen, Lastschriftaufträge bei Ihrer Bank zu tätigen. Senden Sie es unterschrieben (Scan des unterschriebenen Dokuments) oder per Post an AutoReportLastAccountStatement=Füllen Sie das Feld 'Nummer des Kontoauszugs' bei der Abstimmung automatisch mit der Nummer des letzten Kontoauszugs CashControl=POS-Kassensteuerung -NewCashFence=New cash desk opening or closing +NewCashFence=Neue Kasse öffnet oder schließt BankColorizeMovement=Bewegungen färben BankColorizeMovementDesc=Wenn diese Funktion aktiviert ist, können Sie eine bestimmte Hintergrundfarbe für Debit- oder Kreditbewegungen auswählen BankColorizeMovementName1=Hintergrundfarbe für Debit-Bewegung diff --git a/htdocs/langs/de_DE/bills.lang b/htdocs/langs/de_DE/bills.lang index 9afcc86ec5b..6e2b4dad58e 100644 --- a/htdocs/langs/de_DE/bills.lang +++ b/htdocs/langs/de_DE/bills.lang @@ -55,7 +55,7 @@ CustomerInvoice=Kundenrechnung CustomersInvoices=Kundenrechnungen SupplierInvoice=Lieferantenrechnung SuppliersInvoices=Lieferantenrechnungen -SupplierInvoiceLines=Vendor invoice lines +SupplierInvoiceLines=Lieferantenrechnungsposten SupplierBill=Lieferantenrechnung SupplierBills=Lieferantenrechnungen Payment=Zahlung @@ -82,8 +82,8 @@ PaymentsAlreadyDone=Bereits getätigte Zahlungen PaymentsBackAlreadyDone=Rückerstattungen bereits erledigt PaymentRule=Zahlungsregel PaymentMode=Zahlungsart -DefaultPaymentMode=Default Payment Type -DefaultBankAccount=Default Bank Account +DefaultPaymentMode=Standardzahlungsart +DefaultBankAccount=Standardbankkonto PaymentTypeDC=Debit- / Kreditkarte PaymentTypePP=PayPal IdPaymentMode=Zahlungsart (ID) @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Zuviel bezahlter Betrag in Rabatt umwandeln EnterPaymentReceivedFromCustomer=Geben Sie die vom Kunden erhaltene Zahlung ein EnterPaymentDueToCustomer=Kundenzahlung fällig stellen DisabledBecauseRemainderToPayIsZero=Deaktiviert, da Zahlungserinnerung auf null steht -PriceBase=Preis +PriceBase=Grundpreis BillStatus=Rechnungsstatus StatusOfGeneratedInvoices=Status der erstellten Rechnungen BillStatusDraft=Entwurf (freizugeben) @@ -376,7 +376,7 @@ DateLastGeneration=Datum der letzten Generierung DateLastGenerationShort=Datum letzte Generierung MaxPeriodNumber=Max. Nummer der Rechnungserstellung NbOfGenerationDone=Rechnungslauf für diese Nummer schon durchgeführt -NbOfGenerationOfRecordDone=Number of record generation already done +NbOfGenerationOfRecordDone=Anzahl der bereits durchgeführten Datensatzgenerierungen NbOfGenerationDoneShort=Anzahl Generationen durchgeführt MaxGenerationReached=Max. Anzahl Generierungen erreicht InvoiceAutoValidate=Rechnungen automatisch freigeben @@ -417,7 +417,7 @@ PaymentCondition14DENDMONTH=Innerhalb von 14 Tagen nach Monatsende FixAmount=Festbetrag - 1 Zeile mit Label '%s' VarAmount=Variabler Betrag (%% tot.) VarAmountOneLine=Variabler Betrag (%% Total) -1 Position mit Label '%s' -VarAmountAllLines=Variable amount (%% tot.) - all lines from origin +VarAmountAllLines=Variable Menge (%% tot.) - alle Zeilen vom Ursprung # PaymentType PaymentTypeVIR=Banküberweisung PaymentTypeShortVIR=Banküberweisung @@ -454,7 +454,7 @@ RegulatedOn=gebucht am ChequeNumber=Schecknummer ChequeOrTransferNumber=Scheck-/Überweisungsnummer ChequeBordereau=Scheck Zeitplan -ChequeMaker=Scheck / Transfer Übermittler +ChequeMaker=Absender prüfen / übertragen ChequeBank=Bankscheck CheckBank=Scheck NetToBePaid=Netto Zahlbetrag @@ -498,16 +498,16 @@ Cash=Bar Reported=Verzögert DisabledBecausePayments=Nicht möglich, da es Zahlungen gibt CantRemovePaymentWithOneInvoicePaid=Die Zahlung kann nicht entfernt werden, da es mindestens eine Rechnung gibt, die als bezahlt markiert ist -CantRemovePaymentVATPaid=Can't remove payment since VAT declaration is classified paid -CantRemovePaymentSalaryPaid=Can't remove payment since salary is classified paid +CantRemovePaymentVATPaid=Zahlung kann nicht entfernt werden, da die Umsatzsteuererklärung als bezahlt eingestuft wird +CantRemovePaymentSalaryPaid=Die Zahlung kann nicht entfernt werden, da das Gehalt als bezahlt eingestuft wird ExpectedToPay=Erwartete Zahlung CantRemoveConciliatedPayment=Abgeglichene Zahlung kann nicht entfernt werden PayedByThisPayment=mit dieser Zahlung beglichen ClosePaidInvoicesAutomatically=Kennzeichnen Sie automatisch alle Standard-, Anzahlungs- oder Ersatzrechnungen als "Bezahlt", wenn die Zahlung vollständig erfolgt ist. ClosePaidCreditNotesAutomatically=Kennzeichnen Sie automatisch alle Gutschriften als "Bezahlt", wenn die Rückerstattung vollständig erfolgt ist. ClosePaidContributionsAutomatically=Kennzeichnen Sie automatisch alle Sozial- oder Steuerbeiträge als "Bezahlt", wenn die Zahlung vollständig erfolgt ist. -ClosePaidVATAutomatically=Classify automatically VAT declaration as "Paid" when payment is done entirely. -ClosePaidSalaryAutomatically=Classify automatically salary as "Paid" when payment is done entirely. +ClosePaidVATAutomatically=Klassifizieren Sie die Umsatzsteuererklärung automatisch als "bezahlt", wenn die Zahlung vollständig erfolgt ist. +ClosePaidSalaryAutomatically=Klassifizieren Sie das Gehalt automatisch als "bezahlt", wenn die Zahlung vollständig erfolgt ist. AllCompletelyPayedInvoiceWillBeClosed=Alle Rechnungen ohne Restzahlung werden automatisch mit dem Status "Bezahlt" geschlossen. ToMakePayment=Bezahlen ToMakePaymentBack=Rückzahlung @@ -520,7 +520,7 @@ YouMustCreateStandardInvoiceFirstDesc=Zuerst muss eine Standardrechnung erstellt PDFCrabeDescription=Rechnung PDF-Vorlage Crabe. Eine vollständige Rechnungsvorlage (alte Implementierung der Sponge-Vorlage) PDFSpongeDescription=Rechnung PDF-Vorlage Sponge. Eine vollständige Rechnungsvorlage PDFCrevetteDescription=PDF Rechnungsvorlage Crevette. Vollständige Rechnungsvolage für normale Rechnungen -TerreNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Gibt eine Nummer im Format %syymm-nnnn für Standardrechnungen und %syymm-nnnn für Gutschriften zurück, wobei yy das Jahr, mm der Monat und nnnn eine sequenzielle automatisch inkrementierende Nummer ohne Unterbrechung und ohne Zurücksetzen auf 0 ist MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 TerreNumRefModelError=Eine Rechnung, beginnend mit $ syymm existiert bereits und ist nicht kompatibel mit diesem Modell der Reihe. Entfernen oder umbenennen, um dieses Modul. CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 diff --git a/htdocs/langs/de_DE/boxes.lang b/htdocs/langs/de_DE/boxes.lang index 7ed4e4e1077..642ab786f41 100644 --- a/htdocs/langs/de_DE/boxes.lang +++ b/htdocs/langs/de_DE/boxes.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - boxes -BoxDolibarrStateBoard=Statistics on main business objects in database +BoxDolibarrStateBoard=Statistiken zu den wichtigsten Geschäftsobjekten in der Datenbank BoxLoginInformation=Anmeldeinformationen BoxLastRssInfos=Informationen RSS Feed BoxLastProducts=%s zuletzt bearbeitete Produkte/Leistungen @@ -18,13 +18,13 @@ BoxLastActions=Neuste Aktionen BoxLastContracts=Neueste Verträge BoxLastContacts=Neueste Kontakte/Adressen BoxLastMembers=neueste Mitglieder -BoxLastModifiedMembers=Latest modified members -BoxLastMembersSubscriptions=Latest member subscriptions +BoxLastModifiedMembers=Neueste geänderte Mitglieder +BoxLastMembersSubscriptions=Neueste Mitglieder-Abonnements BoxFicheInter=Neueste Serviceaufträge BoxCurrentAccounts=Saldo offene Konten BoxTitleMemberNextBirthdays=Geburtstage in diesem Monat (Mitglieder) -BoxTitleMembersByType=Members by type -BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year +BoxTitleMembersByType=Mitglieder nach Typ +BoxTitleMembersSubscriptionsByYear=Mitgliederabonnements nach Jahr BoxTitleLastRssInfos=%s neueste Neuigkeiten von %s BoxTitleLastProducts=Zuletzt bearbeitete Produkte / Leistungen (maximal %s) BoxTitleProductsAlertStock=Lagerbestands-Warnungen @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Meine %s neuesten Lesezeichen BoxOldestExpiredServices=Die ältesten abgelaufenen aktiven Dienste BoxLastExpiredServices=Letzte %s älteste Kontake mit aktiven abgelaufenen Diensten. BoxTitleLastActionsToDo=Anstehende Termine / Aufgaben (maximal %s) -BoxTitleLastContracts=Zuletzt bearbeitete Verträge (maximal %s) -BoxTitleLastModifiedDonations=Zuletzt bearbeitete Spenden (maximal %s) -BoxTitleLastModifiedExpenses=Zuletzt bearbeitete Spesenabrechnungen (maximal %s) -BoxTitleLatestModifiedBoms=Zuletzt bearbeitete Stücklisten (maximal %s) -BoxTitleLatestModifiedMos=Zuletzt bearbeitete Produktionsaufträge (maximal %s) +BoxTitleLastContracts=Letzte %s-Verträge, die geändert wurden +BoxTitleLastModifiedDonations=Letzte %s Spenden, die geändert wurden +BoxTitleLastModifiedExpenses=Neueste %s Spesenabrechnungen, die geändert wurden +BoxTitleLatestModifiedBoms=Neueste %s-Stücklisten, die geändert wurden +BoxTitleLatestModifiedMos=Neueste %s Fertigungsaufträge, die geändert wurden BoxTitleLastOutstandingBillReached=Kunden mit überschrittenen Maximal-Aussenständen BoxGlobalActivity=Globale Aktivität (Rechnungen, Angebote, Aufträge) BoxGoodCustomers=Gute Kunden @@ -112,9 +112,9 @@ BoxTitleLastCustomerShipments=Neueste %s Kundensendungen NoRecordedShipments=Keine erfasste Kundensendung BoxCustomersOutstandingBillReached=Kunden mit erreichtem Aussenständen-Limit # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -TicketsHome=Home Tickets -AccountancyHome=Home Accountancy +UsersHome=Start Anwender und Gruppen +MembersHome=Start Mitgliedschaft +ThirdpartiesHome=Start Drittanbieter +TicketsHome=Start Tickets +AccountancyHome=Start Buchhaltung ValidatedProjects=Validierte Projekte diff --git a/htdocs/langs/de_DE/cashdesk.lang b/htdocs/langs/de_DE/cashdesk.lang index 342df5e5a55..7dce553f330 100644 --- a/htdocs/langs/de_DE/cashdesk.lang +++ b/htdocs/langs/de_DE/cashdesk.lang @@ -41,14 +41,15 @@ Floor=Bereich / Etage AddTable=Tisch hinzufügen Place=Tisch TakeposConnectorNecesary='TakePOS Connector' erforderlich -OrderPrinters=Bondrucker +OrderPrinters=Fügen Sie eine Schaltfläche hinzu, um die Bestellung ohne Zahlung an bestimmte Drucker zu senden (z.B. um eine Bestellung an eine Küche zu senden). +NotAvailableWithBrowserPrinter=Nicht verfügbar, wenn der Drucker für den Empfang auf Browser eingestellt ist: SearchProduct=Produkt suchen Receipt=globale Druckeinstellungen Header=Kopfzeile Footer=Fußzeile AmountAtEndOfPeriod=Betrag am Ende der Periode (Tag, Monat oder Jahr) TheoricalAmount=Theoretischer Betrag -RealAmount=Realer Betrag +RealAmount=tatsächlicher Betrag CashFence=Kassenschluss CashFenceDone=Kassenschließung für den Zeitraum durchgeführt NbOfInvoices=Anzahl der Rechnungen @@ -56,8 +57,9 @@ Paymentnumpad=Art des Pads zur Eingabe der Zahlung Numberspad=Nummernblock BillsCoinsPad=Münzen- und Banknoten-Pad DolistorePosCategory=TakePOS-Module und andere POS-Lösungen für Dolibarr -TakeposNeedsCategories=TakePOS benötigt Produktkategorien, um zu funktionieren -OrderNotes=Bestellhinweise +TakeposNeedsCategories=TakePOS benötigt mindestens eine Produktkategorie, um zu funktionieren +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS benötigt mindestens 1 Produktkategorie unter der Kategorie %s , um zu funktionieren +OrderNotes=Kann jedem bestellten Artikel einige Notizen hinzufügen CashDeskBankAccountFor=Standardkonto für Zahlungen in NoPaimementModesDefined=In der TakePOS-Konfiguration ist kein Zahlungsmodus definiert TicketVatGrouped=Gruppieren Sie die Mehrwertsteuer nach Steuersatz der Tickets/Quittungen @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Rechnung ist bereits geprüft NoLinesToBill=Keine Zeilen zu berechnen CustomReceipt=Benutzerdefinierte Quittung ReceiptName=Belegname -ProductSupplements=Produktergänzungen +ProductSupplements=Ergänzungen von Produkten verwalten SupplementCategory=Ergänzungskategorie ColorTheme=Farbschema Colorful=Farbig @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Schneller und einfacher Belegdruck. Nur wenige Parameter zum Konfigurieren der Quittung. Drucken via Browser. TakeposConnectorMethodDescription=Externes Modul mit zusätzlichen Funktionen. Möglichkeit zum Drucken aus der Cloud. PrintMethod=Druckmethode -ReceiptPrinterMethodDescription=Leistungsstarke Methode mit vielen Parametern. Vollständig anpassbar mit Vorlagen. Kann nicht aus der Cloud drucken. +ReceiptPrinterMethodDescription=Leistungsstarke Methode mit vielen Parametern. Vollständig anpassbar mit Vorlagen. Der Server, auf dem sich die Anwendung befindet, kann sich nicht in der Cloud befinden (muss in der Lage sein, die Drucker in Ihrem Netzwerk zu erreichen). ByTerminal=über Terminal TakeposNumpadUsePaymentIcon=Verwenden Sie das Symbol anstelle des Textes auf den Zahlungsschaltflächen des Nummernblocks CashDeskRefNumberingModules=Nummerierungsmodul für POS-Verkäufe @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Das Modul Belegdrucker muss zuerst aktiviert w AllowDelayedPayment=Verzögerte Zahlung zulassen PrintPaymentMethodOnReceipts=Zahlungsmethode auf Tickets | Quittungen drucken WeighingScale=Waage +ShowPriceHT = Zeigen Sie den Preis ohne Steuerspalte an +ShowPriceHTOnReceipt = Zeigen Sie den Preis ohne Steuerspalte auf der Quittung an diff --git a/htdocs/langs/de_DE/categories.lang b/htdocs/langs/de_DE/categories.lang index 1ed379ce3f9..428747defd8 100644 --- a/htdocs/langs/de_DE/categories.lang +++ b/htdocs/langs/de_DE/categories.lang @@ -3,20 +3,20 @@ Rubrique=Kategorie Rubriques=Kategorien RubriquesTransactions=Transaktionenkategorien categories=Kategorien -NoCategoryYet=Sie haben noch keine Kategorie dieser Art erstellt +NoCategoryYet=Es wurde kein Schlagwort / keine Kategorie dieses Typs erstellt In=Übergeordnete Kategorie AddIn=Übergeordnete Kategorie modify=Ändern Classify=zuordnen CategoriesArea=Übersicht Kategorien -ProductsCategoriesArea=Übersicht Produkt- und Leistungskategorien -SuppliersCategoriesArea=Übersicht Lieferantenkategorien -CustomersCategoriesArea=Übersicht Kunden-/Interessentenkategorien -MembersCategoriesArea=Übersicht Mitgliederkategorien -ContactsCategoriesArea=Übersicht Kontaktkategorien -AccountsCategoriesArea=Bereich Bankkonten-Tags / -Kategorien -ProjectsCategoriesArea=Übersicht Projektkategorien -UsersCategoriesArea=Bereich: Benutzer Tags/Kategorien +ProductsCategoriesArea=Bereich Produkt- / Service-Schlagwörter / Kategorien +SuppliersCategoriesArea=Bereich für Lieferanten-Schlagwörter / Kategorien +CustomersCategoriesArea=Kunden-Schlagwörter / Kategorienbereich +MembersCategoriesArea=Bereich für Mitglieder-Schlagwörter / Kategorien +ContactsCategoriesArea=Bereich für Kontakt-Schlagwörter / Kategorien +AccountsCategoriesArea=Bereich für Bankkonto-Schlagwörter / -kategorien +ProjectsCategoriesArea=Bereich Projekt-Schlagwörter / Kategorien +UsersCategoriesArea=Bereich Benutzer-Schlagwörter / Kategorien SubCats=Unterkategorie(n) CatList=Liste der Kategorien CatListAll=Liste der Schlagwörter / Kategorien (alle Typen) @@ -93,7 +93,7 @@ AddSupplierIntoCategory=Ordnen Sie dem Lieferanten eine Kategorie zu ShowCategory=Zeige Kategorie ByDefaultInList=Standardwert in Liste ChooseCategory=Kategorie auswählen -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories +StocksCategoriesArea=Lagerkategorien +ActionCommCategoriesArea=Ereigniskategorien WebsitePagesCategoriesArea=Seiteninhalte-Kategorien -UseOrOperatorForCategories=Benutzer oder Operator für Kategorien +UseOrOperatorForCategories=Verwenden Sie den Operator 'ODER' für Kategorien diff --git a/htdocs/langs/de_DE/companies.lang b/htdocs/langs/de_DE/companies.lang index 6af27c65ab0..c768096dfed 100644 --- a/htdocs/langs/de_DE/companies.lang +++ b/htdocs/langs/de_DE/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Firmenname %s bereits vorhanden. Bitte wählen Sie einen anderen. ErrorSetACountryFirst=Wählen Sie zuerst das Land SelectThirdParty=Wähle einen Partner -ConfirmDeleteCompany=Möchten Sie diesen Partner und alle damit verbundenen Informationen wirklich löschen? +ConfirmDeleteCompany=Möchten Sie dieses Unternehmen und alle zugehörigen Informationen wirklich löschen? DeleteContact=Löschen eines Kontakts/Adresse -ConfirmDeleteContact=Möchten Sie diesen Partner und alle damit verbundenen Informationen wirklich löschen? +ConfirmDeleteContact=Möchten Sie diesen Kontakt und alle zugehörigen Informationen wirklich löschen? MenuNewThirdParty=neuer Geschäftspartner MenuNewCustomer=neuer Kunde MenuNewProspect=Neuer Interessent @@ -43,10 +43,10 @@ Individual=Privatperson ToCreateContactWithSameName=Erzeugt automatisch einen Kontakt/Adresse mit der gleichen Information wie der Partner unter dem Partner. In den meisten Fällen, auch wenn Ihr Partner eine natürliche Person ist, reicht die Anlage nur eines Partners aus. ParentCompany=Muttergesellschaft Subsidiaries=Tochtergesellschaften -ReportByMonth=Report per month -ReportByCustomers=Report per customer -ReportByThirdparties=Report per thirdparty -ReportByQuarter=Report per rate +ReportByMonth=Bericht pro Monat +ReportByCustomers=Bericht pro Kunde +ReportByThirdparties=Bericht pro Dritter +ReportByQuarter=Bericht pro Kurs CivilityCode=Anrede RegisteredOffice=Firmensitz Lastname=Nachname @@ -69,7 +69,7 @@ PhoneShort=Tel. Skype=Skype Call=Anruf Chat=Chat -PhonePro=Telefon (geschäftlich) +PhonePro=Telefon geschäftl. PhonePerso=Telefon (privat) PhoneMobile=Telefon (mobil) No_Email=Keine E-Mail-Kampagne senden @@ -78,7 +78,7 @@ Zip=PLZ Town=Stadt Web=Internetseite Poste= Posten -DefaultLang=Standard-Sprache +DefaultLang=Standardsprache VATIsUsed=Umsatzsteuerpflichtig VATIsUsedWhenSelling=Dies definiert ob dieser Partner Steuern auf der Rechnung an seine eigenen Kunden ausweist oder nicht VATIsNotUsed=Umsatzsteuerbefreit @@ -173,7 +173,7 @@ ProfId1ES=NIF (Frankreich): Numéro d'identification fiscale\nCIF (Spanien): Có ProfId2ES=Sozialversicherungsnummer ProfId3ES=Klassifikation der Wirtschaftszweige ProfId4ES=Stiftungsverzeichnis -ProfId5ES=Prof Id 5 (EORI number) +ProfId5ES=Prof Id 5 (EORI-Nummer) ProfId6ES=- ProfId1FR=SIREN (Frankreich): Système d'identification du répertoire des entreprises ProfId2FR=SIRET (Frankreich): Système d’identification du répertoire des établissements @@ -239,7 +239,7 @@ ProfId1PT=Prof Id 1 (NIPC) ProfId2PT=Prof Id 2 (Social security number) ProfId3PT=Prof ID 3 ProfId4PT=Prof Id 4 (Conservatory) -ProfId5PT=Prof Id 5 (EORI number) +ProfId5PT=Prof Id 5 (EORI-Nummer) ProfId6PT=- ProfId1SN=RC ProfId2SN=NINEA @@ -263,7 +263,7 @@ ProfId1RO=Prof Id 1 (CUI) ProfId2RO=Prof Id 2 (Nr. Înmatriculare) ProfId3RO=Prof Id 3 (CAEN) ProfId4RO=Prof Id 5 (EUID) -ProfId5RO=Prof Id 5 (EORI number) +ProfId5RO=Prof Id 5 (EORI-Nummer) ProfId6RO=- ProfId1RU=OGRN ProfId2RU=INN @@ -331,7 +331,7 @@ CustomerCodeDesc=eindeutige Kundennummer SupplierCodeDesc=eindeutige Lieferantennummer RequiredIfCustomer=Erforderlich falls Partner Kunde oder Interessent ist RequiredIfSupplier=Erforderlich falls Partner Lieferant ist -ValidityControledByModule=Gültigkeit kontrolliert von Modul +ValidityControledByModule=Vom Modul kontrollierte Gültigkeit ThisIsModuleRules=Regeln für dieses Modul ProspectToContact=Lead zu kontaktieren CompanyDeleted=Firma "%s" aus der Datenbank gelöscht. @@ -439,22 +439,22 @@ ListSuppliersShort=Liste der Lieferanten ListProspectsShort=Liste der Interessenten ListCustomersShort=Liste der Kunden ThirdPartiesArea=Partner und Kontakte -LastModifiedThirdParties=Zuletzt bearbeitete Geschäftspartner (maximal %s) -UniqueThirdParties=Gesamtzahl Partner +LastModifiedThirdParties=Neueste %s Drittanbieter, die geändert wurden +UniqueThirdParties=Gesamtzahl der Drittanbieter InActivity=aktiv ActivityCeased=inaktiv ThirdPartyIsClosed=Partner ist geschlossen -ProductsIntoElements=Liste von Produkten/Leistungen in %s +ProductsIntoElements=Liste der Produkte / Dienstleistungen, die %s zugeordnet sind CurrentOutstandingBill=Aktuell ausstehende Rechnung OutstandingBill=Max. für ausstehende Rechnung OutstandingBillReached=Kreditlimite erreicht OrderMinAmount=Mindestbestellwert -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. +MonkeyNumRefModelDesc=Gibt eine Zahl im Format %syymm-nnnn für den Kundencode und %syymm-nnnn für den Herstellercode zurück, wobei yy das Jahr, mm der Monat und nnnn eine sequenzielle automatisch inkrementierende Zahl ohne Unterbrechung und Zurücksetzung zu 0 ist. LeopardNumRefModelDesc=Kunden / Lieferanten-Code ist frei. Dieser Code kann jederzeit geändert werden. ManagingDirectors=Name(n) des/der Manager (CEO, Direktor, Geschäftsführer, ...) MergeOriginThirdparty=Partner duplizieren (Partner den Sie löschen möchten) MergeThirdparties=Partner zusammenlegen -ConfirmMergeThirdparties=Möchten Sie wirklich diesen Partner mit dem aktuellen Partner zusammenführen? Alle verbundenen Objekte (Rechnungen, Aufträge, ...) werden mit dem aktuellen Partner zusammengeführt, dann wird der Partner gelöscht werden. +ConfirmMergeThirdparties=Sind Sie sicher, dass Sie den ausgewählten Drittanbieter mit dem aktuellen zusammenführen möchten? Alle verknüpften Objekte (Rechnungen, Bestellungen, ...) werden an den aktuellen Drittanbieter verschoben, wonach der ausgewählte Drittanbieter gelöscht wird. ThirdpartiesMergeSuccess=Partner wurden zusammengelegt SaleRepresentativeLogin=Login des Vertriebsmitarbeiters SaleRepresentativeFirstname=Vorname des Vertreter diff --git a/htdocs/langs/de_DE/compta.lang b/htdocs/langs/de_DE/compta.lang index e499f8e72ec..eddf7ee9a60 100644 --- a/htdocs/langs/de_DE/compta.lang +++ b/htdocs/langs/de_DE/compta.lang @@ -65,7 +65,7 @@ LT2SupplierIN=SGST Einkäufe VATCollected=Erhobene USt. StatusToPay=Zu zahlen SpecialExpensesArea=Bereich für alle Sonderzahlungen -VATExpensesArea=Area for all TVA payments +VATExpensesArea=Bereich für alle TVA-Zahlungen SocialContribution=Sozialabgabe oder Steuersatz SocialContributions= Steuern- oder Sozialabgaben SocialContributionsDeductibles=Abzugsberechtigte Sozialabgaben oder Steuern @@ -86,7 +86,7 @@ PaymentCustomerInvoice=Zahlung Kundenrechnung PaymentSupplierInvoice=Zahlung Lieferantenrechnung PaymentSocialContribution=Sozialabgaben-/Steuer Zahlung PaymentVat=USt.-Zahlung -AutomaticCreationPayment=Automatically record the payment +AutomaticCreationPayment=Die Zahlung automatisch aufzeichnen ListPayment=Liste der Zahlungen ListOfCustomerPayments=Liste der Kundenzahlungen ListOfSupplierPayments=Liste der Lieferantenzahlungen @@ -106,8 +106,8 @@ LT2PaymentES=EKSt. Zahlung LT2PaymentsES=EKSt. Zahlungen VATPayment=USt. Zahlung VATPayments=USt Zahlungen -VATDeclarations=VAT declarations -VATDeclaration=VAT declaration +VATDeclarations=MwSt.-Erklärungen +VATDeclaration=Umsatzsteuererklärung VATRefund=Umsatzsteuer Rückerstattung NewVATPayment=Neue Umsatzsteuer Zahlung NewLocalTaxPayment=Neue Steuer %s Zahlung @@ -135,19 +135,19 @@ NewCheckReceipt=Neuen Scheck erhalten NewCheckDeposit=Neue Check Hinterlegung NewCheckDepositOn=Neue Scheckeinlösung auf Konto: %s NoWaitingChecks=Keine Schecks zum Einlösen -DateChequeReceived=Datum des Scheckerhalts +DateChequeReceived=Scheck-Empfangsdatum NbOfCheques=Anzahl der Schecks PaySocialContribution=Zahle eine Sozialabgabe/Steuer -PayVAT=Pay a VAT declaration -PaySalary=Pay a salary card -ConfirmPaySocialContribution=Are you sure you want to classify this social or fiscal tax as paid ? -ConfirmPayVAT=Are you sure you want to classify this VAT declaration as paid ? -ConfirmPaySalary=Are you sure you want to classify this salary card as paid? +PayVAT=Eine Mehrwertsteuererklärung bezahlen +PaySalary=Zahlen Sie eine Gehaltskarte +ConfirmPaySocialContribution=Sind Sie sicher, dass Sie diese Sozial- oder Fiskussteuer als bezahlt einstufen möchten? +ConfirmPayVAT=Möchten Sie diese Umsatzsteuererklärung wirklich als bezahlt einstufen? +ConfirmPaySalary=Sind Sie sicher, dass Sie diese Gehaltskarte als bezahlt einstufen möchten? DeleteSocialContribution=Lösche Sozialabgaben-, oder Steuerzahlung -DeleteVAT=Delete a VAT declaration -DeleteSalary=Delete a salary card -ConfirmDeleteSocialContribution=Are you sure you want to delete this social/fiscal tax payment ? -ConfirmDeleteVAT=Are you sure you want to delete this VAT declaration ? +DeleteVAT=Löschen Sie eine Umsatzsteuererklärung +DeleteSalary=Löschen Sie eine Gehaltskarte +ConfirmDeleteSocialContribution=Möchten Sie diese Sozial- / Fiskussteuerzahlung wirklich löschen? +ConfirmDeleteVAT=Möchten Sie diese Umsatzsteuererklärung wirklich löschen? ConfirmDeleteSalary=Sind Sie sicher, dass Sie dieses Gehalt löschen wollen? ExportDataset_tax_1=Steuer- und Sozialabgaben und Zahlungen CalcModeVATDebt=Modus %s USt. auf Engagement Rechnungslegung %s. @@ -175,7 +175,7 @@ RulesResultInOut=- Es sind nur tatsächliche Zahlungen für Rechnungen, Kostenab RulesCADue=- Es enthält die fälligen Rechnungen des Kunden, ob diese bezahlt sind oder nicht.
- Es basiert auf dem Rechnungsdatum 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. -RulesSalesTurnoverOfIncomeAccounts=It includes (credit - debit) of lines for product accounts in group INCOME +RulesSalesTurnoverOfIncomeAccounts=Es umfasst (Gutschrift - Lastschrift) von Zeilen für Produktkonten in der Gruppe EINKOMMEN RulesAmountOnInOutBookkeepingRecord=Beinhaltet Datensätze aus dem Hauptbuch mit den Gruppen "Aufwand" oder "Ertrag" RulesResultBookkeepingPredefined=Beinhaltet Datensätze aus dem Hauptbuch mit den Gruppen "Aufwand" oder "Ertrag" RulesResultBookkeepingPersonalized=Zeigt die Buchungen im Hauptbuch mit Konten gruppiert nach Kontengruppen @@ -196,7 +196,7 @@ VATReportByThirdParties=Umsatzsteuerauswertung pro Partner VATReportByCustomers=Umsatzsteuerauswertung pro Kunde VATReportByCustomersInInputOutputMode=Bericht zur vereinnahmten und bezahlten USt. nach Kunden VATReportByQuartersInInputOutputMode=Bericht nach Steuersatz für die erhaltene und bezahlte Steuer -VATReportShowByRateDetails=Show details of this rate +VATReportShowByRateDetails=Details zu diesem Kurs anzeigen LT1ReportByQuarters=Steuer 2 Auswertung pro Steuersatz LT2ReportByQuarters=Steuer 3 Auswertung pro Steuersatz LT1ReportByQuartersES=Bericht von RE Ratex @@ -231,7 +231,7 @@ Pcg_subtype=Klasse des Kontos InvoiceLinesToDispatch=versandbereite Rechnungspositionen ByProductsAndServices=Nach Produkten und Leistungen RefExt=Externe Referenz -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". +ToCreateAPredefinedInvoice=Um eine Vorlagenrechnung zu erstellen, erstellen Sie eine Standardrechnung und klicken Sie dann ohne Validierung auf die Schaltfläche "%s". LinkedOrder=Link zur Bestellung Mode1=Methode 1 Mode2=Methode 2 @@ -249,7 +249,7 @@ ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Das beim Parnter definierte spezielle Buchhaltu ACCOUNTING_ACCOUNT_SUPPLIER=Buchhaltungskonto für Lieferanten ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Das beim Parnter definierte spezielle Buchhaltungskonto wird nur für die Nebenbuchhaltung verwendet. Dieses wird für das Hauptbuch und als Standardwert der Nebenbuchhaltung verwendet, wenn kein dediziertes Kreditorenbuchhaltungskonto für den Partner definiert ist.\n ConfirmCloneTax=Duplizierung der Steuer-/Sozialabgaben bestätigen -ConfirmCloneVAT=Confirm the clone of a VAT declaration +ConfirmCloneVAT=Bestätigen Sie den Klon einer Mehrwertsteuererklärung ConfirmCloneSalary=Bestätige das Klonen der Gehaltsangabe CloneTaxForNextMonth=Für nächsten Monat duplizieren SimpleReport=Einfache Berichte @@ -269,8 +269,8 @@ AccountingAffectation=Kontierung zuweisen LastDayTaxIsRelatedTo=Letzter Tag an dem die Steuer relevant ist VATDue=Umsatzsteuer beansprucht ClaimedForThisPeriod=Beantragt in der Periode -PaidDuringThisPeriod=Paid for this period -PaidDuringThisPeriodDesc=This is the sum of all payments linked to VAT declarations which have an end-of-period date in the selected date range +PaidDuringThisPeriod=Für diesen Zeitraum bezahlt +PaidDuringThisPeriodDesc=Dies ist die Summe aller Zahlungen im Zusammenhang mit Mehrwertsteuererklärungen, deren Periodenende im ausgewählten Zeitraum liegt ByVatRate=Pro Steuersatz TurnoverbyVatrate=Verrechneter Umsatz pro Steuersatz TurnoverCollectedbyVatrate=Realisierter Umsatz pro Steuersatz @@ -281,7 +281,7 @@ PurchaseTurnoverCollected=Kaufumsatz gesammelt RulesPurchaseTurnoverDue=- Es enthält die fälligen Rechnungen des Lieferanten, ob diese bezahlt sind oder nicht.
- Es basiert auf dem Rechnungsdatum dieser Rechnungen.
RulesPurchaseTurnoverIn=- Es umfasst alle effektiven Zahlungen von Rechnungen an Lieferanten.
- Es basiert auf dem Zahlungsdatum dieser Rechnungen
RulesPurchaseTurnoverTotalPurchaseJournal=Es enthält alle Belastungszeilen aus dem Einkaufsjournal. -RulesPurchaseTurnoverOfExpenseAccounts=It includes (debit - credit) of lines for product accounts in group EXPENSE +RulesPurchaseTurnoverOfExpenseAccounts=Es umfasst (Lastschrift - Gutschrift) von Zeilen für Produktkonten in der Gruppe AUSGABEN ReportPurchaseTurnover=Kaufumsatz in Rechnung gestellt ReportPurchaseTurnoverCollected=Kaufumsatz gesammelt IncludeVarpaysInResults = Nehmen Sie verschiedene Zahlungen in Berichte auf diff --git a/htdocs/langs/de_DE/ecm.lang b/htdocs/langs/de_DE/ecm.lang index b2d0b83c9e8..9df6d3767fd 100644 --- a/htdocs/langs/de_DE/ecm.lang +++ b/htdocs/langs/de_DE/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafelder Ecm-Dateien ExtraFieldsEcmDirectories=Extrafelder Ecm-Verzeichnisse ECMSetup=DMS Einstellungen GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/de_DE/errors.lang b/htdocs/langs/de_DE/errors.lang index 0e43f38fd83..d9066c6b552 100644 --- a/htdocs/langs/de_DE/errors.lang +++ b/htdocs/langs/de_DE/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Kein Fehler, Befehl wurde ausgeführt # Errors ErrorButCommitIsDone=Fehler aufgetreten, Freigabe erfolgt dennoch -ErrorBadEMail=Die E-Mail-Adresse %s ist nicht korrekt -ErrorBadMXDomain=E-Mail %s scheint falsch zu sein (Domain hat keinen gültigen MX-Eintrag) -ErrorBadUrl=URL %s ist nicht korrekt +ErrorBadEMail=E-Mail %s ist nicht korrekt +ErrorBadMXDomain=E-Mail %s scheint nicht korrekt zu sein (Domain hat keinen gültigen MX-Eintrag) +ErrorBadUrl=Die URL %s ist nicht korrekt ErrorBadValueForParamNotAString=Ungültiger Wert für Ihren Parameter. Normalerweise passiert das, wenn die Übersetzung fehlt. ErrorRefAlreadyExists=Die Referenz %s ist bereits vorhanden. ErrorLoginAlreadyExists=Benutzername %s existiert bereits. @@ -46,8 +46,8 @@ ErrorWrongDate=Falsches Datum! ErrorFailedToWriteInDir=Fehler beim Schreiben in das Verzeichnis %s ErrorFoundBadEmailInFile=Ungültige E-Mail-Adresse in %s Zeilen der Datei gefunden (z.B. Zeile %s mit E-Mail=%s) ErrorUserCannotBeDelete=Dieser Benutzer kann nicht gelöscht werden. Eventuell ist er noch mit einem Partner verknüpft. -ErrorFieldsRequired=Ein oder mehrere erforderliche Felder wurden nicht ausgefüllt. -ErrorSubjectIsRequired=Der E-Mail-Betreff ist obligatorisch +ErrorFieldsRequired=Einige erforderliche Felder wurden leer gelassen. +ErrorSubjectIsRequired=Der Betreff der E-Mail ist erforderlich ErrorFailedToCreateDir=Fehler beim Erstellen eines Verzeichnisses. Vergewissern Sie sich, dass der Webserver-Benutzer Schreibberechtigungen für das Dokumentverzeichnis des Systems besitzt. Bei aktiviertem safe_mode sollten die Systemdateien den Webserver-Benutzer oder die -Gruppe als Besitzer haben. ErrorNoMailDefinedForThisUser=Für diesen Benutzer ist keine E-Mail-Adresse eingetragen. ErrorSetupOfEmailsNotComplete=Das Einrichten von E-Mails ist nicht abgeschlossen @@ -59,7 +59,7 @@ ErrorDirNotFound=Verzeichnis %s konnte nicht gefunden werden (Ungültiger ErrorFunctionNotAvailableInPHP=Die PHP-Funktion %s ist für diese Funktion erforderlich, in dieser PHP-Konfiguration jedoch nicht verfügbar. ErrorDirAlreadyExists=Ein Verzeichnis mit diesem Namen existiert bereits. ErrorFileAlreadyExists=Eine Datei mit diesem Namen existiert bereits. -ErrorDestinationAlreadyExists=Another file with the name %s already exists. +ErrorDestinationAlreadyExists=Eine weitere Datei mit dem Namen %s ist bereits vorhanden. ErrorPartialFile=Die Datei wurde nicht vollständig zum Server übertragen. ErrorNoTmpDir=Das temporäre Verzeichnis %s existiert nicht. ErrorUploadBlockedByAddon=Der Upload wurde durch ein PHP Apache-Plugin blockiert. @@ -226,8 +226,9 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Die Seite/der Container %s < ErrorDuringChartLoad=Fehler beim Laden des Kontenplans. Wenn einige Konten nicht geladen wurden, können Sie sie trotzdem manuell eingeben. ErrorBadSyntaxForParamKeyForContent=Fehlerhafte Syntax für param keyforcontent. Muss einen Wert haben, der mit %s oder %s beginnt ErrorVariableKeyForContentMustBeSet=Fehler, die Konstante mit dem Namen %s (mit Textinhalt zum Anzeigen) oder %s (mit externer URL zum Anzeigen) muss gesetzt sein. +ErrorURLMustEndWith=Die URL %s muss mit %s enden ErrorURLMustStartWithHttp=Die URL %s muss mit http: // oder https: // beginnen. -ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// +ErrorHostMustNotStartWithHttp=Der Hostname %s darf NICHT mit http: // oder https: // beginnen ErrorNewRefIsAlreadyUsed=Fehler, die neue Referenz ist bereits in Benutzung ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Fehler, eine zu einer bereits geschlossenen Rechnung gehörende Zahlung kann nicht gelöscht werden. ErrorSearchCriteriaTooSmall=Suchkriterium zu klein @@ -257,10 +258,10 @@ ErrorPublicInterfaceNotEnabled=Öffentliche Schnittstelle wurde nicht aktiviert ErrorLanguageRequiredIfPageIsTranslationOfAnother=Die Sprache der neuen Seite muss definiert werden, wenn sie als Übersetzung einer anderen Seite festgelegt ist ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=Die Sprache der neuen Seite darf nicht die Ausgangssprache sein, wenn sie als Übersetzung einer anderen Seite festgelegt ist ErrorAParameterIsRequiredForThisOperation=Für diesen Vorgang ist ein Parameter obligatorisch -ErrorDateIsInFuture=Error, the date can't be in the future +ErrorDateIsInFuture=Fehler, das Datum kann nicht in der Zukunft liegen ErrorAnAmountWithoutTaxIsRequired=Fehler, Betrag ist notwendig ErrorAPercentIsRequired=Fehler, bitte geben Sie den Prozentsatz korrekt ein -ErrorYouMustFirstSetupYourChartOfAccount=You must first setup your chart of account +ErrorYouMustFirstSetupYourChartOfAccount=Sie müssen zuerst Ihren Kontenplan einrichten # Warnings WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Ihr PHP Parameter upload_max_filesize (%s) ist größer als Parameter post_max_size (%s). Dies ist eine inkonsistente Einstellung. @@ -293,6 +294,7 @@ WarningFailedToAddFileIntoDatabaseIndex=Warnung: Dateieintrag zur ECM-Datenbanki WarningTheHiddenOptionIsOn=Achtung, die versteckte Option %s ist aktiviert. WarningCreateSubAccounts=Achtung, Sie können kein Unterkonto direkt erstellen. Sie müssen einen Geschäftspartner oder einen Benutzer erstellen und ihm einen Buchungscode zuweisen, um sie in dieser Liste zu finden WarningAvailableOnlyForHTTPSServers=Nur verfügbar, wenn eine HTTPS-gesicherte Verbindung verwendet wird. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required -ErrorActionCommBadType=Selected event type (id: %n, code: %s) do not exist in Event Type dictionary +WarningModuleXDisabledSoYouMayMissEventHere=Das Modul %s wurde nicht aktiviert. Sie können also eine Menge Veranstaltung hier verpassen. +ErrorActionCommPropertyUserowneridNotDefined=Der Besitzer des Benutzers ist erforderlich +ErrorActionCommBadType=Der ausgewählte Ereignistyp (ID: %n, Code: %s) ist im Wörterbuch für den Ereignistyp nicht vorhanden +CheckVersionFail=Versionsprüfung fehlgeschlagen diff --git a/htdocs/langs/de_DE/eventorganization.lang b/htdocs/langs/de_DE/eventorganization.lang new file mode 100644 index 00000000000..758e9e383d5 --- /dev/null +++ b/htdocs/langs/de_DE/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Organisation von Ereignissen +EventOrganizationDescription = Organisatio von Ereignissenn durch Projekt-Modul +EventOrganizationDescriptionLong= Verwalten Sie die Ereignisorganisation für Konferenzen, Teilnehmer, Redner und Teilnehmer mit einer öffentlichen Abonnementseite +# +# Menu +# +EventOrganizationMenuLeft = Organisierte Veranstaltungen +EventOrganizationConferenceOrBoothMenuLeft = Konferenz oder Stand + +# +# Admin page +# +EventOrganizationSetup = Einstellungen der Ereignisorganisation +Settings = Einstellungen +EventOrganizationSetupPage = Einstellungs-Seite für die Ereignisorganisation +EVENTORGANIZATION_TASK_LABEL = Bezeichnung der Aufgaben, die automatisch erstellt werden sollen, wenn das Projekt bestätigt wird +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Kategorie, die Drittanbietern hinzugefügt werden soll, wird automatisch erstellt, wenn jemand eine Konferenz vorschlägt +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Kategorie, die Drittanbietern hinzugefügt werden soll, wird automatisch erstellt, wenn sie einen Stand vorschlagen +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Vorlage einer E-Mail, die nach Erhalt eines Konferenzvorschlags gesendet werden soll. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Vorlage einer E-Mail, die nach Erhalt eines Standvorschlags gesendet werden soll. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Vorlage einer E-Mail, die gesendet werden soll, nachdem ein Abonnement für einen Stand bezahlt wurde. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = E-Mail-Vorlage, die gesendet werden soll, nachdem ein Abonnement für eine Veranstaltung bezahlt wurde. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Vorlage der E-Mail bei Massenaktion an Teilnehmer +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Vorlage der Massenaktion-E-Mail an die Redner +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filtern Sie die Auswahlliste des Drittanbieters in der Erstellungskarte / dem Formular des Teilnehmers nach Kategorie +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filtern Sie die Auswahlliste des Drittanbieters in der Teilnehmererstellungskarte / dem Formular nach Kundentyp + +# +# Object +# +EventOrganizationConfOrBooth= Konferenz oder Stand +ManageOrganizeEvent = Ereignis-Organisation verwalten +ConferenceOrBooth = Konferenz oder Stand +ConferenceOrBoothTab = Konferenz oder Stand +AmountOfSubscriptionPaid = Betrag des bezahlten Abonnements +DateSubscription = Datum Teilnahme +ConferenceOrBoothAttendee = Konferenz- oder Standteilnehmer + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Ihre Anfrage für die Konferenz wurde empfangen +YourOrganizationEventBoothRequestWasReceived = Ihre Anfrage für Stand wurde empfangen +EventOrganizationEmailAskConf = Anfrage für eine Konferenz +EventOrganizationEmailAskBooth = Anfrage für Stand +EventOrganizationEmailSubsBooth = Abonnement für Stand +EventOrganizationEmailSubsEvent = Abonnement für eine Veranstaltung +EventOrganizationMassEmailAttendees = Kommunikation mit den Teilnehmern +EventOrganizationMassEmailSpeakers = Kommunikation mit den Sprechern + +# +# Event +# +AllowUnknownPeopleSuggestConf=Erlauben Sie unbekannten Personen, Konferenzen vorzuschlagen +AllowUnknownPeopleSuggestConfHelp=Erlauben Sie unbekannten Personen, Konferenzen vorzuschlagen +AllowUnknownPeopleSuggestBooth=Erlauben Sie unbekannten Personen, einen Stand vorzuschlagen +AllowUnknownPeopleSuggestBoothHelp=Erlauben Sie unbekannten Personen, einen Stand vorzuschlagen +PriceOfRegistration=Preis der Registrierung +PriceOfRegistrationHelp=Preis der Registrierung +PriceOfBooth=Abonnementpreis für einen Stand +PriceOfBoothHelp=Abonnementpreis für einen Stand +EventOrganizationICSLink=Verknüpfe ICS für Ereignisse +ConferenceOrBoothInformation=Konferenz- oder Standinformationen +Attendees = Teilnehmer +EVENTORGANIZATION_SECUREKEY = Sicherer Schlüssel des öffentlichen Registrierungslinks zu einer Konferenz +# +# Status +# +EvntOrgDraft = Entwurf +EvntOrgSuggested = Empfohlen +EvntOrgConfirmed = Bestätigt +EvntOrgNotQualified = Nicht qualifiziert +EvntOrgDone = Erledigt +EvntOrgCancelled = Abgesagt +# +# Public page +# +PublicAttendeeSubscriptionPage = Öffentlicher Link zur Registrierung zu einer Konferenz +MissingOrBadSecureKey = Der Sicherheitsschlüssel ist ungültig oder fehlt +EvntOrgWelcomeMessage = Mit diesem Formular können Sie sich als neuer Teilnehmer an der Konferenz registrieren +EvntOrgStartDuration = Diese Konferenz beginnt am +EvntOrgEndDuration = und endet am diff --git a/htdocs/langs/de_DE/holiday.lang b/htdocs/langs/de_DE/holiday.lang index 297606467e7..37ef44b5879 100644 --- a/htdocs/langs/de_DE/holiday.lang +++ b/htdocs/langs/de_DE/holiday.lang @@ -13,11 +13,11 @@ ToReviewCP=wartet auf Genehmigung ApprovedCP=genehmigt CancelCP=storniert RefuseCP=abgelehnt -ValidatorCP=genehmigt durch +ValidatorCP=Verantwortlicher ListeCP=Urlaubsliste Leave=Urlaubsantrag LeaveId=Urlaubs-ID -ReviewedByCP=Wird geprüft von +ReviewedByCP=Zu genehmigen von UserID=Benutzer ID UserForApprovalID=Benutzer für die Genehmigungs-ID UserForApprovalFirstname=Vorname des Genehmigungsbenutzers @@ -40,8 +40,8 @@ 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 +NbUseDaysCPHelp=Die Berechnung berücksichtigt die arbeitsfreien Tage und Feiertage, die im Wörterbuch definiert sind. +NbUseDaysCPShort=Urlaubstage NbUseDaysCPShortInMonth=Urlaubstage im Monat DayIsANonWorkingDay=%s ist ein arbeitsfreier Tag DateStartInMonth=Startdatum im Monat @@ -55,7 +55,7 @@ TitleDeleteCP=Urlaubsantrag löschen ConfirmDeleteCP=Möchten Sie diesen Urlaubsantrag wirklich löschen? ErrorCantDeleteCP=Fehler: Sie haben nicht die Berechtigung, diesen Urlaubsantrag zu löschen. CantCreateCP=Sie haben nicht die Berechtigung Urlaub zu beantragen. -InvalidValidatorCP=Bitte wählen Sie einen Vorgesetzten, der Ihren Urlaubsantrag prüft. +InvalidValidatorCP=Sie müssen den Genehmigenden für Ihren Urlaubsantrag auswählen. NoDateDebut=Bitte wählen Sie ein Datum für den gewünschten Beginn Ihres Urlaubs NoDateFin=Bitte wählen Sie ein Datum für das gewünschte Ende Ihres Urlaubs ErrorDureeCP=Ihr Urlaubsantrag enthält keine Werktage. @@ -80,14 +80,14 @@ UserCP=Mitarbeiter ErrorAddEventToUserCP=Ein Fehler ist beim Erstellen des Sonderurlaubs aufgetreten. AddEventToUserOkCP=Das Hinzufügen des Sonderurlaubs wurde abgeschlossen. MenuLogCP=Zeige Änderungsprotokoll -LogCP=Protokoll über Aktualisierungen von verfügbaren Urlaubstagen -ActionByCP=Ausgeführt von -UserUpdateCP=Für den Benutzer +LogCP=Protokoll aller Aktualisierungen von "Urlaubsübersicht" +ActionByCP=Geändert von +UserUpdateCP=Aktualisiert für PrevSoldeCP=Vorherige Übersicht NewSoldeCP=Neuer Saldo alreadyCPexist=Für den gewählten Zeitraum wurde bereits ein Urlaubsantrag erstellt. -FirstDayOfHoliday=Erster Tag des Urlaubs -LastDayOfHoliday=Letzter Tag des Urlaubs +FirstDayOfHoliday=Erster Tag des Urlaubsantrags +LastDayOfHoliday=Letzter Tag des Urlaubsantrags BoxTitleLastLeaveRequests=Zuletzt bearbeitete Urlaubsanträge (maximal %s) HolidaysMonthlyUpdate=Monatliches Update ManualUpdate=Manuelles Update @@ -104,8 +104,8 @@ LEAVE_SICK=Krankheit LEAVE_OTHER=Andere Gründe LEAVE_PAID_FR=bezahlter Urlaub ## Configuration du Module ## -LastUpdateCP=Letzte automatische Aktualisierung der Urlaubszuordnung -MonthOfLastMonthlyUpdate=Monat der letzten automatischen Aktualisierung der Urlaubszuordnung +LastUpdateCP=Last automatic update of leave allocation +MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation UpdateConfCPOK=Erfolgreich bearbeitet. Module27130Name= Verwaltung von Urlaubsanträgen Module27130Desc= Verwaltung von Urlaubsanträgen @@ -125,8 +125,8 @@ HolidaysCanceledBody=Ihr Urlaubsantrag vom %s bis %s wurde storniert. FollowedByACounter=0 = Zähler nicht verwenden
1 = Zähler verwenden (diese Art von Urlaub wird mit einem Zähler für den mitarbeiterbezogenen Urlaubsanspruch versehen. Der Zähler wird manuell oder automatisch erhöht oder verringert, wenn der Urlaubsantrag genehmigt wurde.) NoLeaveWithCounterDefined=Es sind keine Urlaubsarten definiert, die durch einen Zähler überwacht sind. GoIntoDictionaryHolidayTypes=Öffnen Sie das Menü Start - Einstellungen - Stammdaten - Urlaubsarten um die verschiedenen Urlaubsarten zu konfigurieren. -HolidaySetup=Einrichtung des Moduls Holiday -HolidaysNumberingModules=Hinterlegen Sie die Nummerierung der Anforderungsmodelle +HolidaySetup=Konfiguration des Modul "Urlaubsantrags-Verwaltung" +HolidaysNumberingModules=Numbering models for leave requests TemplatePDFHolidays=Vorlage für Urlaubsanträge PDF FreeLegalTextOnHolidays=Freitext als PDF WatermarkOnDraftHolidayCards=Wasserzeichen auf Urlaubsantragsentwurf (leerlassen wenn keines benötigt wird) diff --git a/htdocs/langs/de_DE/knowledgemanagement.lang b/htdocs/langs/de_DE/knowledgemanagement.lang new file mode 100644 index 00000000000..cee190153a9 --- /dev/null +++ b/htdocs/langs/de_DE/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Wissensmanagement-System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Verwalten einer Wissensmanagement- (KM) oder Helpdesk-Basis + +# +# Admin page +# +KnowledgeManagementSetup = Einstellungen des Wissensmanagement-Systems +Settings = Einstellungen +KnowledgeManagementSetupPage = Einstellungsseite für das Wissensmanagement-System + + +# +# About page +# +About = Über +KnowledgeManagementAbout = Über Wissensmanagement +KnowledgeManagementAboutPage = Über Wissensmanagement Seite + +# +# Sample page +# +KnowledgeManagementArea = Wissensmanagement + + +# +# Menu +# +MenuKnowledgeRecord = Wissensbasis +ListOfArticles = Liste der Artikel +NewKnowledgeRecord = Neuer Artikel +ValidateReply = Lösung bestätigen +KnowledgeRecords = Artikel +KnowledgeRecord = Artikel +KnowledgeRecordExtraFields = Extrafelder für Artikel diff --git a/htdocs/langs/de_DE/mails.lang b/htdocs/langs/de_DE/mails.lang index 3c7a87f490e..72eac220a72 100644 --- a/htdocs/langs/de_DE/mails.lang +++ b/htdocs/langs/de_DE/mails.lang @@ -15,7 +15,7 @@ MailToUsers=An Empfänger: MailCC=Kopie an MailToCCUsers=Kopie an Empfänger MailCCC=Blindkopie an -MailTopic=E-Mail-Betreff +MailTopic=Email subject MailText=Inhalt MailFile=Angehängte Dateien MailMessage=E-Mail-Text @@ -118,7 +118,7 @@ NbOfEMailingsSend=E-Mail-Kampagne versendet IdRecord=Eintrag-ID DeliveryReceipt=Empfangsbestätigung YouCanUseCommaSeparatorForSeveralRecipients=Trennen Sie mehrere Empfänger mit einem Komma -TagCheckMail=Öffnen der Mail verfolgen +TagCheckMail=Öffnen der E-Mail verfolgen TagUnsubscribe="Abmelden"-Link TagSignature=Absender Signatur EMailRecipient=Empfänger E-Mail @@ -126,17 +126,17 @@ TagMailtoEmail=Empfänger E-Mail (beinhaltet html "mailto:" link) NoEmailSentBadSenderOrRecipientEmail=Kein E-Mail gesendet. Ungültige Absender- oder Empfängeradresse. Benutzerprofil kontrollieren. # Module Notifications Notifications=Benachrichtigungen -NotificationsAuto=Benachrichtigungen Auto. +NotificationsAuto=E-Mail-Benachrichtigungen NoNotificationsWillBeSent=Für diesen Ereignistyp und dieses Unternehmen sind keine automatischen E-Mail-Benachrichtigungen geplant ANotificationsWillBeSent=1 automatische Benachrichtigung wird per E-Mail gesendet SomeNotificationsWillBeSent=%s automatische Benachrichtigungen werden per E-Mail gesendet -AddNewNotification=Abonnieren Sie eine neue automatische E-Mail-Benachrichtigung (Ziel / Ereignis) -ListOfActiveNotifications=Alle aktiven Abonnements (Ziele / Ereignisse) für die automatische E-Mail-Benachrichtigung auflisten -ListOfNotificationsDone=Alle automatisch gesendeten E-Mail-Benachrichtigungen auflisten +AddNewNotification=Abonnieren Sie eine neue automatische E-Mail-Benachrichtigung +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Der E-Mail-Versand wurde auf '%s' konfiguriert. Dieser Modus kann nicht für E-Mail-Kampagnen verwendet werden. MailSendSetupIs2=Sie müssen zuerst mit einem Admin-Konto im Menü %sStart - Einstellungen - E-Mails%s den Parameter '%s' auf den Modus '%s' ändern. Dann können Sie die Daten des SMTP-Servers von Ihrem Internetdienstanbieter eingeben und die E-Mail-Kampagnen-Funktion nutzen. MailSendSetupIs3=Bei Fragen über die Einrichtung Ihres SMTP-Servers, können Sie %s fragen. -YouCanAlsoUseSupervisorKeyword=Sie können auch das Schlüsselwort __SUPERVISOREMAIL__ um E-Mail haben, die an den Vorgesetzten des Benutzers gesendet hinzufügen (funktioniert nur, wenn eine E-Mail für dieses Supervisor definiert) +YouCanAlsoUseSupervisorKeyword=Sie können auch das Schlüsselwort __SUPERVISOREMAIL__ eintragen, um E-Mails an den Vorgesetzten eines Benutzers zu senden (funktioniert nur, wenn eine E-Mail-Adresse für den jeweiligen Supervisor hinterlegt wurde) NbOfTargetedContacts=Aktuelle Anzahl der E-Mails-Kontakte UseFormatFileEmailToTarget=Die importierte Datei muss im folgenden Format vorliegen:
E-Mail-Adresse;Nachname;Vorname;Zusatzinformationen. UseFormatInputEmailToTarget=Geben Sie eine Zeichenkette im Format
E-Mail-Adresse;Nachname;Vorname;Zusatzinformationen ein diff --git a/htdocs/langs/de_DE/main.lang b/htdocs/langs/de_DE/main.lang index 93338d908cf..c4c49e3421a 100644 --- a/htdocs/langs/de_DE/main.lang +++ b/htdocs/langs/de_DE/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Speichern und neu TestConnection=Verbindung testen ToClone=Duplizieren ConfirmCloneAsk=Möchten Sie das Objekt %s sicher klonen? -ConfirmClone=Wählen Sie die zu duplizierenden Daten: +ConfirmClone=Wählen Sie die Daten aus, die Sie klonen möchten: NoCloneOptionsSpecified=Keine Duplikationsoptionen ausgewählt. Of=von Go=Weiter @@ -246,7 +246,7 @@ DefaultModel=Standard Dokumentvorlage Action=Ereignis About=Über Number=Anzahl -NumberByMonth=Anzahl nach Monat +NumberByMonth=Gesamtzahl der Berichte pro Monat AmountByMonth=Umsatz nach Monat Numero=Nummer Limit=Limit @@ -278,7 +278,7 @@ DateModificationShort=Änderungsdatum IPModification=Änderungs-IP DateLastModification=Datum letzte Änderung DateValidation=Freigabedatum -DateSigning=Signing date +DateSigning=Unterzeichnungsdatum DateClosing=Schließungsdatum DateDue=Fälligkeitsdatum DateValue=Valutadatum @@ -341,8 +341,8 @@ KiloBytes=Kilobyte MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabyte -UserAuthor=Benutzer der Erstellung -UserModif=Benutzer des letzten Updates +UserAuthor=Angelegt von +UserModif=Geändert von b=b. Kb=Kb Mb=Mb @@ -362,7 +362,7 @@ UnitPriceHTCurrency=Stückpreis (netto) (Währung) UnitPriceTTC=Stückpreis (brutto) PriceU=VP PriceUHT=VP (netto) -PriceUHTCurrency=U.P (net) (currency) +PriceUHTCurrency=U.P. (netto) (Währung) PriceUTTC=St.-Pr. (inkl. Steuern) Amount=Betrag AmountInvoice=Rechnungsbetrag @@ -390,7 +390,7 @@ AmountTotal=Gesamtbetrag AmountAverage=Durchschnittsbetrag PriceQtyMinHT=Mindestmengenpreis (netto) PriceQtyMinHTCurrency=Stückpreis pro Menge (netto) (Währung) -PercentOfOriginalObject=Percent of original object +PercentOfOriginalObject=Prozent des ursprünglichen Objekts AmountOrPercent=Betrag oder Prozent Percentage=Prozentsatz Total=Gesamt @@ -503,9 +503,11 @@ By=Durch From=Von FromDate=von FromLocation=von -at=beim to=An To=An +ToDate=An +ToLocation=An +at=beim and=und or=oder Other=Andere @@ -843,7 +845,7 @@ XMoreLines=%s Zeile(n) versteckt ShowMoreLines=Mehr/weniger Zeilen anzeigen PublicUrl=Öffentliche URL AddBox=Box anfügen -SelectElementAndClick=Element auswählen und %s anklicken +SelectElementAndClick=Wählen Sie ein Element aus und klicken Sie auf %s PrintFile=Drucke Datei %s ShowTransaction=Transaktion auf Bankkonto anzeigen ShowIntervention=Zeige Serviceauftrag @@ -854,8 +856,8 @@ Denied=abgelehnt ListOf=Liste von %s ListOfTemplates=Liste der Vorlagen Gender=Geschlecht -Genderman=männlich -Genderwoman=weiblich +Genderman=Männlich +Genderwoman=Weiblich Genderother=Sonstige ViewList=Listenansicht ViewGantt=Gantt-Ansicht @@ -902,10 +904,10 @@ ViewAccountList=Hauptbuch anzeigen ViewSubAccountList=Unterkonten-Buch anzeigen RemoveString=Entfernen Sie die Zeichenfolge '%s' SomeTranslationAreUncomplete=Einige Sprachen sind nur teilweise übersetzt oder enthalten Fehler. Wenn Sie dies feststellen, können Sie die Übersetzungen unter https://www.transifex.com/dolibarr-association/dolibarr/translate/#de_DE/ verbessern bzw. ergänzen. -DirectDownloadLink=Public download link -PublicDownloadLinkDesc=Only the link is required to download the file -DirectDownloadInternalLink=Private download link -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file +DirectDownloadLink=Öffentlicher Download-Link +PublicDownloadLinkDesc=Zum Herunterladen der Datei ist nur der Link erforderlich +DirectDownloadInternalLink=Privater Download-Link +PrivateDownloadLinkDesc=Sie müssen eingeloggt sein und Berechtigungen zum Anzeigen oder Herunterladen der Datei benötigen Download=Download DownloadDocument=Dokument herunterladen ActualizeCurrency=Update-Wechselkurs @@ -1018,7 +1020,7 @@ SearchIntoContacts=Kontakte SearchIntoMembers=Mitglieder SearchIntoUsers=Benutzer SearchIntoProductsOrServices=Produkte oder Dienstleistungen -SearchIntoBatch=Lots / Serials +SearchIntoBatch=Lote / Serien SearchIntoProjects=Projekte SearchIntoMO=Fertigungsaufträge SearchIntoTasks=Aufgaben @@ -1055,13 +1057,13 @@ KeyboardShortcut=Tastatur Kürzel AssignedTo=Zugewiesen an Deletedraft=Entwurf löschen ConfirmMassDraftDeletion=Bestätigung Massenlöschung Entwurf -FileSharedViaALink=File shared with a public link +FileSharedViaALink=Datei mit einem öffentlichen Link geteilt SelectAThirdPartyFirst=Wähle zuerst einen Partner... YouAreCurrentlyInSandboxMode=Sie befinden sich derzeit im %s "Sandbox"-Modus Inventory=Inventur AnalyticCode=Analyse-Code TMenuMRP=Produktion -ShowCompanyInfos=Show company infos +ShowCompanyInfos=Firmeninfos anzeigen ShowMoreInfos=Zeige mehr Informationen NoFilesUploadedYet=Bitte zuerst ein Dokument hochladen SeePrivateNote=Private Notizen ansehen @@ -1128,4 +1130,5 @@ ConfirmAffectTag=Massen-Schlagwort-Affekt ConfirmAffectTagQuestion=Sind Sie sicher, dass Sie Tags für die ausgewählten Datensätze von %s beeinflussen möchten? CategTypeNotFound=Für den Datensatztyp wurde kein Tag-Typ gefunden CopiedToClipboard=In die Zwischenablage kopiert -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +InformationOnLinkToContract=Dieser Betrag ist nur die Summe aller Vertragszeilen. Zeitbegriff wird nicht berücksichtigt. +ConfirmCancel=Bist du sicher, dass du abbrechen möchtest diff --git a/htdocs/langs/de_DE/members.lang b/htdocs/langs/de_DE/members.lang index 5c8947f3a06..57b3887a7aa 100644 --- a/htdocs/langs/de_DE/members.lang +++ b/htdocs/langs/de_DE/members.lang @@ -15,24 +15,24 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Ein anderes Mitglied (Name: %s ErrorUserPermissionAllowsToLinksToItselfOnly=Aus Sicherheitsgründen müssen Sie die Berechtigungen zur Mitgliederbearbeitung besitzen, um ein Mitglied mit einem fremden Benutzerkonto (einem anderen als Ihrem eigenen) zu verknüpfen. SetLinkToUser=Mit Benutzer verknüpft SetLinkToThirdParty=Mit Partner verknüpft -MembersCards=Visitenkarten der Mitglieder +MembersCards=Visitenkarten für Mitglieder MembersList=Liste der Mitglieder MembersListToValid=Liste freizugebender Mitglieder MembersListValid=Liste freigegebener Mitglieder MembersListUpToDate=Aktuelle Mitgliederliste MembersListNotUpToDate=Ehemalige Mitglieder -MembersListExcluded=List of excluded members +MembersListExcluded=Liste der ausgeschlossenen Mitglieder MembersListResiliated=Liste der deaktivierten Mitglieder MembersListQualified=Liste der qualifizierten Mitglieder MenuMembersToValidate=Freizugebende MenuMembersValidated=Freigegebene Mitglieder -MenuMembersExcluded=Excluded members +MenuMembersExcluded=Ausgeschlossene Mitglieder MenuMembersResiliated=Deaktivierte Mitglieder MembersWithSubscriptionToReceive=Mitglieder mit ausstehendem Beitrag MembersWithSubscriptionToReceiveShort=Zu registrierende Mitglieder DateSubscription=Beitragsbeginn DateEndSubscription=Ablauf Beitragszeitraum -EndSubscription=Beitragsende +EndSubscription=Abonnement endet SubscriptionId=Beitrag-ID WithoutSubscription=Ohne Mitgliedschaft MemberId=Mitglied-ID @@ -49,12 +49,12 @@ MemberStatusActiveLate=Beitragszeitraum abgelaufen MemberStatusActiveLateShort=Abgelaufen MemberStatusPaid=Mitgliedschaft aktuell MemberStatusPaidShort=Aktuelle -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded +MemberStatusExcluded=Ausgeschlossenes Mitglied +MemberStatusExcludedShort=Ausgeschlossen MemberStatusResiliated=Deaktivierte Mitglieder MemberStatusResiliatedShort=Deaktiviert MembersStatusToValid=Freizugebende -MembersStatusExcluded=Excluded members +MembersStatusExcluded=Ausgeschlossene Mitglieder MembersStatusResiliated=Deaktivierte Mitglieder MemberStatusNoSubscription=Validiert (kein Beitrag erforderlich) MemberStatusNoSubscriptionShort=Freigegeben @@ -83,12 +83,12 @@ WelcomeEMail=Willkommen per E-Mail SubscriptionRequired=Beitrag erforderlich DeleteType=Löschen VoteAllowed=Stimmrecht -Physical=natürliche Person -Moral=juristische Person -MorAndPhy=juristisch und natürlich -Reenable=Reaktivieren -ExcludeMember=Exclude a member -ConfirmExcludeMember=Are you sure you want to exclude this member ? +Physical=Individuell +Moral=Konzern +MorAndPhy=Unternehmen und Einzelperson +Reenable=Erneut aktivieren +ExcludeMember=Ein Mitglied ausschließen +ConfirmExcludeMember=Möchten Sie dieses Mitglied wirklich ausschließen? ResiliateMember=Mitglied deaktivieren ConfirmResiliateMember=Möchten Sie dieses Mitglied wirklich deaktivieren? DeleteMember=Mitglied löschen @@ -144,7 +144,7 @@ DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Vorlage für eine E-Mail an ein Mi DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Vorlage für eine E-Mail an ein Mitglied wegen der Neuregistrierung DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Vorlage für eine E-Mail zur Erinnerung an die Beitragsfälligkeit DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Vorlage für eine E-Mail an ein Mitglied bei Erlöschen der Mitgliedschaft -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=E-Mail-Vorlage zum Senden von E-Mails an ein Mitglied unter Ausschluss von Mitgliedern DescADHERENT_MAIL_FROM=E-Mail-Adresse des Absenders bei automatischen Mails DescADHERENT_ETIQUETTE_TYPE=Format der Etikettenseite DescADHERENT_ETIQUETTE_TEXT=Text für den Druck auf der Mitglied-Adresskarte @@ -170,37 +170,37 @@ DocForLabels=Etiketten erstellen (Gewähltes Ausgabeformat: %s) SubscriptionPayment=Beitragszahlung LastSubscriptionDate=Datum der letzten Beitragszahlung LastSubscriptionAmount=Betrag des letzten Beitrags -LastMemberType=Last Member type +LastMemberType=Letzter Mitgliedstyp MembersStatisticsByCountries=Mitgliederstatistik nach Staaten MembersStatisticsByState=Mitgliederstatistik nach Bundesländern/Provinzen/Kantonen MembersStatisticsByTown=Mitgliederstatistik nach Städten MembersStatisticsByRegion=Mitgliederstatistik nach Regionen -NbOfMembers=Anzahl der Mitglieder -NbOfActiveMembers=Aktuelle Mitgliederzahl +NbOfMembers=Gesamtzahl der Mitglieder +NbOfActiveMembers=Gesamtzahl der aktuell aktiven Mitglieder NoValidatedMemberYet=Keine freizugebenden Mitglieder gefunden -MembersByCountryDesc=Anzeige der Mitgliederstatistik nach Staaten. (Die Grafik basiert auf Googles Online-Grafikservice und funktioniert nur, wenn eine Internetverbindung besteht.) -MembersByStateDesc=Anzeige der Mitgliederstatistik nach Bundesland/Provinz/Kanton. -MembersByTownDesc=Anzeige der Mitgliederstatistik nach Städten. +MembersByCountryDesc=Dieser Bildschirm zeigt Ihnen die Statistiken der Mitglieder nach Ländern. Grafiken und Diagramme hängen von der Verfügbarkeit des Google Online-Grafikdienstes sowie von der Verfügbarkeit einer funktionierenden Internetverbindung ab. +MembersByStateDesc=Dieser Bildschirm zeigt Ihnen Statistiken der Mitglieder nach Bundesland / Provinzen / Kanton. +MembersByTownDesc=Dieser Bildschirm zeigt Ihnen Statistiken der Mitglieder nach Stadt. +MembersByNature=Dieser Bildschirm zeigt Ihnen Statistiken der Mitglieder nach Art an. +MembersByRegion=Dieser Bildschirm zeigt Ihnen Statistiken der Mitglieder nach Region. MembersStatisticsDesc=Gewünschte Statistik auswählen ... MenuMembersStats=Statistik -LastMemberDate=Letztes Mitgliedschaftsdatum +LastMemberDate=Spätestes Mitgliedschaftsdatum LatestSubscriptionDate=Letztes Beitragsdatum MemberNature=Art des Mitglieds MembersNature=Art der Mitglieder Public=Informationen sind öffentlich NewMemberbyWeb=Neues Mitglied hinzugefügt, wartet auf Genehmigung. NewMemberForm=Formular neues Mitglied -SubscriptionsStatistics=Statistik der Beiträge +SubscriptionsStatistics=Abonnementstatistik NbOfSubscriptions=Anzahl der Beiträge -AmountOfSubscriptions=Betrag der Beiträge +AmountOfSubscriptions=Aus Abonnements gesammelter Betrag TurnoverOrBudget=Umsatz (Firma) oder Budget (Verein/Stiftung) DefaultAmount=Standardhöhe des Mitgliedsbeitrags CanEditAmount=Besucher können die Höhe des Mitgliedsbeitrags anpassen MEMBER_NEWFORM_PAYONLINE=Zur integrierten Bezahlseite gehen ByProperties=Natürlich MembersStatisticsByProperties=Natürliche Mitgliederstatistiken -MembersByNature=Anzeige der Mitgliederstatistiken -MembersByRegion=Anzeige der Mitgliederstatistiken nach Regionen. VATToUseForSubscriptions=Mehrwertsteuersatz für Beitrag NoVatOnSubscription=Beitrag ohne Mehrwertsteuer ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Verwendete(s) Produkt / Leistung für den Beitrag in der Rechnungszeile: %s diff --git a/htdocs/langs/de_DE/modulebuilder.lang b/htdocs/langs/de_DE/modulebuilder.lang index ad5c1c62c2e..8f91793c5f4 100644 --- a/htdocs/langs/de_DE/modulebuilder.lang +++ b/htdocs/langs/de_DE/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=Liste der definierten Berechtigungen SeeExamples=Beispiele hier EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Ist das Feld sichtbar? (Beispiele: 0 = Nie sichtbar, 1 = Auf Liste sichtbar und Formulare erstellen / aktualisieren / anzeigen, 2 = Nur auf Liste sichtbar, 3 = Nur auf Formular erstellen / aktualisieren / anzeigen (nicht Liste), 4 = Auf Liste sichtbar und nur sichtbar bei Formular aktualisieren / anzeigen (nicht erstellen), 5 = Nur im Formular für die Listenendansicht sichtbar (nicht erstellen, nicht aktualisieren).

Wenn ein negativer Wert verwendet wird, wird das Feld standardmäßig nicht in der Liste angezeigt, kann jedoch zur Anzeige ausgewählt werden.)

Es kann sich um einen Ausdruck handeln, z. B.:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Zeigt dieses Feld in kompatiblen PDF-Dokumenten an. Sie können die Position mit dem Feld "Position" verwalten.
Derzeit bekannt compatibles PDF-Modelle sind: eratosthenes (Bestellung), espadon (Lieferung), sponge (Rechnungen), cyan (propal / Offerten), cornas (Lieferanten-Auftrag)

Für Dokument:
0 = nicht angezeigen
1 = anzeigen
2 = nur anzeigen, wenn nicht leer

Für Belegzeilen:
0 = nicht angezeigt
1 = in einer Spalte
3 = Anzeige in Zeile Beschreibung Spalte nach der Beschreibung
4 = Anzeige in Spalte Beschreibung nach der angezeigten Beschreibung, nur wenn nicht leer +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Anzeige auf PDF IsAMeasureDesc=Kann der Wert des Feldes kumuliert werden, um eine Summe in die Liste aufzunehmen? (Beispiele: 1 oder 0) SearchAllDesc=Wird das Feld verwendet, um eine Suche über das Schnellsuchwerkzeug durchzuführen? (Beispiele: 1 oder 0) diff --git a/htdocs/langs/de_DE/mrp.lang b/htdocs/langs/de_DE/mrp.lang index 5efda355faf..7d3f687b6df 100644 --- a/htdocs/langs/de_DE/mrp.lang +++ b/htdocs/langs/de_DE/mrp.lang @@ -12,7 +12,7 @@ BillOfMaterials=Stückliste BOMsSetup=Stücklisten Modul einrichten ListOfBOMs=Stücklisten-Übersicht ListOfManufacturingOrders=Liste der Fertigungsaufträge -NewBOM=neue Stückliste +NewBOM=Neue Stückliste ProductBOMHelp=Produkt, das mit dieser Stückliste erstellt werden soll.
Hinweis: Produkte mit der Eigenschaft 'Art des Produkts' = 'Rohmaterial' sind in dieser Liste nicht sichtbar. BOMsNumberingModules=Vorlage für die Stücklistennummerierung BOMsModelModule=Dokumentvorlagen für Stücklisten @@ -22,7 +22,7 @@ FreeLegalTextOnBOMs=Freier Text auf dem Stücklisten-Dokument WatermarkOnDraftBOMs=Wasserzeichen auf Stücklisten-Entwürfen 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? +ConfirmCloneBillOfMaterials=Sind Sie sicher, dass Sie die Stückliste %s klonen möchten? ConfirmCloneMo=Möchten Sie den Fertigungsauftrag %s wirklich duplizieren? ManufacturingEfficiency=Produktionseffizienz ConsumptionEfficiency=Verbrauchseffizienz @@ -31,7 +31,7 @@ ValueOfMeansLossForProductProduced=Ein Wert von 0,95 bedeutet im Durchschnitt 5% DeleteBillOfMaterials=Stückliste löschen DeleteMo=Fertigungsauftrag löschen ConfirmDeleteBillOfMaterials=Möchten Sie diese Stückliste wirklich löschen? -ConfirmDeleteMo=Möchten Sie diesen Fertigungsauftrag wirklich löschen? +ConfirmDeleteMo=Möchten Sie diese Stückliste wirklich löschen? MenuMRP=Fertigungsaufträge NewMO=Neuer Fertigungsauftrag QtyToProduce=Produktionsmenge @@ -83,16 +83,14 @@ Workstations=Arbeitsplätze WorkstationsDescription=Arbeitsplatzverwaltung WorkstationSetup = Arbeitsplatz einrichten WorkstationSetupPage = Workstations setup page -WorkstationAbout = About Workstation -WorkstationAboutPage = Workstations about page WorkstationList=Liste Arbeitsplätze WorkstationCreate=neuen Arbeitsplatz hinzufügen ConfirmEnableWorkstation=Möchten Sie den Arbeitsplatz %s aktivieren? EnableAWorkstation=einen Arbeitsplatz aktivieren ConfirmDisableWorkstation=Are you sure you want to disable workstation %s ? -DisableAWorkstation=Disable a workstation -DeleteWorkstation=Supprimer -NbOperatorsRequired=Number of operators required +DisableAWorkstation=Deaktivieren Sie eine Workstation +DeleteWorkstation=Löschen +NbOperatorsRequired=Anzahl der erforderlichen Bediener THMOperatorEstimated=Estimated operator THM THMMachineEstimated=Estimated machine THM WorkstationType=Arbeitsplatztyp @@ -101,4 +99,4 @@ Machine=Maschine HumanMachine=Mensch & Maschine WorkstationArea=Workstation area Machines=Maschinen -THMEstimatedHelp=This rate makes it possible to define a forecast cost of the item +THMEstimatedHelp=Dieser Kurs ermöglicht es, prognostizierte Kosten des Artikels zu definieren diff --git a/htdocs/langs/de_DE/other.lang b/htdocs/langs/de_DE/other.lang index 1da316f5077..1c52689a5fa 100644 --- a/htdocs/langs/de_DE/other.lang +++ b/htdocs/langs/de_DE/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Installiere oder aktiviere die GD Bibliothek in der PHP Inst ProfIdShortDesc=Prof ID %s dient zur Speicherung landesabhängiger Partnerdaten.
Für das Land %s ist dies beispielsweise Code %s. DolibarrDemo=Dolibarr ERP/CRM-Demo StatsByNumberOfUnits=Statistik zu den Totalstückzahlen Produkte/Dienstleistungen -StatsByNumberOfEntities=Statistik durch Anzahl verweisender Einträge erstellt (Rechnungs- oder Angebotsnummer...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Anzahl Angebote NumberOfCustomerOrders=Anzahl der Kundenbestellungen NumberOfCustomerInvoices=Anzahl Kundenrechnungen @@ -289,4 +289,4 @@ PopuProp=Produkte / Dienstleistungen nach Beliebtheit in Angeboten PopuCom=Produkte / Dienstleistungen nach Beliebtheit in Bestellungen ProductStatistics=Produkt- / Dienstleistungsstatistik NbOfQtyInOrders=Menge in Bestellungen -SelectTheTypeOfObjectToAnalyze=Wählen Sie den zu analysierenden Objekttyp aus ... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/de_DE/partnership.lang b/htdocs/langs/de_DE/partnership.lang new file mode 100644 index 00000000000..7af57cdfae5 --- /dev/null +++ b/htdocs/langs/de_DE/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Startdatum +DatePartnershipEnd=Ende + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Entwurf +PartnershipAccepted = Bestätigt +PartnershipRefused = Abgelehnt +PartnershipCanceled = storniert + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/de_DE/productbatch.lang b/htdocs/langs/de_DE/productbatch.lang index de283a431bb..8c94e861397 100644 --- a/htdocs/langs/de_DE/productbatch.lang +++ b/htdocs/langs/de_DE/productbatch.lang @@ -25,11 +25,11 @@ ShowCurrentStockOfLot=Warenbestand für diese Chargen-/Seriennummer anzeigen ShowLogOfMovementIfLot=Bewegungen für diese Chargen-/Seriennummer anzeigen StockDetailPerBatch=Lagerdetail nach Chargen SerialNumberAlreadyInUse=Die Seriennummer %s wird bereits für das Produkt %s verwendet -TooManyQtyForSerialNumber=You can only have one product %s for serial number %s -BatchLotNumberingModules=Options for automatic generation of batch products managed by lots -BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers -CustomMasks=Adds an option to define mask in the product card -LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask -SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask -QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - +TooManyQtyForSerialNumber=Sie können nur ein Produkt %s für die Seriennummer %s haben +BatchLotNumberingModules=Optionen für die automatische Generierung von Chargenprodukten, die über Lose verwaltet werden +BatchSerialNumberingModules=Optionen für die automatische Generierung von Chargenprodukten, die über Seriennummern verwaltet werden +ManageLotMask=Benutzerdefinierte Maske +CustomMasks=Fügt eine Option zum Definieren der Maske in der Produktkarte hinzu +LotProductTooltip=Fügt der Produktkarte eine Option zum Definieren einer dedizierten Chargennummernmaske hinzu +SNProductTooltip=Fügt der Produktkarte eine Option zum Definieren einer dedizierten Seriennummernmaske hinzu +QtyToAddAfterBarcodeScan=Menge, die für jeden gescannten Barcode / jedes Los / jede Serienummer hinzugefügt werden muss diff --git a/htdocs/langs/de_DE/products.lang b/htdocs/langs/de_DE/products.lang index 1f0dacf0a52..44c45864ae2 100644 --- a/htdocs/langs/de_DE/products.lang +++ b/htdocs/langs/de_DE/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Leistungen nur für den Verkauf ServicesOnPurchaseOnly=Leistungen nur für den Einkauf ServicesNotOnSell=Services weder für Ein- noch Verkauf ServicesOnSellAndOnBuy=Leistungen für Ein- und Verkauf -LastModifiedProductsAndServices=Zuletzt bearbeitetete Produkte / Leistungen (maximal %s) +LastModifiedProductsAndServices=Neueste %s Produkte / Dienstleistungen, die geändert wurden LastRecordedProducts=Letzte %s erfasste Produkte/Leistungen LastRecordedServices=Zuletzt bearbeitete Leistungen (maximal %s) CardProduct0=Produkt @@ -73,12 +73,12 @@ SellingPrice=Verkaufspreis SellingPriceHT=Verkaufspreis (ohne Steuern) SellingPriceTTC=Verkaufspreis (inkl. USt.) SellingMinPriceTTC=Mindest-Verkaufspreis (inkl. MwSt.) -CostPriceDescription=In diesem Preisfeld (ohne MwSt.) können Sie den Durchschnittsbetrag speichern, den dieses Produkt Ihr Unternehmen kostet. Dies kann jeder Preis sein, den Sie selbst berechnen, beispielsweise aus dem durchschnittlichen Einkaufspreis zuzüglich der durchschnittlichen Produktions- und Vertriebskosten. +CostPriceDescription=Dieses Preisfeld (ohne Steuern) kann verwendet werden, um den durchschnittlichen Betrag zu erfassen, den dieses Produkt für Ihr Unternehmen kostet. Dies kann ein beliebiger Preis sein, den Sie selbst berechnen, beispielsweise aus dem durchschnittlichen Kaufpreis zuzüglich der durchschnittlichen Produktions- und Vertriebskosten. CostPriceUsage=Dieser Wert könnte für Margenberechnung genutzt werden. SoldAmount=Verkaufte Menge PurchasedAmount=angeschaffte Menge NewPrice=Neuer Preis -MinPrice=Mindestverkaufspreis +MinPrice=Mindest-Verkaufspreis EditSellingPriceLabel=Verkaufspreisschild bearbeiten CantBeLessThanMinPrice=Der Verkaufspreis darf den Mindestpreis für dieses Produkt (%s ohne USt.) nicht unterschreiten. Diese Meldung kann auch angezeigt werden, wenn Sie einen zu hohen Rabatt geben. ContractStatusClosed=Geschlossen @@ -157,11 +157,11 @@ ListServiceByPopularity=Liste der Leistungen nach Beliebtheit Finished=Eigenproduktion RowMaterial=Rohmaterial ConfirmCloneProduct=Möchten Sie das Produkt / die Leistung %s wirklich duplizieren? -CloneContentProduct=Allgemeine Informationen des Produkts / der Leistung duplizieren +CloneContentProduct=Klonen Sie alle wichtigen Informationen des Produkts / der Dienstleistung ClonePricesProduct=Preise duplizieren -CloneCategoriesProduct=Verknüpfte Tags / Kategorien duplizieren -CloneCompositionProduct=Virtuelles Produkt / Service klonen -CloneCombinationsProduct=Dupliziere Produkt-Variante +CloneCategoriesProduct=Klonen Sie verknüpfte Tags / Kategorien +CloneCompositionProduct=Klonen Sie virtuelle Produkte / Dienstleistungen +CloneCombinationsProduct=Klonen Sie die Produktvarianten ProductIsUsed=Produkt in Verwendung NewRefForClone=Artikelnummer neues Produkt / neue Leistung SellingPrices=Verkaufspreis @@ -170,12 +170,12 @@ CustomerPrices=Kundenpreise SuppliersPrices=Lieferanten Preise SuppliersPricesOfProductsOrServices=Herstellerpreise (von Produkten oder Dienstleistungen) CustomCode=Zolltarifnummer -CountryOrigin=Urspungsland -RegionStateOrigin=Ursprungsregion -StateOrigin=Ursprungs- Staat | Provinz -Nature=Produkttyp (Material / Fertig) +CountryOrigin=Herkunftsland +RegionStateOrigin=Herkunftsregion +StateOrigin=State|Province of origin +Nature=Art des Produkts (roh / hergestellt) NatureOfProductShort=Art des Produkts -NatureOfProductDesc=Rohstoff oder Fertigprodukt +NatureOfProductDesc=Rohmaterial oder hergestelltes Produkt ShortLabel=Kurzbezeichnung Unit=Einheit p=u. @@ -314,7 +314,7 @@ LastUpdated=Zuletzt aktualisiert CorrectlyUpdated=erfolgreich aktualisiert PropalMergePdfProductActualFile=verwendete Dateien, um in PDF Azur hinzuzufügen sind / ist PropalMergePdfProductChooseFile=Wähle PDF-Dateien -IncludingProductWithTag=Include products/services with tag +IncludingProductWithTag=Fügen Sie Produkte / Dienstleistungen dem Schlagwort hinzu DefaultPriceRealPriceMayDependOnCustomer=Standardpreis, echter Preis kann vom Kunden abhängig sein WarningSelectOneDocument=Bitte wählen Sie mindestens ein Dokument aus DefaultUnitToShow=Einheit diff --git a/htdocs/langs/de_DE/projects.lang b/htdocs/langs/de_DE/projects.lang index 963e12c139b..f1ffc0c7575 100644 --- a/htdocs/langs/de_DE/projects.lang +++ b/htdocs/langs/de_DE/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projektkontakte ProjectsImContactFor=Projekte, für die ich ausdrücklich ein Ansprechpartner bin AllAllowedProjects=Alle Projekte die ich sehen kann (eigene + öffentliche) AllProjects=alle Projekte -MyProjectsDesc=Ansicht beschränkt auf Projekte mit mir als Ansprechpartner +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Diese Ansicht zeigt alle Projekte, für die Sie zum Lesen berechtigt sind. TasksOnProjectsPublicDesc=Diese Ansicht zeigt alle Aufgaben der Projekte, für die Sie zum Lesen berechtigt sind. ProjectsPublicTaskDesc=Diese Ansicht ist beschränkt auf Projekt und Aufgaben bei welchen Sie über Leserechte verfügen. ProjectsDesc=Es werden alle Projekte angezeigt (Ihre Berechtigungen berechtigt Sie alle Projekte zu sehen). TasksOnProjectsDesc=Es werden alle Aufgaben angezeigt (Ihre Berechtigungen berechtigt Sie alles zu sehen). -MyTasksDesc=Diese Ansicht ist beschränkt asuf Projekte oder Aufgaben bei denen Sie als Ansprechspartner eingetragen sind +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Nur offene Projekte sind sichtbar. (Projekte mit dem Status Entwurf oder Geschlossen sind nicht sichtbar) ClosedProjectsAreHidden=Abgeschlossene Projekte werden nicht angezeigt. TasksPublicDesc=Diese Ansicht ist beschränkt auf Projekt und Aufgaben bei welchen Sie über Leserechte verfügen. TasksDesc=Diese Ansicht zeigt alle Projekte und Aufgaben (Ihre Benutzerberechtigungen berechtigt Sie alles zu sehen). AllTaskVisibleButEditIfYouAreAssigned=Alle Aufgaben für qualifizierte Projekte sind sichtbar, Sie können jedoch nur die Zeit für die Aufgabe eingeben, die dem ausgewählten Benutzer zugewiesen ist. Weisen Sie eine Aufgabe zu, wenn Sie Zeiten dafür eingeben müssen. -OnlyYourTaskAreVisible=Nur Ihnen zugewiesene Aufgaben sind sichtbar. Weisen Sie sich die Aufgabe zu, wenn Sie Zeiten auf der Aufgabe erfassen müssen. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Aufgaben der Projekte ProjectCategories=Projektkategorien/Tags NewProject=neues Projekt @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=nicht der Aufgabe zugewiesen NoUserAssignedToTheProject=Diesem Projekt sind keine Benutzer zugeordnet TimeSpentBy=Zeitaufwand durch TasksAssignedTo=Aufgabe zugewiesen an -AssignTaskToMe=Aufgabe mir selbst zuweisen +AssignTaskToMe=Assign task to myself AssignTaskToUser=Aufgabe an %s zuweisen SelectTaskToAssign=Zuzuweisende Aufgabe auswählen... AssignTask=Zuweisen diff --git a/htdocs/langs/de_DE/recruitment.lang b/htdocs/langs/de_DE/recruitment.lang index db4e52b8cbf..0c3d2aa7189 100644 --- a/htdocs/langs/de_DE/recruitment.lang +++ b/htdocs/langs/de_DE/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Vielen Dank für Ihre Bewerbung.
... JobClosedTextCandidateFound=Die Stelle ist geschlossen. Die Position wurde besetzt. JobClosedTextCanceled=Die Stelle ist geschlossen. ExtrafieldsJobPosition=Ergänzende Attribute (Stellenangebote) -ExtrafieldsCandidatures=Ergänzende Attribute (Bewerbungen) +ExtrafieldsApplication=Ergänzende Attribute (Bewerbungen) MakeOffer=Machen Sie ein Angebot diff --git a/htdocs/langs/de_DE/salaries.lang b/htdocs/langs/de_DE/salaries.lang index e405e235988..412c815f3e1 100644 --- a/htdocs/langs/de_DE/salaries.lang +++ b/htdocs/langs/de_DE/salaries.lang @@ -1,13 +1,16 @@ # Dolibarr language file - Source file is en_US - salaries -SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Standard Buchhaltungskonto für Benutzer Partner +SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Standard Buchhaltungskonto für Gehaltszahlungen SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=Das in der Benutzerkarte hinterlegte Konto wird nur für die Nebenbücher verwendet. Dieses Konto wird für das Hauptbuch und als Vorgabewert für die Nebenbücher verwendet, wenn beim Benutzer kein Konto hinterlegt ist. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Buchhaltungs-Konto für Löhne +CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=Lassen Sie beim Erstellen eines Gehalts standardmäßig die Option "Gesamtzahlung automatisch erstellen" leer Salary=Lohn Salaries=Löhne -NewSalaryPayment=Neue Lohnzahlung +NewSalary=Neues Gehalt +NewSalaryPayment=Neue Gehaltskarte AddSalaryPayment=Gehaltszahlung hinzufügen SalaryPayment=Lohnzahlung SalariesPayments=Lohnzahlungen +SalariesPaymentsOf=Gehaltszahlungen von %s ShowSalaryPayment=Zeige Lohnzahlung THM=Durchschnittlicher Stundensatz TJM=Durchschnittlicher Tagessatz diff --git a/htdocs/langs/de_DE/sendings.lang b/htdocs/langs/de_DE/sendings.lang index 482de9a27e7..8fceea20bd4 100644 --- a/htdocs/langs/de_DE/sendings.lang +++ b/htdocs/langs/de_DE/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Möchten Sie die Lieferung mit der Referenz %s wir ConfirmCancelSending=Möchten Sie diese Auslieferung wirklich abbrechen? DocumentModelMerou=Merou A5-Modell WarningNoQtyLeftToSend=Achtung, keine weiteren Produkte für den Versand. -StatsOnShipmentsOnlyValidated=Versandstatistik (nur freigegebene). Das Datum ist das der Freigabe (geplantes Lieferdatum ist nicht immer bekannt). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Geplanter Liefertermin RefDeliveryReceipt=Lieferschein-Nr. StatusReceipt=Der Status des Lieferschein diff --git a/htdocs/langs/de_DE/stocks.lang b/htdocs/langs/de_DE/stocks.lang index 997f17adbf5..810ce4a351d 100644 --- a/htdocs/langs/de_DE/stocks.lang +++ b/htdocs/langs/de_DE/stocks.lang @@ -19,8 +19,8 @@ Stock=Warenbestand Stocks=Warenbestände MissingStocks=Fehlende Bestände StockAtDate=Lagerbestände zum Datum -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future +StockAtDateInPast=Datum in der Vergangenheit +StockAtDateInFuture=Datum in der Zukunft StocksByLotSerial=Lagerbestand nach Chargen/Serien LotSerial=Chargen/Serien LotSerialList=Liste der Chargen-/Seriennummern @@ -37,8 +37,8 @@ AllWarehouses=Alle Warenlager IncludeEmptyDesiredStock=Schließe auch negative Bestände mit undefinierten gewünschten Beständen ein IncludeAlsoDraftOrders=Fügen Sie auch Auftragsentwürfe hinzu Location=Standort -LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products +LocationSummary=Kurzname des Ortes +NumberOfDifferentProducts=Anzahl einzigartiger Produkte NumberOfProducts=Anzahl Produkte LastMovement=Letzte Bewegung LastMovements=Letzte Bewegungen @@ -62,7 +62,7 @@ EnhancedValueOfWarehouses=Lagerwert UserWarehouseAutoCreate=Automatisch ein Lager erstellen wenn ein neuer Benutzer erstellt wird AllowAddLimitStockByWarehouse=Verwalten Sie zusätzlich zum Wert für den Mindest- und den gewünschten Bestand pro Paar (Produktlager) auch den Wert für den Mindest- und den gewünschten Bestand pro Produkt RuleForWarehouse=Regel für Lager -WarehouseAskWarehouseOnThirparty=Set a warehouse on third-party +WarehouseAskWarehouseOnThirparty=Stellen Sie ein Lager auf einem Drittanbieter ein WarehouseAskWarehouseDuringPropal=Ein Lager zu dem Angebot einstellen WarehouseAskWarehouseDuringOrder=Legen Sie ein Lager für Verkaufsaufträge fest UserDefaultWarehouse=Legen Sie ein Lager für Benutzer fest @@ -91,23 +91,23 @@ NoPredefinedProductToDispatch=Es erfolgt keine Lagerbestandsänderung da keine v DispatchVerb=Position(en) verbuchen StockLimitShort=Grenzwert für Alarm StockLimit=Mindestbestand vor Warnung -StockLimitDesc=(leer) bedeutet keine Warnung.
0 kann für eine Warnung verwendet werden, sobald der Bestand leer ist. +StockLimitDesc=(leer) bedeutet keine Warnung.
0 kann verwendet werden, um eine Warnung auszulösen, sobald der Bestand leer ist. PhysicalStock=Aktueller Lagerbestand RealStock=tatsächlicher Bestand RealStockDesc=Der aktuelle Lagerbestand ist die Stückzahl, die aktuell und physikalisch in Ihren Warenlagern vorhanden ist. RealStockWillAutomaticallyWhen=Der tatsächliche Bestand wird gemäß dieser Regel geändert (wie im Bestandsmodul definiert): VirtualStock=Theoretischer Lagerbestand VirtualStockAtDate=Virtueller Bestand zum Datum -VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished +VirtualStockAtDateDesc=Virtueller Bestand, sobald alle ausstehenden Bestellungen, deren Bearbeitung vor dem ausgewählten Datum geplant ist, abgeschlossen sind VirtualStockDesc=Virtueller Bestand ist der berechnete Bestand, der verfügbar ist, sobald alle offenen / ausstehenden Aktionen (die sich auf den Bestand auswirken) abgeschlossen sind (eingegangene Bestellungen, versendete Kundenaufträge, produzierte Fertigungsaufträge usw.). -AtDate=At date +AtDate=Zum Zeitpunkt IdWarehouse=Warenlager ID DescWareHouse=Beschreibung Warenlager LieuWareHouse=Standort Warenlager WarehousesAndProducts=Warenlager und Produkte WarehousesAndProductsBatchDetail=Warenlager und Produkte (mit Detail per lot / serial) AverageUnitPricePMPShort=Gewichteter Warenwert -AverageUnitPricePMPDesc=The input average unit price we had to expense to get 1 unit of product into our stock. +AverageUnitPricePMPDesc=Den eingegebenen durchschnittlichen Stückpreis mussten wir aufwenden, um 1 Produkteinheit in unseren Lagerbestand zu bringen. SellPriceMin=Verkaufspreis EstimatedStockValueSellShort=Verkaufswert EstimatedStockValueSell=Verkaufswert @@ -147,7 +147,7 @@ Replenishments=Nachbestellung NbOfProductBeforePeriod=Menge des Produkts %s im Lager vor der gewählten Periode (< %s) NbOfProductAfterPeriod=Menge des Produkts %s im Lager nach der gewählten Periode (> %s) MassMovement=Massenbewegung -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". +SelectProductInAndOutWareHouse=Wählen Sie ein Quelllager und ein Ziellager, ein Produkt und eine Menge aus und klicken Sie auf "%s". Sobald dies für alle erforderlichen Bewegungen erledigt ist, klicken Sie auf "%s". RecordMovement=Umbuchung ReceivingForSameOrder=Verbuchungen zu dieser Bestellung StockMovementRecorded=Lagerbewegungen aufgezeichnet @@ -156,7 +156,7 @@ StockMustBeEnoughForInvoice=Ein ausreichender Lagerbestand ist erforderlich, um StockMustBeEnoughForOrder=Der Lagerbestand muss ausreichen, um der Bestellung ein Produkt / eine Dienstleistung hinzuzufügen. StockMustBeEnoughForShipment= Ein ausreichender Lagerbestand ist erforderlich, um Produkte/Leistungen zum Versand hinzuzufügen. (Die Prüfung gegen den aktuellen tatsächlichen Lagerbestand erfolgt, wenn eine Zeile zum Versand hinzugefügt wird, unabhängig von der Regel zur automatischen Lagerbestandsänderung.) MovementLabel=Titel der Lagerbewegung -TypeMovement=Direction of movement +TypeMovement=Bewegungsrichtung DateMovement=Datum Lagerbewegung InventoryCode=Bewegungs- oder Bestandscode IsInPackage=In Paket enthalten @@ -185,7 +185,7 @@ inventoryCreatePermission=Neue Inventur erstellen inventoryReadPermission=Inventar anzeigen inventoryWritePermission=Inventar aktualisieren inventoryValidatePermission=Inventur freigeben -inventoryDeletePermission=Delete inventory +inventoryDeletePermission=Inventar löschen inventoryTitle=Inventar inventoryListTitle=Inventuren inventoryListEmpty=Keine Inventarisierung in Arbeit @@ -238,20 +238,20 @@ StockIsRequiredToChooseWhichLotToUse=Ein Lagerbestand ist erforderlich, um das z ForceTo=Erzwingen AlwaysShowFullArbo=Anzeige des vollständigen Angebots (Popup des Lager-Links). Warnung: Dies kann die Leistung erheblich beeinträchtigen. StockAtDatePastDesc=Du kannst hier den Lagerbestand (Realbestand) zu einem bestimmten Datum in der Vergangenheit anzeigen -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future +StockAtDateFutureDesc=Sie können hier den Bestand (virtueller Bestand) zu einem bestimmten Zeitpunkt in der Zukunft anzeigen CurrentStock=Aktueller Lagerbestand InventoryRealQtyHelp=Setze den Wert auf 0, um die Menge zurückzusetzen.
Feld leer lassen oder Zeile entfernen, um unverändert zu lassen -UpdateByScaning=Fill real qty by scaning +UpdateByScaning=Füllen Sie die tatsächliche Menge durch Scannen UpdateByScaningProductBarcode=Update per Scan (Produkt-Barcode) UpdateByScaningLot=Update per Scan (Charge | serieller Barcode) DisableStockChangeOfSubProduct=Deaktivieren Sie den Lagerwechsel für alle Unterprodukte dieses Satzes während dieser Bewegung. -ImportFromCSV=Import CSV list of movement +ImportFromCSV=CSV-Bewegungsliste importieren ChooseFileToImport=Datei hochladen und dann auf das Symbol %s klicken, um die Datei als Quell-Importdatei auszuwählen ... -SelectAStockMovementFileToImport=select a stock movement file to import -InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
CSV character separator must be "%s" -LabelOfInventoryMovemement=Inventory %s +SelectAStockMovementFileToImport=Wählen Sie eine zu importierende Bestandsbewegungs-Datei aus +InfoTemplateImport=Hochgeladene Dateien müssen dieses Format haben (* sind Pflichtfelder):
Startlager * | Ziellager * | Produkt * | Menge * | Los- / Seriennummer
Das CSV-Zeichentrennzeichen muss " %s " sein. +LabelOfInventoryMovemement=Inventar %s ReOpen=wiedereröffnen -ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock. -ObjectNotFound=%s not found -MakeMovementsAndClose=Generate movements and close -AutofillWithExpected=Fill real quantity with expected quantity +ConfirmFinish=Bestätigen Sie den Abschluss des Inventars? Dadurch werden alle Bestandsbewegungen generiert, um Ihren Bestand zu aktualisieren. +ObjectNotFound=%s nicht gefunden +MakeMovementsAndClose=Bewegungen erzeugen und schließen +AutofillWithExpected=Füllen Sie die reale Menge mit der erwarteten Menge diff --git a/htdocs/langs/de_DE/supplier_proposal.lang b/htdocs/langs/de_DE/supplier_proposal.lang index 73d6044115f..93994b30256 100644 --- a/htdocs/langs/de_DE/supplier_proposal.lang +++ b/htdocs/langs/de_DE/supplier_proposal.lang @@ -13,6 +13,7 @@ SupplierProposalArea=Bereich Lieferantenangebote SupplierProposalShort=Lieferanten Angebot SupplierProposals=Lieferantenangebote SupplierProposalsShort=Lieferantenangebote +AskPrice=Preisanfrage NewAskPrice=neue Preisanfrage ShowSupplierProposal=Preisanfrage anzeigen AddSupplierProposal=Preisanfrage erstellen @@ -52,3 +53,6 @@ SupplierProposalsToClose=zu schließende Lieferantenangebote SupplierProposalsToProcess=Lieferantenangebote zu Verarbeiten LastSupplierProposals=letzte %s Preisanfragen AllPriceRequests=Alle Anfragen +TypeContact_supplier_proposal_external_SHIPPING=Lieferantenkontakt für die Lieferung +TypeContact_supplier_proposal_external_BILLING=Lieferantenkontakt für die Abrechnung +TypeContact_supplier_proposal_external_SERVICE=Vertreter für Angebot diff --git a/htdocs/langs/de_DE/ticket.lang b/htdocs/langs/de_DE/ticket.lang index 87cbe3e8ab8..d11fe870838 100644 --- a/htdocs/langs/de_DE/ticket.lang +++ b/htdocs/langs/de_DE/ticket.lang @@ -70,7 +70,7 @@ Deleted=Gelöscht # Dict Type=Typ Severity=Dringlichkeit -TicketGroupIsPublic=Group is public +TicketGroupIsPublic=Gruppe ist öffentlich TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface # Email templates @@ -306,11 +306,11 @@ BoxLastModifiedTicketContent= BoxLastModifiedTicketNoRecordedTickets=Keine zuletzt bearbeiteten Tickets BoxTicketType=Number of open tickets by type BoxTicketSeverity=Number of open tickets by severity -BoxNoTicketSeverity=No tickets opened +BoxNoTicketSeverity=Keine Tickets geöffnet BoxTicketLastXDays=Number of new tickets by days the last %s days BoxTicketLastXDayswidget = Number of new tickets by days the last X days BoxNoTicketLastXDays=No new tickets the last %s days -BoxNumberOfTicketByDay=Number of new tickets by day +BoxNumberOfTicketByDay=Anzahl neuer Tickets pro Tag BoxNewTicketVSClose=Number of today's new tickets versus today's closed tickets -TicketCreatedToday=Ticket created today -TicketClosedToday=Ticket closed today +TicketCreatedToday=Ticket heute erstellt +TicketClosedToday=Ticket heute geschlossen diff --git a/htdocs/langs/de_DE/users.lang b/htdocs/langs/de_DE/users.lang index 7449ffc83c4..c9f6aae0eb0 100644 --- a/htdocs/langs/de_DE/users.lang +++ b/htdocs/langs/de_DE/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Neues Passwort: %s SubjectNewPassword=Ihr neues Passwort für %s GroupRights=Gruppenberechtigungen UserRights=Benutzerberechtigungen +Credentials=Credentials UserGUISetup=Konfiguration der Benutzeranzeige DisableUser=Deaktiviere Benutzer DisableAUser=Einen Benutzer deaktivieren @@ -105,7 +106,7 @@ UseTypeFieldToChange=Nutzen sie das Feld "Typ" zum Ändern OpenIDURL=OpenID URL LoginUsingOpenID=Verwende OpenID für Anmeldung WeeklyHours=Sollarbeitszeit (Stunden pro Woche) -ExpectedWorkedHours=Erwartete Wochenarbeitszeit +ExpectedWorkedHours=Expected hours worked per week ColorUser=Benutzerfarbe DisabledInMonoUserMode=Deaktiviert im Wartungsmodus UserAccountancyCode=Buchhaltungscode Benutzer @@ -115,7 +116,7 @@ DateOfEmployment=Anstellungsdatum DateEmployment=Mitarbeiter DateEmploymentstart=Beschäftigungsbeginn DateEmploymentEnd=Beschäftigungsende -RangeOfLoginValidity=Datumsbereich der Anmeldegültigkeit +RangeOfLoginValidity=Access validity date range CantDisableYourself=Sie können nicht ihr eigenes Benutzerkonto deaktivieren ForceUserExpenseValidator=Überprüfung der Spesenabrechnung erzwingen ForceUserHolidayValidator=Gültigkeitsprüfer für Urlaubsanträge erzwingen diff --git a/htdocs/langs/de_DE/website.lang b/htdocs/langs/de_DE/website.lang index 81cfe83913f..d0d0c79f4b2 100644 --- a/htdocs/langs/de_DE/website.lang +++ b/htdocs/langs/de_DE/website.lang @@ -46,7 +46,7 @@ SetHereVirtualHost=  Verwendung mit Apache / NGinx / ...
Erstellen ExampleToUseInApacheVirtualHostConfig=Beispiel für die Einrichtung eines virtuellen Apache-Hosts: YouCanAlsoTestWithPHPS=Verwendung mit eingebettetem PHP-Server
In der Entwicklungsumgebung können Sie die Site mit dem eingebetteten PHP-Webserver (PHP 5.5 erforderlich) testen, indem Sie
php -S 0.0.0.0:8080 -t %s ausführen. YouCanAlsoDeployToAnotherWHP=Betreibe deine Website mit einem anderen Dolibarr Hosting-Anbieter
Wenn kein Apache oder NGinx Webserver online verfügbar ist, kann deine Website exportiert und importiert werden und zu einer anderen Dolibarr Instanz umziehen, die durch einen anderen Dolibarr Hosting-Anbieter mit kompletter Integration des Webseiten-Moduls bereitgestellt wird. Eine Liste mit Dolibarr Hosting-Anbietern ist hier abufbar https://saas.dolibarr.org -CheckVirtualHostPerms=Check also that the virtual host user (for example www-data) has %s permissions on files into
%s +CheckVirtualHostPerms=Überprüfen Sie auch, ob der Benutzer des virtuellen Hosts (z.B. www-daten) über die Berechtigungen %s für Dateien in
%sverfügt ReadPerm=Lesen WritePerm=Schreiben TestDeployOnWeb=Test/Bereitstellung im Web @@ -137,11 +137,11 @@ PagesRegenerated=%s Seite(n) / Container neu generiert RegenerateWebsiteContent=Generieren Sie Website-Cache-Dateien neu AllowedInFrames=In Frames erlaubt DefineListOfAltLanguagesInWebsiteProperties=Definiere eine Liste aller verfügbaren Sprachen in den Website-Eigenschaften. -GenerateSitemaps=Generate website sitemap file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap generiert +GenerateSitemaps=Generieren Sie eine Website-Sitemap-Datei +ConfirmGenerateSitemaps=Wenn Sie dies bestätigen, löschen Sie die vorhandene Sitemap-Datei ... +ConfirmSitemapsCreation=Bestätigen Sie die Sitemap-Generierung +SitemapGenerated=Sitemap-Datei %s generiert ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconType=Favicon muss png sein +ErrorFaviconSize=Favicon muss die Größe 16x16, 32x32 oder 64x64 haben +FaviconTooltip=Laden Sie ein Bild hoch, das ein PNG sein muss (16x16, 32x32 oder 64x64). diff --git a/htdocs/langs/de_DE/zapier.lang b/htdocs/langs/de_DE/zapier.lang index 708a80255dd..f3a7595f87e 100644 --- a/htdocs/langs/de_DE/zapier.lang +++ b/htdocs/langs/de_DE/zapier.lang @@ -17,5 +17,5 @@ ModuleZapierForDolibarrName = Zapier für Dolibarr ModuleZapierForDolibarrDesc = Modul: Zapier für Dolibarr ZapierForDolibarrSetup=Zapier für Dolibarr einrichten ZapierDescription=Schnittstelle mit Zapier -ZapierAbout=About the module Zapier +ZapierAbout=Über das Modul Zapier ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. diff --git a/htdocs/langs/el_CY/accountancy.lang b/htdocs/langs/el_CY/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/el_CY/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/el_CY/admin.lang b/htdocs/langs/el_CY/admin.lang index c5a529c1701..74ee870f906 100644 --- a/htdocs/langs/el_CY/admin.lang +++ b/htdocs/langs/el_CY/admin.lang @@ -1,3 +1,2 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" 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/el_CY/cron.lang b/htdocs/langs/el_CY/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/el_CY/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/el_CY/modulebuilder.lang b/htdocs/langs/el_CY/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/el_CY/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/el_GR/accountancy.lang b/htdocs/langs/el_GR/accountancy.lang index 20c087472ee..169f7870426 100644 --- a/htdocs/langs/el_GR/accountancy.lang +++ b/htdocs/langs/el_GR/accountancy.lang @@ -16,17 +16,17 @@ ThisService=Αυτή η υπηρεσία ThisProduct=Αυτό το προϊόν DefaultForService=Προεπιλογή για υπηρεσία DefaultForProduct=Προεπιλογή για το προϊόν -ProductForThisThirdparty=Product for this thirdparty -ServiceForThisThirdparty=Service for this thirdparty +ProductForThisThirdparty=Προϊόν προς τρίτο +ServiceForThisThirdparty=Υπηρεσία προς τρίτο CantSuggest=Δεν μπορώ να προτείνω AccountancySetupDoneFromAccountancyMenu=Η μεγαλύτερη ρύθμιση της λογιστικής γίνεται από το μενού %s -ConfigAccountingExpert=Configuration of the module accounting (double entry) +ConfigAccountingExpert=Διαμόρφωση της λογιστικής ενότητας (διπλή καταχώριση) Journalization=Περιοδικότητα Journals=Ημερολόγια JournalFinancial=Οικονομικά ημερολόγια BackToChartofaccounts=Επιστροφή στο διάγραμμα των λογαριασμών Chartofaccounts=Διάγραμμα λογαριασμών -ChartOfSubaccounts=Chart of individual accounts +ChartOfSubaccounts=Διάγραμμα μεμονωμένων λογαριασμών ChartOfIndividualAccountsOfSubsidiaryLedger=Chart of individual accounts of the subsidiary ledger CurrentDedicatedAccountingAccount=Τρέχον ειδικό λογαριασμό AssignDedicatedAccountingAccount=Νέος λογαριασμός προς ανάθεση @@ -47,9 +47,9 @@ CountriesInEEC=Χώρες στην ΕΟΚ CountriesNotInEEC=Χώρες που δεν βρίσκονται στην ΕΟΚ CountriesInEECExceptMe=Χώρες στην ΕΟΚ εκτός από το %s CountriesExceptMe=Όλες οι χώρες εκτός από το %s -AccountantFiles=Export source documents +AccountantFiles=Εξαγωγή εγγράφων προέλευσης ExportAccountingSourceDocHelp=With this tool, you can export the source events (list and PDFs) that were used to generate your accountancy. To export your journals, use the menu entry %s - %s. -VueByAccountAccounting=View by accounting account +VueByAccountAccounting=Προβολή κατά λογιστικό λογαριασμό VueBySubAccountAccounting=View by accounting subaccount MainAccountForCustomersNotDefined=Κύριος λογαριασμός λογιστικής για πελάτες που δεν έχουν οριστεί στη ρύθμιση @@ -202,7 +202,7 @@ Docref=Παραπομπή LabelAccount=Ετικέτα λογαριασμού LabelOperation=Λειτουργία ετικετών Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Κωδικός γράμματος Lettering=Γράμματα Codejournal=Ημερολόγιο @@ -297,7 +297,7 @@ NoNewRecordSaved=Δεν υπάρχει πλέον ρεκόρ για να κάν ListOfProductsWithoutAccountingAccount=Κατάλογος προϊόντων που δεν δεσμεύονται σε κανένα λογιστικό λογαριασμό ChangeBinding=Αλλάξτε τη σύνδεση Accounted=Πληρώθηκε σε -NotYetAccounted=Δεν έχει ακόμη καταλογιστεί στο βιβλίο +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Εμφάνιση εκπαιδευτικού προγράμματος NotReconciled=Δεν ταιριάζουν WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/el_GR/admin.lang b/htdocs/langs/el_GR/admin.lang index 1dcc70267fa..f8d1dab5376 100644 --- a/htdocs/langs/el_GR/admin.lang +++ b/htdocs/langs/el_GR/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Αφαιρέστε/μετονομάστε το αρχείο %s RestoreLock=Επαναφέρετε το αρχείο %s, με δικαίωμα ανάγνωσης μόνο, για να απενεργοποιηθεί οποιαδήποτε χρήση του εργαλείου ενημέρωσης/εγκατάστασης. SecuritySetup=Διαχείριση Ασφάλειας PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Καθορίστε εδώ τις επιλογές που σχετίζονται με την ασφάλεια σχετικά με τη μεταφόρτωση αρχείων. ErrorModuleRequirePHPVersion=Λάθος, αυτή η ενότητα απαιτεί έκδοση PHP %s ή μεγαλύτερη ErrorModuleRequireDolibarrVersion=Λάθος, αυτό το module απαιτεί Dolibarr έκδοση %s ή μεγαλύτερη @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Χωρίς πρόταση πληρωμής NoActiveBankAccountDefined=Δεν έχει οριστεί ενεργός λογαριασμός τράπεζας OwnerOfBankAccount=Ιδιοκτήτης του λογαριασμού τράπεζας %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Εμφάνιση συνδέσμου link %s +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Συναγερμοί DelaysOfToleranceBeforeWarning=Καθυστέρηση πριν εμφανιστεί μια ειδοποίηση προειδοποίησης για: DelaysOfToleranceDesc=Ορίστε την καθυστέρηση πριν εμφανιστεί στην οθόνη το εικονίδιο ειδοποίησης %s στην οθόνη για το καθυστερημένο στοιχείο. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Εμφάνιση επαγγελματικής ταυτότητας με διευθύνσεις ShowVATIntaInAddress=Απόκρυψη ενδοκοινοτικού αριθμού ΦΠΑ με διευθύνσεις TranslationUncomplete=Ημιτελής μεταγλώττιση @@ -2062,7 +2064,7 @@ UseDebugBar=Χρησιμοποιήστε τη γραμμή εντοπισμού DEBUGBAR_LOGS_LINES_NUMBER=Αριθμός τελευταίων γραμμών καταγραφής που διατηρούνται στην κονσόλα WarningValueHigherSlowsDramaticalyOutput=Προειδοποίηση, οι υψηλότερες τιμές επιβραδύνουν την δραματική παραγωγή ModuleActivated=Η ενότητα %s ενεργοποιείται και επιβραδύνει τη διεπαφή -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/el_GR/banks.lang b/htdocs/langs/el_GR/banks.lang index 083d6c75e3c..869392e158b 100644 --- a/htdocs/langs/el_GR/banks.lang +++ b/htdocs/langs/el_GR/banks.lang @@ -37,7 +37,7 @@ IbanValid=έγκυρο IBAN IbanNotValid=Μη έγκυρο IBAN StandingOrders=Direct debit orders StandingOrder=Παραγγελία άμεσης χρέωσης -PaymentByDirectDebit=Payment by direct debit +PaymentByDirectDebit=πληρωμή άμεσης χρέωσης PaymentByBankTransfers=Payments by credit transfer PaymentByBankTransfer=Payment by credit transfer AccountStatement=Κίνηση Λογαριασμού @@ -109,13 +109,13 @@ SocialContributionPayment=Σίγουρα θέλετε να μαρκάρετε α BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Εσωτερική μεταφορά -TransferDesc=Μεταφορά από έναν λογαριασμό σε άλλο, ο Dolibarr θα γράψει δύο εγγραφές (μια χρέωση στο λογαριασμό προέλευσης και μια πίστωση στο λογαριασμό-στόχος). Το ίδιο ποσό (εκτός από το σύμβολο), η ετικέτα και η ημερομηνία θα χρησιμοποιηθούν για αυτήν τη συναλλαγή) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Από TransferTo=Προς TransferFromToDone=Η μεταφορά από %s στον %s του %s %s έχει καταγραφεί. -CheckTransmitter=Διαβιβαστής +CheckTransmitter=Αποστολέας ValidateCheckReceipt=Επικύρωση αυτής της απόδειξης παραλαβής επιταγής; -ConfirmValidateCheckReceipt=Είστε σίγουροι πως θέλετε να επικυρώσετε αυτή την απόδειξη παραλαβής επιταγής; Δεν μπορούν να γίνουν αλλαγές αφού γίνει αυτό. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Διαγραφή απόδειξης παραλαβής επιταγής; ConfirmDeleteCheckReceipt=Είστε σίγουροι πως θέλετε να διαγράψετε αυτή την απόδειξη παραλαβής επιταγής; BankChecks=Τραπεζικές Επιταγές @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Είστε βέβαιοι ότι θέλετε να δι ThisWillAlsoDeleteBankRecord=Αυτό θα διαγράψει επίσης την εισερχόμενη είσοδο στην τράπεζα BankMovements=Κινήσεις PlannedTransactions=Προγραμματισμένες καταχωρήσεις -Graph=Γραφικά +Graph=Graphs ExportDataset_banque_1=Τραπεζικές εγγραφές και αποδείξεις κατάθεσης ExportDataset_banque_2=Απόδειξη κατάθεσης TransactionOnTheOtherAccount=Συναλλαγή σε άλλο λογαριασμό @@ -142,7 +142,7 @@ AllAccounts=Όλοι οι τραπεζικοί και ταμιακοί λογα BackToAccount=Επιστροφή στον λογαριασμό ShowAllAccounts=Εμφάνιση Όλων των Λογαριασμών FutureTransaction=Μελλοντική συναλλαγή. Δεν μπορεί να συμφιλιωθεί. -SelectChequeTransactionAndGenerate=Επιλέξτε/Φίλτρο ελέγχου για να συμπεριλάβετε στην απόδειξη κατάθεσης και κάντε κλικ "δημιουργία". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Επιλέξτε την κατάσταση των τραπεζών που συνδέονται με τη διαδικασία συνδιαλλαγής. Χρησιμοποιήστε μια σύντομη αριθμητική τιμή όπως: YYYYMM ή YYYYMMDD EventualyAddCategory=Τέλος, καθορίστε μια κατηγορία στην οποία θα ταξινομηθούν οι εγγραφές ToConciliate=Για να συμφιλιωθώ; diff --git a/htdocs/langs/el_GR/bills.lang b/htdocs/langs/el_GR/bills.lang index c65c89b3990..ae038097718 100644 --- a/htdocs/langs/el_GR/bills.lang +++ b/htdocs/langs/el_GR/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Μετατρέψτε το επιπλέον ποσό π EnterPaymentReceivedFromCustomer=Εισαγωγή πληρωμής από πελάτη EnterPaymentDueToCustomer=Πληρωμή προς προμηθευτή DisabledBecauseRemainderToPayIsZero=Ανενεργό λόγο μηδενικού υπολοίπου πληρωμής -PriceBase=Τιμή βάσης +PriceBase=Base price BillStatus=Κατάσταση τιμολογίου StatusOfGeneratedInvoices=Κατάσταση δημιουργηθέντων τιμολογίων BillStatusDraft=Πρόχειρο (απαιτείται επικύρωση) @@ -454,7 +454,7 @@ RegulatedOn=Ρυθμιζόμενη για ChequeNumber=Αριθμός Επιταγής ChequeOrTransferNumber=Αρ. Επιταγής/Μεταφοράς ChequeBordereau=Check schedule -ChequeMaker=Έλεγχος/Μεταφορά διαβιβαστής +ChequeMaker=Check/Transfer sender ChequeBank=Τράπεζα Επιταγής CheckBank=Επιταγή NetToBePaid=Φόρος προς πληρωμή diff --git a/htdocs/langs/el_GR/boxes.lang b/htdocs/langs/el_GR/boxes.lang index 4f0e98e4b5e..500ad99dc8d 100644 --- a/htdocs/langs/el_GR/boxes.lang +++ b/htdocs/langs/el_GR/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Σελιδοδείκτες: τελευταίες %s BoxOldestExpiredServices=Παλαιότερες ενεργές υπηρεσίες που έχουν λήξει BoxLastExpiredServices=Τελευταίες %s παλαιότερες επαφές με ενεργές υπηρεσίες λήξαν BoxTitleLastActionsToDo=Τελευταίες %s ενέργειες προς πραγμαοποίηση -BoxTitleLastContracts=Τελευταίες τροποποιημένες συμβάσεις %s -BoxTitleLastModifiedDonations=Τελευταία %s τροποποίηση δωρεών -BoxTitleLastModifiedExpenses=Τελευταίες αναφορές τροποποιημένων δαπανών %s -BoxTitleLatestModifiedBoms=Τα τελευταία %s τροποποιημένα BOMs -BoxTitleLatestModifiedMos=Οι τελευταίες %s τροποποιημένες παραγγελίες κατασκευής +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Η γενική δραστηριότητα για (τιμολόγια, προσφορές, παραγγελίες) BoxGoodCustomers=Καλοί πελάτες diff --git a/htdocs/langs/el_GR/cashdesk.lang b/htdocs/langs/el_GR/cashdesk.lang index 52d5e03abb0..e5887eb2a47 100644 --- a/htdocs/langs/el_GR/cashdesk.lang +++ b/htdocs/langs/el_GR/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Πάτωμα AddTable=Προσθήκη πίνακα Place=Θέση TakeposConnectorNecesary=Απαιτείται 'Connector TakePOS' -OrderPrinters=Παραγγείλετε εκτυπωτές +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Αναζήτηση προϊόντος Receipt=Παραλαβή Header=Επί κεφαλής @@ -56,8 +57,9 @@ Paymentnumpad=Τύπος πλακέτας για να πληκτρολογήσε Numberspad=Αριθμητικό Pad BillsCoinsPad=Νομίσματα και τραπεζογραμμάτια Pad DolistorePosCategory=Δομοστοιχεία TakePOS και άλλες λύσεις POS για Dolibarr -TakeposNeedsCategories=Το TakePOS χρειάζεται κατηγορίες προϊόντων για εργασία -OrderNotes=Σημειώσεις Παραγγελίας +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Προεπιλεγμένος λογαριασμός που θα χρησιμοποιηθεί για πληρωμές σε NoPaimementModesDefined=Δεν έχει ρυθμιστεί η λειτουργία πρατηρίου που έχει οριστεί στη διαμόρφωση του TakePOS TicketVatGrouped=Ομαδικός ΦΠΑ ανά τιμή σε εισιτήρια | αποδείξεις @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Το τιμολόγιο έχει ήδη επικυρω NoLinesToBill=Δεν υπάρχουν γραμμές που να χρεώνουν CustomReceipt=Προσαρμοσμένη παραλαβή ReceiptName=Όνομα παραλαβής -ProductSupplements=Συμπληρώματα προϊόντων +ProductSupplements=Manage supplements of products SupplementCategory=Συμπλήρωμα κατηγορίας ColorTheme=Χρώμα θέματος Colorful=Πολύχρωμα @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Απλή και εύκολη εκτύπωση απόδειξης. Μόνο μερικές παράμετροι για τη διαμόρφωση της απόδειξης. Εκτύπωση μέσω προγράμματος περιήγησης. TakeposConnectorMethodDescription=Εξωτερική μονάδα με επιπλέον χαρακτηριστικά. Δυνατότητα εκτύπωσης από το σύννεφο. PrintMethod=Μέθοδος εκτύπωσης -ReceiptPrinterMethodDescription=Ισχυρή μέθοδος με πολλές παραμέτρους. Πλήρως προσαρμόσιμο με πρότυπα. Δεν είναι δυνατή η εκτύπωση από το σύννεφο. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Από τερματικό TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/el_GR/categories.lang b/htdocs/langs/el_GR/categories.lang index 68d647b9361..daa6bbcad43 100644 --- a/htdocs/langs/el_GR/categories.lang +++ b/htdocs/langs/el_GR/categories.lang @@ -3,20 +3,20 @@ Rubrique=Ετικέτα/Κατηγορία Rubriques=Ετικέτες/Κατηγορίες RubriquesTransactions=Ετικέτες / Κατηγορίες συναλλαγών categories=Ετικέτες/Κατηγορίες -NoCategoryYet=Δεν έχει δημιουργηθεί τέτοια ετικέτα/κατηγορία +NoCategoryYet=No tag/category of this type has been created In=Μέσα AddIn=Προσθήκη σε modify=Αλλαγή Classify=Ταξινόμηση CategoriesArea=Πεδίο Ετικέτες/Κατηγορίες -ProductsCategoriesArea=Πεδίο Προϊόντα/Υπηρεσίες Ετικέτες/Κατηγορίες -SuppliersCategoriesArea=Περιοχές ετικετών / κατηγοριών προμηθευτών -CustomersCategoriesArea=Πεδίο Ετικέτα/Κατηγορία Πελάτη -MembersCategoriesArea=Πεδίο Ετικέτα/Κατηγορία Μελών -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Περιοχή ετικετών / κατηγοριών χρηστών +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Υποκατηγορίες CatList=Λίστα Ετικετών/Κατηγοριών CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Επιλέξτε κατηγορία StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Χρήση ή χειριστής για κατηγορίες +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/el_GR/companies.lang b/htdocs/langs/el_GR/companies.lang index 8169c283b42..4f0015bba4b 100644 --- a/htdocs/langs/el_GR/companies.lang +++ b/htdocs/langs/el_GR/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Το όνομα τις εταιρίας %s υπάρχει ήδη. Επιλέξτε κάποιο άλλο. ErrorSetACountryFirst=Πρώτα πρέπει να οριστεί η χώρα SelectThirdParty=Επιλέξτε ένα Πελ./Προμ. -ConfirmDeleteCompany=Είστε σίγουροι ότι θέλετε να διαγράψετε την εταιρία και όλες τις σχετικές πληροφορίες; +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Διαγραφή προσώπου επικοινωνίας -ConfirmDeleteContact=Είστε βέβαιοι ότι θέλετε να διαγράψετε αυτήν την επαφή και όλες τις πληροφορίες της; +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Νέο τρίτο μέρος MenuNewCustomer=Νέος πελάτης MenuNewProspect=Νέα Προοπτική @@ -69,7 +69,7 @@ PhoneShort=Τηλέφωνο Skype=Skype Call=Κλήση Chat=Συνομιλία -PhonePro=Επαγγ. τηλέφωνο +PhonePro=Bus. phone PhonePerso=Προσωπ. τηλέφωνο PhoneMobile=Κιν. τηλέφωνο No_Email=Απορρίψτε μαζικά μηνύματα ηλεκτρονικού ταχυδρομείου @@ -78,7 +78,7 @@ Zip=Ταχ. Κώδικας Town=Πόλη Web=Ιστοσελίδα Poste= Θέση -DefaultLang=Η προεπιλεγμένη γλώσσα +DefaultLang=Default language VATIsUsed=Φόρος πωλήσεων που χρησιμοποιήθηκε VATIsUsedWhenSelling=Αυτό ορίζει αν αυτός ο τρίτος περιλαμβάνει φόρο πώλησης ή όχι όταν εκδίδει τιμολόγιο στους δικούς του πελάτες VATIsNotUsed=Ο φόρος επί των πωλήσεων δεν χρησιμοποιείται @@ -331,7 +331,7 @@ CustomerCodeDesc=Κωδικός πελάτη, μοναδικός για κάθε SupplierCodeDesc=Κωδικός προμηθευτή, μοναδικό για όλους τους προμηθευτές RequiredIfCustomer=Απαιτείται αν το στοιχείο είναι πελάτης ή προοπτική RequiredIfSupplier=Απαιτείται αν κάποιος τρίτος είναι πωλητής -ValidityControledByModule=Η ισχύς ελέγχεται από την ενότητα +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Κανόνες για αυτήν την ενότητα ProspectToContact=Προοπτική σε Επαφή CompanyDeleted="%s" διαγράφηκε από την βάση δεδομένων @@ -439,12 +439,12 @@ ListSuppliersShort=Λίστα προμηθευτών ListProspectsShort=Κατάλογος προοπτικών ListCustomersShort=Κατάλογος πελατών ThirdPartiesArea=Τρίτα μέρη / Επαφές -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Σύνολο Τρίτων Μερών +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Ανοίξτε ActivityCeased=Κλειστό ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=Κατάλογος των προϊόντων/υπηρεσιών σε %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Τρέχον εκκρεμείς λογαριασμός OutstandingBill=Μέγιστο. για εκκρεμείς λογαριασμό OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Customer/supplier code is free. This code can be modified ManagingDirectors=Διαχειριστής (ες) ονομασία (CEO, διευθυντής, πρόεδρος ...) MergeOriginThirdparty=Διπλότυπο Πελ./Προμ. ( Πελ./Προμ. θέλετε να διαγραφεί) MergeThirdparties=Συγχώνευση Πελ./Προμ. -ConfirmMergeThirdparties=Είστε βέβαιοι ότι θέλετε να συγχωνεύσετε αυτό το τρίτο μέρος στην τρέχουσα; Όλα τα συνδεδεμένα αντικείμενα (τιμολόγια, παραγγελίες, ...) θα μεταφερθούν στο τρέχον τρίτο μέρος, τότε το τρίτο μέρος θα διαγραφεί. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Τα τρίτα μέρη έχουν συγχωνευθεί SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/el_GR/compta.lang b/htdocs/langs/el_GR/compta.lang index 7697b910499..79ee056c5dc 100644 --- a/htdocs/langs/el_GR/compta.lang +++ b/htdocs/langs/el_GR/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Νέα έκπτωση NewCheckDeposit=Νέα κατάθεση επιταγής NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=Δεν υπάρχουν επιταγές που αναμένουν κατάθεση. -DateChequeReceived=Check reception input date +DateChequeReceived=Check receiving date NbOfCheques=Αριθμός ελέγχων PaySocialContribution=Πληρωμή Κοινωνικής/Φορολογικής εισφοράς PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/el_GR/ecm.lang b/htdocs/langs/el_GR/ecm.lang index 35a09265da3..45292bcf911 100644 --- a/htdocs/langs/el_GR/ecm.lang +++ b/htdocs/langs/el_GR/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/el_GR/errors.lang b/htdocs/langs/el_GR/errors.lang index 9cf45c8c449..6375725cdb3 100644 --- a/htdocs/langs/el_GR/errors.lang +++ b/htdocs/langs/el_GR/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Κανένα σφάλμα # Errors ErrorButCommitIsDone=Σφάλματα που διαπιστώθηκαν αλλά παρόλα αυτά επικυρώνει -ErrorBadEMail=Το μήνυμα ηλεκτρονικού ταχυδρομείου %s είναι λάθος -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=%s url είναι λάθος +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Είσοδος %s υπάρχει ήδη. @@ -46,8 +46,8 @@ ErrorWrongDate=Η ημερομηνία δεν είναι σωστή! ErrorFailedToWriteInDir=Αποτυχία εγγραφής στον %s φάκελο ErrorFoundBadEmailInFile=Βρέθηκε εσφαλμένη σύνταξη e-mail για %s γραμμές στο αρχείο (%s γραμμή παράδειγμα με e-mail = %s) ErrorUserCannotBeDelete=Ο χρήστης δεν μπορεί να διαγραφεί. Ίσως σχετίζεται με οντότητες Dolibarr. -ErrorFieldsRequired=Ορισμένα από τα απαιτούμενα πεδία δεν έχουν συμπληρωθεί. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Αποτυχία δημιουργίας φακέλου. Βεβαιωθείτε ότι ο Web server χρήστης έχει δικαιώματα να γράψει στο φάκελο εγγράφων του Dolibarr. Αν η safe_mode παράμετρος είναι ενεργοποιημένη για την PHP, ελέγξτε ότι τα αρχεία php του Dolibarr ανήκουν στον web server χρήστη (ή ομάδα). ErrorNoMailDefinedForThisUser=Δεν έχει οριστεί mail για αυτόν το χρήστη ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Η σελίδα / κοντέινερ ErrorDuringChartLoad=Σφάλμα κατά τη φόρτωση του γραφήματος λογαριασμών. Εάν δεν έχουν φορτωθεί μερικοί λογαριασμοί, μπορείτε να τις εισαγάγετε με μη αυτόματο τρόπο. ErrorBadSyntaxForParamKeyForContent=Κακή σύνταξη για παράμετρο κλειδί για ικανοποίηση. Πρέπει να έχει μια τιμή ξεκινώντας με %s ή %s ErrorVariableKeyForContentMustBeSet=Σφάλμα, πρέπει να οριστεί η σταθερά με το όνομα %s (με περιεχόμενο κειμένου για εμφάνιση) ή %s (με εξωτερική διεύθυνση URL για εμφάνιση). +ErrorURLMustEndWith=URL %s must end %s ErrorURLMustStartWithHttp=Η διεύθυνση URL %s πρέπει να ξεκινά με http: // ή https: // ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// ErrorNewRefIsAlreadyUsed=Σφάλμα, η νέα αναφορά χρησιμοποιείται ήδη @@ -296,3 +297,4 @@ WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connec WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. ErrorActionCommPropertyUserowneridNotDefined=User's owner is required ErrorActionCommBadType=Selected event type (id: %n, code: %s) do not exist in Event Type dictionary +CheckVersionFail=Version check fail diff --git a/htdocs/langs/el_GR/eventorganization.lang b/htdocs/langs/el_GR/eventorganization.lang new file mode 100644 index 00000000000..82e04f0830e --- /dev/null +++ b/htdocs/langs/el_GR/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Ρυθμίσεις +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Πρόχειρο +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Ολοκληρωμένες +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/el_GR/knowledgemanagement.lang b/htdocs/langs/el_GR/knowledgemanagement.lang new file mode 100644 index 00000000000..21723681aa0 --- /dev/null +++ b/htdocs/langs/el_GR/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Ρυθμίσεις +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Πληροφορίες +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Πώληση +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/el_GR/mails.lang b/htdocs/langs/el_GR/mails.lang index 42009943751..feccce11ccf 100644 --- a/htdocs/langs/el_GR/mails.lang +++ b/htdocs/langs/el_GR/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Στο χρήστη (ες) MailCC=Αντιγραφή σε MailToCCUsers=Αντιγραφή σε χρήστες MailCCC=Cached copy to -MailTopic=Θέμα ηλεκτρονικού ταχυδρομείου +MailTopic=Email subject MailText=Μήνυμα MailFile=Επισυναπτώμενα Αρχεία MailMessage=Κείμενο email @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Διαμόρφωση αποστολή email έχει ρυθμιστεί σε '%s'. Αυτή η λειτουργία δεν μπορεί να χρησιμοποιηθεί για να σταλθούν μαζικά μηνύματα ηλεκτρονικού ταχυδρομείου. MailSendSetupIs2=Θα πρέπει πρώτα να πάτε, με έναν λογαριασμό διαχειριστή, στο μενού %s Αρχική - Ρύθμιση - Emails %s για να αλλάξετε την παράμετρο '%s' για να χρησιμοποιήσετε τη λειτουργία '%s'. Με αυτόν τον τρόπο, μπορείτε να μεταβείτε στις ρυθμίσεις του διακομιστή SMTP παρέχεται από τον Internet Service Provider και να χρησιμοποιήσετε τη Μαζική αποστολή ηλεκτρονικού ταχυδρομείου. MailSendSetupIs3=Αν έχετε οποιαδήποτε απορία σχετικά με το πώς να ρυθμίσετε το διακομιστή SMTP σας, μπορείτε να ζητήσετε στο %s. diff --git a/htdocs/langs/el_GR/main.lang b/htdocs/langs/el_GR/main.lang index 529012bbdec..8b2ee02ce42 100644 --- a/htdocs/langs/el_GR/main.lang +++ b/htdocs/langs/el_GR/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Αποθήκευση και Νέο TestConnection=Δοκιμή Σύνδεσης ToClone=Κλωνοποίηση ConfirmCloneAsk=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε το αντικείμενο %s ; -ConfirmClone=Επιλέξτε τα δεδομένα που θέλετε να κλωνοποιήσετε: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Δεν καθορίστηκαν δεδομένα προς κλωνοποίηση. Of=του Go=Μετάβαση @@ -246,7 +246,7 @@ DefaultModel=Προεπιλεγμένο πρότυπο εγγράφου Action=Ενέργεια About=Πληροφορίες Number=Αριθμός -NumberByMonth=Αριθμός ανά μήνα +NumberByMonth=Total reports by month AmountByMonth=Ποσό ανά μήνα Numero=Αριθμός Limit=Όριο @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=ΜΒ GigaBytes=GB TeraBytes=TB -UserAuthor=Χρήστης της δημιουργίας -UserModif=Χρήστης της τελευταίας ενημέρωσης +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Από From=Από FromDate=Από FromLocation=Από -at=at to=πρός To=πρός +ToDate=πρός +ToLocation=πρός +at=at and=και or=ή Other=Άλλο @@ -843,7 +845,7 @@ XMoreLines=%s γραμμή (ές) κρυμμένη ShowMoreLines=Εμφάνιση περισσότερων / λιγότερων γραμμών PublicUrl=Δημόσια URL AddBox=Προσθήκη πεδίου -SelectElementAndClick=Επιλέξτε ένα στοιχείο και κάντε κλικ στο %s +SelectElementAndClick=Select an element and click on %s PrintFile=Εκτύπωση του αρχείου %s ShowTransaction=Εμφάνιση καταχώρισης σε τραπεζικό λογαριασμό ShowIntervention=Εμφάνιση παρέμβασης @@ -854,8 +856,8 @@ Denied=Άρνηση ListOf=Λίστα %s ListOfTemplates=Κατάλογος των προτύπων Gender=Φύλο -Genderman=Άνδρας -Genderwoman=Γυναίκα +Genderman=Male +Genderwoman=Female Genderother=Άλλο ViewList=Προβολή λίστας ViewGantt=Gantt θέα @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/el_GR/members.lang b/htdocs/langs/el_GR/members.lang index c207035309f..aae93b47a00 100644 --- a/htdocs/langs/el_GR/members.lang +++ b/htdocs/langs/el_GR/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Σύνδεση σε ένα χρήστη του Dolibarr SetLinkToThirdParty=Σύνδεση σε ένα στοιχείο του Dolibarr -MembersCards=Επιχειρηματικές κάρτες μελών +MembersCards=Business cards for members MembersList=Λίστα μελών MembersListToValid=Λίστα πρόχειρων Μελών (προς επικύρωση) MembersListValid=Λίστα έγκυρων μελών @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Μέλη αναμένοντα για λήψη MembersWithSubscriptionToReceiveShort=Εγγραφή για λήψη DateSubscription=Ημερομηνία συνδρομής DateEndSubscription=Ημερομηνία Λήξης Συνδρομής -EndSubscription=Λήξη συνδρομής +EndSubscription=Subscription Ends SubscriptionId=Κωδ. συνδρομής WithoutSubscription=Without subscription MemberId=id Μέλους @@ -83,10 +83,10 @@ WelcomeEMail=Καλώς ήλθατε SubscriptionRequired=Απαιτείται Συνδρομή DeleteType=Διαγραφή VoteAllowed=Δικαίωμα ψήφου -Physical=Φυσικό -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Επανενεργοποίηση +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Τερματίστε ένα μέλος @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Μέλη στατιστικές ανά χώρα MembersStatisticsByState=Τα μέλη στατιστικών στοιχείων από πολιτεία / επαρχία MembersStatisticsByTown=Τα μέλη στατιστικών στοιχείων από την πόλη MembersStatisticsByRegion=Στατιστικά Μελών ανά περιοχή -NbOfMembers=Αριθμός μελών -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Δεν επικυρώνονται τα μέλη βρέθηκαν -MembersByCountryDesc=Αυτή η οθόνη σας δείξει στατιστικά στοιχεία σχετικά με τα μέλη από τις χώρες. Graphic εξαρτάται, ωστόσο, στην υπηρεσία της Google online διάγραμμα και είναι διαθέσιμο μόνο αν μια σύνδεση στο Διαδίκτυο είναι λειτουργεί. -MembersByStateDesc=Αυτή η οθόνη σας δείξει στατιστικά στοιχεία σχετικά με τα μέλη από το κράτος / επαρχίες / Canton. -MembersByTownDesc=Αυτή η οθόνη σας δείξει στατιστικά στοιχεία σχετικά με τα μέλη από την πόλη. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Επιλέξτε στατιστικά στοιχεία που θέλετε να διαβάσετε ... MenuMembersStats=Στατιστικά -LastMemberDate=Τελευταία ημερομηνία μέλους +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Φύση του μέλους -MembersNature=Nature of members -Public=Δημόσιο +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Νέο μέλος πρόσθεσε. Εν αναμονή έγκρισης NewMemberForm=Νέα μορφή μέλος -SubscriptionsStatistics=Στατιστικά στοιχεία για τις συνδρομές +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Αριθμός συνδρομών -AmountOfSubscriptions=Ποσό των συνδρομών +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Κύκλος εργασιών (για μια επιχείρηση), ή του προϋπολογισμού (για ένα ίδρυμα) DefaultAmount=Προεπιλογή ποσό της συνδρομής CanEditAmount=Επισκέπτης μπορεί να επιλέξει / επεξεργαστείτε το ποσό της συνδρομής του MEMBER_NEWFORM_PAYONLINE=Μετάβαση στην ολοκληρωμένη ηλεκτρονική σελίδα πληρωμής ByProperties=Εκ ΦΥΣΕΩΣ MembersStatisticsByProperties=Στατιστικά στοιχεία μελών κατά φύση -MembersByNature=Αυτή η οθόνη εμφανίζει στατιστικά για τα μέλη του από τη φύση τους. -MembersByRegion=Αυτή η οθόνη εμφανίζει στατιστικά για τα μέλη κατά περιοχή. VATToUseForSubscriptions=Συντελεστή ΦΠΑ που θα χρησιμοποιηθεί για τις συνδρομές NoVatOnSubscription=Δεν υπάρχει ΦΠΑ για συνδρομές ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Το προϊόν χρησιμοποιείται για τη γραμμή από συνδρομές στο τιμολόγιο: %s diff --git a/htdocs/langs/el_GR/modulebuilder.lang b/htdocs/langs/el_GR/modulebuilder.lang index 0bd432819a2..38271e678cc 100644 --- a/htdocs/langs/el_GR/modulebuilder.lang +++ b/htdocs/langs/el_GR/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Εμφανίστε αυτό το πεδίο σε συμβατά έγγραφα PDF, μπορείτε να διαχειριστείτε τη θέση με το πεδίο "Θέση".
Επί του παρόντος, γνωστά μοντέλα συμβατούς PDF είναι: Ερατοσθένης ο Κυρηναίος (σειρά), espadon (πλοίο), σφουγγάρι (τιμολόγια), κυανό (propal / εισαγωγικά), cornas (αύξων προμηθευτή)

Για εγγράφου:
0 = δεν εμφανίζονται
1 = οθόνη
2 = εμφανιστεί μόνο αν δεν αδειάσει

Για τις γραμμές εγγράφου:
0 = δεν εμφανίζονται
1 = εμφανίζονται σε μια στήλη
3 = οθόνη στη στήλη περιγραφή γραμμή μετά την περιγραφή
4 = οθόνη στη στήλη περιγραφή μετά την περιγραφή μόνο αν δεν είναι άδεια +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Εμφάνιση σε PDF IsAMeasureDesc=Μπορεί η τιμή του πεδίου να συσσωρευτεί για να πάρει ένα σύνολο σε λίστα; (Παραδείγματα: 1 ή 0) SearchAllDesc=Χρησιμοποιείται το πεδίο για την αναζήτηση από το εργαλείο γρήγορης αναζήτησης; (Παραδείγματα: 1 ή 0) diff --git a/htdocs/langs/el_GR/other.lang b/htdocs/langs/el_GR/other.lang index 4bb80016fa5..ba4ae37fdda 100644 --- a/htdocs/langs/el_GR/other.lang +++ b/htdocs/langs/el_GR/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Εγκαταστήστε ή ενεργοποιήστε τη ProfIdShortDesc=Καθ %s ταυτότητα είναι μια ενημερωτική ανάλογα με τρίτη χώρα μέρος.
Για παράδειγμα, για %s χώρα, είναι %s κώδικα. DolibarrDemo=Dolibarr ERP / CRM demo StatsByNumberOfUnits=Στατιστικά στοιχεία για το σύνολο των ποσοτήτων προϊόντων / υπηρεσιών -StatsByNumberOfEntities=Στατιστικά στοιχεία σχετικά με τον αριθμό των παραπέμποντων οντοτήτων (αριθμός τιμολογίου ή παραγγελία ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Αριθμός προτάσεων NumberOfCustomerOrders=Αριθμός παραγγελιών πωλήσεων NumberOfCustomerInvoices=Αριθμός τιμολογίων πελατών @@ -289,4 +289,4 @@ PopuProp=Προϊόντα / Υπηρεσίες κατά δημοτικότητα PopuCom=Προϊόντα / Υπηρεσίες κατά δημοτικότητα στις παραγγελίες ProductStatistics=Στατιστικά Προϊόντων / Υπηρεσιών NbOfQtyInOrders=Ποσότητα σε παραγγελίες -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/el_GR/partnership.lang b/htdocs/langs/el_GR/partnership.lang new file mode 100644 index 00000000000..053c669c718 --- /dev/null +++ b/htdocs/langs/el_GR/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Ημερομηνία έναρξης +DatePartnershipEnd=Ημερομηνία λήξης + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Πρόχειρο +PartnershipAccepted = Αποδεκτή +PartnershipRefused = Απορρίφθηκε +PartnershipCanceled = Ακυρώθηκε + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/el_GR/productbatch.lang b/htdocs/langs/el_GR/productbatch.lang index 8032b64030a..8a21232571c 100644 --- a/htdocs/langs/el_GR/productbatch.lang +++ b/htdocs/langs/el_GR/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/el_GR/products.lang b/htdocs/langs/el_GR/products.lang index 4ba5147607a..e6d9bdc533d 100644 --- a/htdocs/langs/el_GR/products.lang +++ b/htdocs/langs/el_GR/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Υπηρεσίες προς πώληση μόνο ServicesOnPurchaseOnly=Υπηρεσίες μόνο για αγορά ServicesNotOnSell=Υπηρεσίες μη διαθέσιμες για αγορά ή πώληση ServicesOnSellAndOnBuy=Υπηρεσίες προς πώληση και για αγορά -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=%s τελευταία εγγεγραμμένα προϊόντα LastRecordedServices=%s τελευταία εγγεγραμμένες υπηρεσίες CardProduct0=Προϊόν @@ -73,12 +73,12 @@ SellingPrice=Τιμή Πώλησης SellingPriceHT=Τιμή πώλησης (εκτός φόρου) SellingPriceTTC=Τιμή Πώλησης (με Φ.Π.Α) SellingMinPriceTTC=Ελάχιστη τιμή πώλησης (με φόρο) -CostPriceDescription=Αυτό το πεδίο τιμών (εκτός φόρου) μπορεί να χρησιμοποιηθεί για την αποθήκευση του μέσου ποσού που το προϊόν αυτό κοστίζει στην εταιρεία σας. Μπορεί να είναι οποιαδήποτε τιμή εσείς υπολογίζετε, για παράδειγμα από τη μέση τιμή αγοράς συν το μέσο κόστος παραγωγής και διανομής. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Αυτή η τιμή θα μπορούσε να χρησιμοποιηθεί για υπολογισμό περιθωρίου. SoldAmount=Πωλήθηκε ποσό PurchasedAmount=Αγορασμένο ποσό NewPrice=Νέα Τιμή -MinPrice=Ελάχιστη. τιμή πώλησης +MinPrice=Min. selling price EditSellingPriceLabel=Επεξεργασία ετικέτας τιμής πώλησης CantBeLessThanMinPrice=Η τιμή πώλησης δεν μπορεί να είναι μικρότερη από την ορισμένη ελάχιστη τιμή πώλησης (%s χωρίς Φ.Π.Α.) ContractStatusClosed=Κλειστό @@ -157,11 +157,11 @@ ListServiceByPopularity=Κατάλογος των υπηρεσιών κατά δ Finished=Κατασκευασμένο Προϊόν RowMaterial=Πρώτη ύλη ConfirmCloneProduct=Είστε βέβαιοι ότι θέλετε να κλωνοποιήσετε το προϊόν ή την υπηρεσία %s ? -CloneContentProduct=Κλωνοποιήστε όλες τις κύριες πληροφορίες του προϊόντος / υπηρεσίας +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Τιμές κλωνισμού -CloneCategoriesProduct=Ετικέτες / κατηγορίες κλωνοποίησης συνδεδεμένες -CloneCompositionProduct=Κλωνοποίηση εικονικού προϊόντος / υπηρεσίας -CloneCombinationsProduct=Κλωνίστε τις παραλλαγές του προϊόντος +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Μεταχειρισμένο NewRefForClone=Ref. of new product/service SellingPrices=Τιμές Πώλησης @@ -170,12 +170,12 @@ CustomerPrices=Τιμές Πελατών SuppliersPrices=Τιμές πωλητών SuppliersPricesOfProductsOrServices=Τιμές πωλητών (προϊόντων ή υπηρεσιών) CustomCode=Customs|Commodity|HS code -CountryOrigin=Χώρα προέλευσης -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Φύση προϊόντος (υλικό / τελικό) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Σύντομη ετικέτα Unit=Μονάδα p=Μονάδα diff --git a/htdocs/langs/el_GR/projects.lang b/htdocs/langs/el_GR/projects.lang index df429d6a631..eac3f4fcede 100644 --- a/htdocs/langs/el_GR/projects.lang +++ b/htdocs/langs/el_GR/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Αντιπρόσωποι του έργου ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Όλα τα έργα που μπορώ να διαβάσω (δικά μου + δημόσια) AllProjects=Όλα τα έργα -MyProjectsDesc=Αυτή η προβολή περιορίζεται στα έργα για τα οποία είστε μια επαφή +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Η άποψη αυτή παρουσιάζει όλα τα έργα σας επιτρέπεται να διαβάσετε. TasksOnProjectsPublicDesc=Αυτή η προβολή παρουσιάζει όλες τις εργασίες στα έργα που επιτρέπεται να διαβάσετε. ProjectsPublicTaskDesc=Αυτή η προβολή παρουσιάζει όλα τα έργα και τα καθήκοντα που επιτρέπεται να δείτε. ProjectsDesc=Η άποψη αυτή παρουσιάζει όλα τα έργα (δικαιώματα χρήστη να δώσει δικαίωμα για να δείτε τα πάντα). TasksOnProjectsDesc=Αυτή η προβολή παρουσιάζει όλες τις εργασίες σε όλα τα έργα (οι άδειες χρήστη σας επιτρέπουν να δείτε τα πάντα). -MyTasksDesc=Αυτή η προβολή περιορίζεται σε έργα ή εργασίες για τα οποία είστε μια επαφή +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Είναι ορατά μόνο τα ανοιχτά έργα (δεν εμφανίζονται έργα σε μορφή πρόχειρης ή κλειστής). ClosedProjectsAreHidden=Τα κλειστά έργα δεν είναι ορατά. TasksPublicDesc=Η άποψη αυτή παρουσιάζει όλα τα έργα και τα καθήκοντα που επιτρέπεται να διαβάζουν. TasksDesc=Η άποψη αυτή παρουσιάζει όλα τα έργα και τα καθήκοντα (δικαιώματα χρήστη να δώσει δικαίωμα για να δείτε τα πάντα). AllTaskVisibleButEditIfYouAreAssigned=Όλες οι εργασίες για πιστοποιημένα έργα είναι ορατές, αλλά μπορείτε να εισάγετε χρόνο μόνο για εργασία που έχει εκχωρηθεί σε επιλεγμένο χρήστη. Εκχωρήστε εργασία αν χρειαστεί να εισαγάγετε χρόνο σε αυτήν. -OnlyYourTaskAreVisible=Μόνο τα καθήκοντα που σας έχουν εκχωρηθεί είναι ορατά. Αντιστοιχίστε την εργασία στον εαυτό σας αν δεν είναι ορατή και πρέπει να εισάγετε χρόνο σε αυτήν. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Καθήκοντα έργων ProjectCategories=Ετικέτες / κατηγορίες έργου NewProject=Νέο Έργο @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Δεν έχει ανατεθεί στην εργα NoUserAssignedToTheProject=Δεν έχουν ανατεθεί χρήστες σε αυτό το έργο TimeSpentBy=Χρόνος που πέρασε TasksAssignedTo=Οι εργασίες που έχουν εκχωρηθεί στο -AssignTaskToMe=Ανάθεση εργασίας σε εμένα +AssignTaskToMe=Assign task to myself AssignTaskToUser=Αναθέστε εργασία σε %s SelectTaskToAssign=Επιλέξτε εργασία για εκχώρηση ... AssignTask=Ανάθεση diff --git a/htdocs/langs/el_GR/recruitment.lang b/htdocs/langs/el_GR/recruitment.lang index 6bd34b116f7..37df4ddae50 100644 --- a/htdocs/langs/el_GR/recruitment.lang +++ b/htdocs/langs/el_GR/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/el_GR/sendings.lang b/htdocs/langs/el_GR/sendings.lang index d4bf5fdbe92..5d3f3216540 100644 --- a/htdocs/langs/el_GR/sendings.lang +++ b/htdocs/langs/el_GR/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Είστε βέβαιοι ότι θέλετε να επι ConfirmCancelSending=Είστε βέβαιοι ότι θέλετε να ακυρώσετε αυτήν την αποστολή; DocumentModelMerou=Mérou A5 μοντέλο WarningNoQtyLeftToSend=Προσοχή, δεν υπάρχουν είδη που περιμένουν να σταλούν. -StatsOnShipmentsOnlyValidated=Στατιστικά στοιχεία σχετικά με τις μεταφορές που πραγματοποιούνται μόνο επικυρωμένες. Χρησιμοποιείστε Ημερομηνία είναι η ημερομηνία της επικύρωσης της αποστολής (προγραμματισμένη ημερομηνία παράδοσης δεν είναι πάντα γνωστή). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Προγραμματισμένη ημερομηνία παράδοσης RefDeliveryReceipt=Παραλαβή παράδοσης αναφοράς StatusReceipt=Κατάσταση παραλαβής κατάστασης diff --git a/htdocs/langs/el_GR/stocks.lang b/htdocs/langs/el_GR/stocks.lang index 81d1ee437c5..b8b4b99272f 100644 --- a/htdocs/langs/el_GR/stocks.lang +++ b/htdocs/langs/el_GR/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Δεν προκαθορισμένα προϊόντ DispatchVerb=Αποστολή StockLimitShort=Όριο για ειδοποιήσεις StockLimit=Όριο ειδοποιήσεων για το απόθεμα -StockLimitDesc=(κενό) δεν σημαίνει προειδοποίηση.
0 μπορεί να χρησιμοποιηθεί για μια προειδοποίηση μόλις το απόθεμα είναι άδειο. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Φυσικό απόθεμα RealStock=Real Χρηματιστήριο RealStockDesc=Το φυσικό / πραγματικό απόθεμα είναι το απόθεμα που βρίσκεται σήμερα στις αποθήκες. diff --git a/htdocs/langs/el_GR/users.lang b/htdocs/langs/el_GR/users.lang index 75b5ce4c968..2591f46a45a 100644 --- a/htdocs/langs/el_GR/users.lang +++ b/htdocs/langs/el_GR/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Ο κωδικός άλλαξε σε: %s SubjectNewPassword=Ο νέος σας κωδικός για %s GroupRights=Άδειες ομάδας UserRights=Άδειες χρήστη +Credentials=Credentials UserGUISetup=Ρύθμιση εμφάνισης χρήστη DisableUser=Απενεργοποίηση DisableAUser=Απενεργοποίηση ενός χρήστη @@ -105,7 +106,7 @@ UseTypeFieldToChange=Χρησιμοποιήστε είδος πεδίου για OpenIDURL=OpenID URL LoginUsingOpenID=Χρησιμοποιήστε το OpenID για να συνδεθείτε WeeklyHours=Ώρες εργασίας (ανά εβδομάδα) -ExpectedWorkedHours=Αναμενόμενες εργάσιμες ώρες ανά εβδομάδα +ExpectedWorkedHours=Expected hours worked per week ColorUser=Χρώμα του χρήστη DisabledInMonoUserMode=Απενεργοποιημένο σε κατάσταση συντήρησης UserAccountancyCode=Κωδικός λογαριασμού χρήστη @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Ημερομηνία λήξης απασχόλησης -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=Δεν μπορείτε να απενεργοποιήσετε το δικό σας αρχείο χρήστη ForceUserExpenseValidator=Έγκριση έκθεσης εξόδου ισχύος ForceUserHolidayValidator=Έγκριση αίτησης για άδεια εξόδου diff --git a/htdocs/langs/el_GR/website.lang b/htdocs/langs/el_GR/website.lang index f9e92dbb4e8..616aedcc45e 100644 --- a/htdocs/langs/el_GR/website.lang +++ b/htdocs/langs/el_GR/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/en_AU/accountancy.lang b/htdocs/langs/en_AU/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/en_AU/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/en_AU/admin.lang b/htdocs/langs/en_AU/admin.lang index 1897b645ea1..0980facb414 100644 --- a/htdocs/langs/en_AU/admin.lang +++ b/htdocs/langs/en_AU/admin.lang @@ -2,7 +2,6 @@ OldVATRates=Old GST rate NewVATRates=New GST rate DictionaryVAT=GST Rates or Sales Tax Rates -ShowBugTrackLink=Show link "%s" OptionVatMode=GST due LinkColor=Colour of links OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. diff --git a/htdocs/langs/en_AU/bills.lang b/htdocs/langs/en_AU/bills.lang index 33a4c6e7faa..b1e452b46c8 100644 --- a/htdocs/langs/en_AU/bills.lang +++ b/htdocs/langs/en_AU/bills.lang @@ -4,7 +4,6 @@ PaymentTypeShortCHQ=Cheque BankCode=BSB ChequeNumber=Cheque N° ChequeOrTransferNumber=Cheque/Transfer N° -ChequeMaker=Cheque/Transfer transmitter ChequeBank=Bank of Cheque CheckBank=Cheque MenuCheques=Cheques diff --git a/htdocs/langs/en_AU/compta.lang b/htdocs/langs/en_AU/compta.lang index b5831e1cb0e..4844467ac01 100644 --- a/htdocs/langs/en_AU/compta.lang +++ b/htdocs/langs/en_AU/compta.lang @@ -7,7 +7,6 @@ ShowVatPayment=Show GST payment CheckReceipt=Cheque deposit CheckReceiptShort=Cheque deposit NewCheckDeposit=New cheque deposit -DateChequeReceived=Cheque received date RulesResultInOut=- It includes the real payments made on invoices, expenses, GST and salaries.
- It is based on the payment dates of the invoices, expenses, GST and salaries. The donation date for donation. VATReportByCustomersInInputOutputMode=Report by the customer GST collected and paid SeeVATReportInInputOutputMode=See report %sGST encasement%s for a standard calculation diff --git a/htdocs/langs/en_AU/cron.lang b/htdocs/langs/en_AU/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/en_AU/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/en_AU/modulebuilder.lang b/htdocs/langs/en_AU/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/en_AU/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/en_AU/website.lang b/htdocs/langs/en_AU/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/en_AU/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/en_CA/accountancy.lang b/htdocs/langs/en_CA/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/en_CA/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/en_CA/admin.lang b/htdocs/langs/en_CA/admin.lang index 95bcbef4e06..62dd510c5e0 100644 --- a/htdocs/langs/en_CA/admin.lang +++ b/htdocs/langs/en_CA/admin.lang @@ -1,7 +1,6 @@ # Dolibarr language file - Source file is en_US - admin LocalTax1Management=PST Management CompanyZip=Postal code -ShowBugTrackLink=Show link "%s" LDAPFieldZip=Postal code FormatZip=Postal code OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. diff --git a/htdocs/langs/en_CA/cron.lang b/htdocs/langs/en_CA/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/en_CA/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/en_CA/modulebuilder.lang b/htdocs/langs/en_CA/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/en_CA/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/en_CA/website.lang b/htdocs/langs/en_CA/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/en_CA/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/en_GB/accountancy.lang b/htdocs/langs/en_GB/accountancy.lang index cada7ac7c5b..a003a87f629 100644 --- a/htdocs/langs/en_GB/accountancy.lang +++ b/htdocs/langs/en_GB/accountancy.lang @@ -52,6 +52,7 @@ XLineFailedToBeBinded=%s products/services were not linked to any finance accoun ACCOUNTING_LIST_SORT_VENTILATION_TODO=Begin sorting the page "Links to do" by the most recent elements ACCOUNTING_LIST_SORT_VENTILATION_DONE=Begin sorting the page "Links done" by the most recent elements ACCOUNTING_LENGTH_GACCOUNT=Length of the General Ledger accounts (If you set value to 6 here, the account '706' will appear as '706000' on screen) +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) ACCOUNTING_SELL_JOURNAL=Sales journal ACCOUNTING_MISCELLANEOUS_JOURNAL=General journal ACCOUNTING_ACCOUNT_SUSPENSE=Suspense account @@ -90,7 +91,6 @@ NoNewRecordSaved=No more records to journalise ListOfProductsWithoutAccountingAccount=List of products not linked to any finance account ChangeBinding=Change the link Accounted=Posted in ledger -NotYetAccounted=Not yet posted in ledger ApplyMassCategories=Apply bulk categories CategoryDeleted=Category for the finance account has been removed AccountingJournals=Finance journals diff --git a/htdocs/langs/en_GB/admin.lang b/htdocs/langs/en_GB/admin.lang index 43e80d62c89..0ed13e41f0f 100644 --- a/htdocs/langs/en_GB/admin.lang +++ b/htdocs/langs/en_GB/admin.lang @@ -42,7 +42,6 @@ FollowingSubstitutionKeysCanBeUsed=
To learn how to create your .odt document Module50200Name=PayPal DictionaryAccountancyJournal=Finance journals CompanyZip=Postcode -ShowBugTrackLink=Show link "%s" 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 FormatZip=Postcode diff --git a/htdocs/langs/en_GB/banks.lang b/htdocs/langs/en_GB/banks.lang index a71bc9ac60c..a4c48f87c89 100644 --- a/htdocs/langs/en_GB/banks.lang +++ b/htdocs/langs/en_GB/banks.lang @@ -1,7 +1,5 @@ # Dolibarr language file - Source file is en_US - banks -CheckTransmitter=Drawer ValidateCheckReceipt=Validate this cheque receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this cheque receipt? No change will be possible once this is done. DeleteCheckReceipt=Delete this cheque receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this cheque receipt? BankChecks=Bank cheques @@ -9,7 +7,6 @@ BankChecksToReceipt=Cheques awaiting deposit BankChecksToReceiptShort=Cheques awaiting deposit ShowCheckReceipt=Show cheque deposit receipt NumberOfCheques=No. of cheques -SelectChequeTransactionAndGenerate=Select/filter cheques to include in the cheque deposit receipt, then click "Create". InputReceiptNumber=Identify the bank statement to reconcile. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Specify a category in which to classify the records, if required ThenCheckLinesAndConciliate=Select the lines shown on the bank statement and click diff --git a/htdocs/langs/en_GB/bills.lang b/htdocs/langs/en_GB/bills.lang index 9d5c847a07e..c3ad1ab6f65 100644 --- a/htdocs/langs/en_GB/bills.lang +++ b/htdocs/langs/en_GB/bills.lang @@ -13,7 +13,6 @@ PaymentTypeCHQ=Cheque PaymentTypeShortCHQ=Cheque ChequeNumber=Cheque N° ChequeOrTransferNumber=Cheque/Transfer N° -ChequeMaker=Cheque/Transfer drawer ChequeBank=Bank of Cheque CheckBank=Cheque PrettyLittleSentence=Accept the amount of payments due by cheques issued in my name as a Member of an accounting association approved by the Fiscal Administration. diff --git a/htdocs/langs/en_GB/compta.lang b/htdocs/langs/en_GB/compta.lang index e6fe573fe69..28171a89614 100644 --- a/htdocs/langs/en_GB/compta.lang +++ b/htdocs/langs/en_GB/compta.lang @@ -5,5 +5,4 @@ LastCheckReceiptShort=Last %s cheque receipts NewCheckDeposit=New cheque deposit NewCheckDepositOn=Create receipt for deposit to account: %s NoWaitingChecks=No cheques awaiting deposit. -DateChequeReceived=Cheque reception date NbOfCheques=No. of cheques diff --git a/htdocs/langs/en_GB/cron.lang b/htdocs/langs/en_GB/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/en_GB/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/en_GB/modulebuilder.lang b/htdocs/langs/en_GB/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/en_GB/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/en_GB/partnership.lang b/htdocs/langs/en_GB/partnership.lang new file mode 100644 index 00000000000..82279c36553 --- /dev/null +++ b/htdocs/langs/en_GB/partnership.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - partnership +PartnershipCanceled =Cancelled diff --git a/htdocs/langs/en_GB/users.lang b/htdocs/langs/en_GB/users.lang index 33514bcb0de..a69267a2243 100644 --- a/htdocs/langs/en_GB/users.lang +++ b/htdocs/langs/en_GB/users.lang @@ -9,5 +9,4 @@ PermissionInheritedFromAGroup=Permission granted through inherited rights from o UserWillBeInternalUser=Created user will be an internal user (because they are not linked to a particular third party) UserWillBeExternalUser=Created user will be an external user (because they are linked to a particular third party) NewUserPassword=Password changed for %s -ExpectedWorkedHours=Expected hours worked per week ColorUser=Colour for the user diff --git a/htdocs/langs/en_GB/website.lang b/htdocs/langs/en_GB/website.lang index 2119639ab04..ef8e16da6ad 100644 --- a/htdocs/langs/en_GB/website.lang +++ b/htdocs/langs/en_GB/website.lang @@ -1,4 +1,2 @@ # Dolibarr language file - Source file is en_US - website PageNameAliasHelp=Name or alias of the page.
This alias is also used to forge an SEO URL when the website is run from a Virtual host of a Web server (like Apache, Nginx, ...). Use the button "%s" to edit this alias. -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/en_IN/accountancy.lang b/htdocs/langs/en_IN/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/en_IN/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/en_IN/admin.lang b/htdocs/langs/en_IN/admin.lang index cc547cb0f77..4b3c42b80b1 100644 --- a/htdocs/langs/en_IN/admin.lang +++ b/htdocs/langs/en_IN/admin.lang @@ -8,7 +8,6 @@ Permission25=Send quotations Permission26=Close quotations Permission27=Delete quotations Permission28=Export quotations -ShowBugTrackLink=Show link "%s" PropalSetup=Quotation module setup ProposalsNumberingModules=Quotation numbering models ProposalsPDFModules=Quotation documents models diff --git a/htdocs/langs/en_IN/cron.lang b/htdocs/langs/en_IN/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/en_IN/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/en_IN/modulebuilder.lang b/htdocs/langs/en_IN/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/en_IN/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/en_IN/website.lang b/htdocs/langs/en_IN/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/en_IN/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/en_SG/accountancy.lang b/htdocs/langs/en_SG/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/en_SG/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/en_SG/admin.lang b/htdocs/langs/en_SG/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/en_SG/admin.lang +++ b/htdocs/langs/en_SG/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_SG/cron.lang b/htdocs/langs/en_SG/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/en_SG/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/en_SG/modulebuilder.lang b/htdocs/langs/en_SG/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/en_SG/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/en_SG/website.lang b/htdocs/langs/en_SG/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/en_SG/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/en_US/admin.lang b/htdocs/langs/en_US/admin.lang index d803593bc3e..c03a3739d6a 100644 --- a/htdocs/langs/en_US/admin.lang +++ b/htdocs/langs/en_US/admin.lang @@ -1434,6 +1434,7 @@ MemberMainOptions=Main options AdherentLoginRequired= Manage a Login for each member AdherentMailRequired=Email required to create a new member MemberSendInformationByMailByDefault=Checkbox to send mail confirmation to members (validation or new subscription) is on by default +MemberCreateAnExternalUserForSubscriptionValidated=Create an external user login for each new member subscription validated 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. MembersDocModules=Document templates for documents generated from member record diff --git a/htdocs/langs/en_US/errors.lang b/htdocs/langs/en_US/errors.lang index c4f88a8d5b3..a1155b0f57c 100644 --- a/htdocs/langs/en_US/errors.lang +++ b/htdocs/langs/en_US/errors.lang @@ -299,3 +299,4 @@ WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So y ErrorActionCommPropertyUserowneridNotDefined=User's owner is required ErrorActionCommBadType=Selected event type (id: %n, code: %s) do not exist in Event Type dictionary CheckVersionFail=Version check fail +ErrorWrongFileName=Name of the file cannot have __SOMETHING__ in it diff --git a/htdocs/langs/en_US/main.lang b/htdocs/langs/en_US/main.lang index b6d2e4c4ef8..d91989190e0 100644 --- a/htdocs/langs/en_US/main.lang +++ b/htdocs/langs/en_US/main.lang @@ -1072,6 +1072,7 @@ ValidFrom=Valid from ValidUntil=Valid until NoRecordedUsers=No users ToClose=To close +ToRefuse=To refuse ToProcess=To process ToApprove=To approve GlobalOpenedElemView=Global view @@ -1126,6 +1127,7 @@ UpdateForAllLines=Update for all lines OnHold=On hold Civility=Civility AffectTag=Affect Tag +CreateExternalUser=Create external user ConfirmAffectTag=Bulk Tag Affect ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected record(s)? CategTypeNotFound=No tag type found for type of records diff --git a/htdocs/langs/en_US/members.lang b/htdocs/langs/en_US/members.lang index 5bd1a545bfa..6f5e47591f3 100644 --- a/htdocs/langs/en_US/members.lang +++ b/htdocs/langs/en_US/members.lang @@ -213,3 +213,4 @@ SendReminderForExpiredSubscription=Send reminder by email to members when subscr MembershipPaid=Membership paid for current period (until %s) YouMayFindYourInvoiceInThisEmail=You may find your invoice attached to this email XMembersClosed=%s member(s) closed +XExternalUserCreated=%s external user(s) created diff --git a/htdocs/langs/en_US/partnership.lang b/htdocs/langs/en_US/partnership.lang index 7681449755e..df9619533de 100644 --- a/htdocs/langs/en_US/partnership.lang +++ b/htdocs/langs/en_US/partnership.lang @@ -16,41 +16,65 @@ # # Generic # -ModulePartnershipName = Partnership management -PartnershipDescription = Module Partnership management +ModulePartnershipName=Partnership management +PartnershipDescription=Module Partnership management PartnershipDescriptionLong= Module Partnership management # # Menu # -NewPartnership = New Partnership -ListOfPartnerships = List of partnership +NewPartnership=New Partnership +ListOfPartnerships=List of partnership # # Admin page # -PartnershipSetup = Partnership setup -PartnershipAbout = About Partnership -PartnershipAboutPage = Partnership about page - +PartnershipSetup=Partnership setup +PartnershipAbout=About Partnership +PartnershipAboutPage=Partnership about page +partnershipforthirdpartyormember=Partnership is for a 'thirdparty' or for a 'member' +PARTNERSHIP_IS_MANAGED_FOR=Partnership managed for +PARTNERSHIP_BACKLINKS_TO_CHECK=Backlinks to check +PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL=Nb of days before cancel status of partnership when subscription is expired # # Object # +DeletePartnership=Delete a partnership +PartnershipDedicatedToThisThirdParty=Partnership dedicated to this third party +PartnershipDedicatedToThisMember=Partnership dedicated to this member DatePartnershipStart=Start date DatePartnershipEnd=End date +ReasonDecline=Decline reason +ReasonDeclineOrCancel=Decline reason +PartnershipAlreadyExist=Partnership already exist +ShowPartnership=Show partnership +BacklinkNotFoundOnPartnerWebsite=Backlink not found on partner website +ConfirmClosePartnershipAsk=Are you sure you want to cancel this partnership? # # Template Mail # +SendingEmailOnPartnershipWillSoonBeCanceled=Partnership will soon be canceled +SendingEmailOnPartnershipRefused=Partnership refused +SendingEmailOnPartnershipAccepted=Partnership accepted +SendingEmailOnPartnershipCanceled=Partnership canceled +YourPartnershipWillSoonBeCanceledTopic=Partnership will soon be canceled +YourPartnershipRefusedTopic=Partnership refused +YourPartnershipAcceptedTopic=Partnership accepted +YourPartnershipCanceledTopic=Partnership canceled + +YourPartnershipWillSoonBeCanceledContent=We inform you that your partnership will soon be canceled (Backlink not found) +YourPartnershipRefusedContent=We inform you that your partnership request has been refused. +YourPartnershipAcceptedContent=We inform you that your partnership request has been accepted. +YourPartnershipCanceledContent=We inform you that your partnership has been canceled. # # Status # -PartnershipDraft = Draft -PartnershipAccepted = Accepted -PartnershipRefused = Refused -PartnershipCanceled = Canceled - +PartnershipDraft=Draft +PartnershipAccepted=Accepted +PartnershipRefused=Refused +PartnershipCanceled=Canceled PartnershipManagedFor=Partners are \ No newline at end of file diff --git a/htdocs/langs/es_AR/accountancy.lang b/htdocs/langs/es_AR/accountancy.lang index 96c58aaf400..1c3e22fbde4 100644 --- a/htdocs/langs/es_AR/accountancy.lang +++ b/htdocs/langs/es_AR/accountancy.lang @@ -16,3 +16,4 @@ Journals=Diarios Contables JournalFinancial=Diarios Financieros AssignDedicatedAccountingAccount=Nueva cuenta para asignar InvoiceLabel=Etiqueta de la factura +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_AR/admin.lang b/htdocs/langs/es_AR/admin.lang index f71ac440e90..831d264dea4 100644 --- a/htdocs/langs/es_AR/admin.lang +++ b/htdocs/langs/es_AR/admin.lang @@ -324,7 +324,6 @@ MaxSizeList=Longitud máxima para la lista DefaultMaxSizeList=Longitud máxima predeterminada para listas CompanyInfo=Empresa / Organización CompanyAddress=DIrección -ShowBugTrackLink=Show link "%s" DelaysOfToleranceBeforeWarning=Retardo antes de mostrar una alerta de advertencia por: MiscellaneousDesc=Todos los demás parámetros relacionados con la seguridad se definen aquí. LimitsSetup=Límites / configuración de precisión diff --git a/htdocs/langs/es_AR/boxes.lang b/htdocs/langs/es_AR/boxes.lang index 398b7e343ee..162e2d0a367 100644 --- a/htdocs/langs/es_AR/boxes.lang +++ b/htdocs/langs/es_AR/boxes.lang @@ -22,9 +22,6 @@ BoxTitleLastModifiedContacts=Contactos/Direcciones: últimos %s modificados BoxMyLastBookmarks=Favoritos: últimos %s BoxOldestExpiredServices=Servicios activos vencidos más antiguos BoxLastExpiredServices=Últimos %s contratos más antiguos con servicios activos vencidos -BoxTitleLastModifiedDonations=Últimas donaciones modificadas %s -BoxTitleLatestModifiedBoms=Últimas %s BOMs modificadas -BoxTitleLatestModifiedMos=Últimas %s órdenes de fabricación modificadas BoxGlobalActivity=Actividad global (facturas, presupuestos, órdenes) FailedToRefreshDataInfoNotUpToDate=Error al actualizar flujo RSS. Última fecha de actualización exitosa: %s LastRefreshDate=Última fecha de actualización diff --git a/htdocs/langs/es_AR/companies.lang b/htdocs/langs/es_AR/companies.lang index 675b49930b1..773401edc51 100644 --- a/htdocs/langs/es_AR/companies.lang +++ b/htdocs/langs/es_AR/companies.lang @@ -1,9 +1,7 @@ # Dolibarr language file - Source file is en_US - companies ErrorCompanyNameAlreadyExists=El nombre de compañía %s ya existe. Elija otro diferente. ErrorSetACountryFirst=Establecer primero el país -ConfirmDeleteCompany=¿Estás seguro que quieres eliminar esta empresa y toda su información vinculada? DeleteContact=Eliminar un contacto/dirección -ConfirmDeleteContact=¿Estás seguro que quieres eliminar este contacto y toda su información vinculada? MenuNewThirdParty=Nuevo Tercero MenuNewCustomer=Nuevo Cliente MenuNewProspect=Nuevo Cliente Potencial @@ -45,13 +43,11 @@ StateCode=Código postal del Estado/Provincia CountryCode=Código de País CountryId=ID de País Chat=Chate -PhonePro=Teléfono profesional PhonePerso=Teléfono Persona PhoneMobile=Celular No_Email=Rechazar correos masivos Town=Ciudad Poste=Posición -DefaultLang=Lenguaje por defect VATIsUsed=Aplica IVA VATIsUsedWhenSelling=Define si el tercero incluye impuesto de ventas o no cuando hace una factura a sus clientes VATIsNotUsed=No aplica IVA @@ -182,7 +178,6 @@ CustomerCodeDesc=Código de cliente, único para cada cliente SupplierCodeDesc=Código de proveedor, único para cada proveedor RequiredIfCustomer=Es requerido si el tercero es un cliente o cliente potencial RequiredIfSupplier=Es requerido si el tercero es un proveedor -ValidityControledByModule=Validez controlada por el módulo ThisIsModuleRules=Reglas para este módulo CompanyDeleted=Empresa "%s" eliminada de la base de datos ListOfContacts=Lista de contactos/direcciones @@ -250,7 +245,6 @@ ListSuppliersShort=Lista de proveedores ListProspectsShort=Lista de Clientes Potenciales ListCustomersShort=Lista de clientes ThirdPartiesArea=Terceros/Contactos -UniqueThirdParties=Total de terceros InActivity=Abierto ThirdPartyIsClosed=El tercero está cerrado. CurrentOutstandingBill=Factura pendiente actual @@ -260,7 +254,6 @@ OrderMinAmount=Monto mínimo por orden LeopardNumRefModelDesc=El código es gratis. Este código puede modificarse en cualquier momento. ManagingDirectors=Nombre(s) del gerente (CEO, director, presidente...) MergeOriginThirdparty=Duplicar el tercero (tercero que quieres eliminar) -ConfirmMergeThirdparties=¿Estás seguro que quieres fusionar este tercero con el actual? Todos los objetos vinculados (facturas, pedidos, ...) se moverán al tercero actual, luego se eliminará el tercero seleccionado. ThirdpartiesMergeSuccess=Los terceros se han fusionado SaleRepresentativeLogin=Usuario del vendedor SaleRepresentativeFirstname=Nombre del vendedor diff --git a/htdocs/langs/es_AR/eventorganization.lang b/htdocs/langs/es_AR/eventorganization.lang new file mode 100644 index 00000000000..e6b8e89584c --- /dev/null +++ b/htdocs/langs/es_AR/eventorganization.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - eventorganization +EvntOrgDone =Hecho diff --git a/htdocs/langs/es_AR/mails.lang b/htdocs/langs/es_AR/mails.lang index 13fbbbe92c7..78901f8e358 100644 --- a/htdocs/langs/es_AR/mails.lang +++ b/htdocs/langs/es_AR/mails.lang @@ -9,7 +9,6 @@ MailToUsers=Para usuario(s) MailCC=Copiar a MailToCCUsers=Copiar a usuario(s) MailCCC=Colocar en copia a -MailTopic=Asunto del correo MailFile=Archivos adjuntos MailMessage=Cuerpo del correo SubjectNotIn=Fuera del asunto diff --git a/htdocs/langs/es_AR/main.lang b/htdocs/langs/es_AR/main.lang index c34ffb3f0d7..0753aea804f 100644 --- a/htdocs/langs/es_AR/main.lang +++ b/htdocs/langs/es_AR/main.lang @@ -126,7 +126,6 @@ Save=Guardar SaveAs=Guarda Como TestConnection=Probar conexión ToClone=Clonar -ConfirmClone=Elija datos que quiere clonar: NoCloneOptionsSpecified=Datos para clonar sin definir Run=Correr Show=Mostrar @@ -187,8 +186,6 @@ HourShort=Hr Rate=Tarifa CurrencyRate=Tipo de cambio UseLocalTax=Incluido impuesto -UserAuthor=Usuario de creación -UserModif=Usuario de última actualización DefaultValue=Valor predeterminado DefaultValues=Valores/filtros/ordenación predeterminados UnitPriceHT=Precio unitario (neto) @@ -290,6 +287,8 @@ Categories=Etiquetas/categorías Category=Etiqueta/categoría to=para To=para +ToDate=para +ToLocation=para Qty=Ctd ChangedBy=Cambiado por ResultKo=Falla @@ -473,7 +472,6 @@ SetBankAccount=Definir Cuenta Bancaria AccountCurrency=Moneda de la cuenta PublicUrl=URL Público AddBox=Agregar casilla -SelectElementAndClick=Seleccionar un elemento y hacer click en %s ShowTransaction=Mostrar entrada en cuenta bancaria ShowContract=Mostrar contacto GoIntoSetupToChangeLogo=Ir a Inicio - Configuración - Compañía para cambiar el logo o ir a Inicio - Configuración - Mostrar para esconderlo. diff --git a/htdocs/langs/es_AR/members.lang b/htdocs/langs/es_AR/members.lang index 1c0210878b3..37c636bf5ac 100644 --- a/htdocs/langs/es_AR/members.lang +++ b/htdocs/langs/es_AR/members.lang @@ -9,7 +9,6 @@ FundationMembers=Miembros de la fundación ErrorMemberIsAlreadyLinkedToThisThirdParty=Otro miembro (nombre: %s, usuario: %s) está vinculado al tercero %s. Debes quitar primero este vínculo pues un tercero no puede estar vinculado a más de un miembro (y viceversa). ErrorUserPermissionAllowsToLinksToItselfOnly=Por motivos de seguridad, debe tener permisos para editar todos los usuarios para poder vincular a un miembro a un usuario que no sea suyo. SetLinkToThirdParty=Vincular a un tercedo de Dolibarr -MembersCards=Cartas de presentación de miembros MembersList=Lista de miembros MembersListToValid=Lista de miembros en estado borrador (a ser validados) MembersListValid=Lista de miembros válidos @@ -22,7 +21,6 @@ MembersWithSubscriptionToReceive=Miembros con suscripción para recibir MembersWithSubscriptionToReceiveShort=Suscripción para recibir DateSubscription=Fecha de suscripción DateEndSubscription=Fecha de finalización de suscripción -EndSubscription=Finalizar suscripción SubscriptionId=ID de Suscripción MemberId=ID Miembro MemberTypeId=ID Tipo de Miembro @@ -123,27 +121,17 @@ LastSubscriptionDate=Fecha del último pago de suscripción LastSubscriptionAmount=Monto de la última suscripción MembersStatisticsByState=Estadísticas de miembros por estado/provincia MembersStatisticsByTown=Estadísticas de miembros por ciudad -NbOfMembers=Cantidad de miembros NoValidatedMemberYet=No se encontraron miembros válidos -MembersByCountryDesc=Esta pantalla muestra estadísticas de miembros por países. Sin embargo, el gráfico depende del servicio en línea de Google y está disponible solo si se está conectado a Internet. -MembersByStateDesc=Esta pantalla muestra estadísticas de miembros por estado/provincias/región. -MembersByTownDesc=Esta pantalla muestra estadísticas de miembros por ciudad. MembersStatisticsDesc=Elige las estadísticas que deseas visualizar ... -LastMemberDate=Fecha de último miembro LatestSubscriptionDate=Fecha de última suscripción -Public=La información es pública. NewMemberbyWeb=Nuevo miembro agregado. Esperando aprobación NewMemberForm=Formulario de miembro nuevo -SubscriptionsStatistics=Estadísticas sobre suscripciones NbOfSubscriptions=Cantidad de suscripciones -AmountOfSubscriptions=Monto de suscripciones TurnoverOrBudget=Volumen de negocios (para una empresa) o Presupuesto (para una fundación) DefaultAmount=Monto de suscripción por defecto CanEditAmount=El visitante puede elegir/editar el monto de su suscripción MEMBER_NEWFORM_PAYONLINE=Ve a la página de pago en línea MembersStatisticsByProperties=Estadísticas de miembros por naturaleza -MembersByNature=Esta pantalla muestra estadísticas de miembros por naturaleza. -MembersByRegion=Esta pantalla muestra estadísticas de miembros por región. VATToUseForSubscriptions=Tipo de IVA a utilizar para suscripciones NoVatOnSubscription=Sin IVA para suscripciones ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producto utilizado para la línea de suscripción en la factura: %s diff --git a/htdocs/langs/es_AR/modulebuilder.lang b/htdocs/langs/es_AR/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_AR/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_AR/partnership.lang b/htdocs/langs/es_AR/partnership.lang new file mode 100644 index 00000000000..3909de28d26 --- /dev/null +++ b/htdocs/langs/es_AR/partnership.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - partnership +PartnershipCanceled =Cancelada diff --git a/htdocs/langs/es_AR/products.lang b/htdocs/langs/es_AR/products.lang index a429996096a..c06b4d9f528 100644 --- a/htdocs/langs/es_AR/products.lang +++ b/htdocs/langs/es_AR/products.lang @@ -24,7 +24,6 @@ ServicesOnSaleOnly=Servicios que se venden únicamente ServicesOnPurchaseOnly=Servicios que se adquieren únicamente ServicesNotOnSell=Servicios que no se venden ni se adquieren ServicesOnSellAndOnBuy=Servicios que se vender y se adquieren -LastModifiedProductsAndServices=Últimos %s productos/servicios modificados MenuStocks=Inventarios(Stocks) Stocks=Inventarios y ubicaciones (almacenes) de productos OnSell=Para vender diff --git a/htdocs/langs/es_AR/sendings.lang b/htdocs/langs/es_AR/sendings.lang index d573200cc64..f1b78e4835b 100644 --- a/htdocs/langs/es_AR/sendings.lang +++ b/htdocs/langs/es_AR/sendings.lang @@ -26,7 +26,6 @@ ConfirmDeleteSending=¿Estás seguro que quieres eliminar este envío? ConfirmValidateSending=¿Estás seguro que quiere validar este envío con referencia %s? ConfirmCancelSending=¿Estás seguro que quieres cancelar este envío? WarningNoQtyLeftToSend=Advertencia, no hay productos esperando para ser enviados. -StatsOnShipmentsOnlyValidated=Estadísticas realizadas sólo sobre viajes validados. La fecha utilizada es la de validación del viaje (la fecha de entrega prevista no siempre se conoce). RefDeliveryReceipt=Ref. comprobante de entrega StatusReceipt=Estado del comprobante de entrega DateReceived=Fecha de entrega diff --git a/htdocs/langs/es_AR/users.lang b/htdocs/langs/es_AR/users.lang index 4c77e324b5b..a558a71df39 100644 --- a/htdocs/langs/es_AR/users.lang +++ b/htdocs/langs/es_AR/users.lang @@ -69,7 +69,6 @@ DontDowngradeSuperAdmin=Solo un superadministrador puede degradar a un superadmi UseTypeFieldToChange=Use el campo Tipo para cambiar OpenIDURL=URL de OpenID LoginUsingOpenID=Utilizar OpenID para ingresar -ExpectedWorkedHours=Horas trabajadas previstas por semana ColorUser=Color del usuario DisabledInMonoUserMode=Deshabilitado en modo mantenimiento UserAccountancyCode=Código contable del usuario diff --git a/htdocs/langs/es_AR/website.lang b/htdocs/langs/es_AR/website.lang index eaf6e953faa..ff1df53c2d8 100644 --- a/htdocs/langs/es_AR/website.lang +++ b/htdocs/langs/es_AR/website.lang @@ -1,5 +1,3 @@ # Dolibarr language file - Source file is en_US - website ReadPerm=Leído WebsiteAccounts=Cuentas de sitio web -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_BO/accountancy.lang b/htdocs/langs/es_BO/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_BO/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_BO/admin.lang b/htdocs/langs/es_BO/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/es_BO/admin.lang +++ b/htdocs/langs/es_BO/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_BO/cron.lang b/htdocs/langs/es_BO/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/es_BO/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/es_BO/modulebuilder.lang b/htdocs/langs/es_BO/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_BO/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_BO/website.lang b/htdocs/langs/es_BO/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_BO/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_CL/accountancy.lang b/htdocs/langs/es_CL/accountancy.lang index f6e63f0bef1..31b6e07ae1a 100644 --- a/htdocs/langs/es_CL/accountancy.lang +++ b/htdocs/langs/es_CL/accountancy.lang @@ -178,7 +178,6 @@ NoNewRecordSaved=No más registro para agendar ListOfProductsWithoutAccountingAccount=Lista de productos no vinculados a ninguna cuenta de contabilidad ChangeBinding=Cambiar la encuadernación Accounted=Contabilizado en el libro mayor -NotYetAccounted=Aún no contabilizado en el libro mayor ShowTutorial=Tutorial de presentación ApplyMassCategories=Aplicar categorías de masa AddAccountFromBookKeepingWithNoCategories=Cuenta disponible aún no en el grupo personalizado. diff --git a/htdocs/langs/es_CL/admin.lang b/htdocs/langs/es_CL/admin.lang index 3c5a1423a66..76c12eb049f 100644 --- a/htdocs/langs/es_CL/admin.lang +++ b/htdocs/langs/es_CL/admin.lang @@ -788,7 +788,6 @@ DoNotSuggestPaymentMode=No sugiera NoActiveBankAccountDefined=No se definió una cuenta bancaria activa OwnerOfBankAccount=Propietario de la cuenta bancaria %s BankModuleNotActive=Módulo de cuentas bancarias no habilitado -ShowBugTrackLink=Mostrar el link "%s" DelaysOfToleranceDesc=Establezca el retraso antes de que aparezca un icono de alerta %s en la pantalla para el elemento tardío. Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Orden no procesada Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Orden de compra no procesada diff --git a/htdocs/langs/es_CL/banks.lang b/htdocs/langs/es_CL/banks.lang index 5c4a24c2f6d..1a0a4af0766 100644 --- a/htdocs/langs/es_CL/banks.lang +++ b/htdocs/langs/es_CL/banks.lang @@ -74,12 +74,10 @@ DateConciliating=Fecha de conciliación SupplierInvoicePayment=Pago del vendedor WithdrawalPayment=Orden de pago de débito SocialContributionPayment=Pago de impuestos sociales/fiscales -TransferDesc=Tras transferir de una cuenta a otra, Dolibarr escribirá dos registros (una cuenta de débito en origen y un crédito en una cuenta de destino). La misma cantidad (excepto el signo), la etiqueta y la fecha se utilizarán para esta transacción) TransferTo=A TransferFromToDone=Una transferencia de %s a %s de %s %s ha sido grabada. -CheckTransmitter=Transmisor +CheckTransmitter=Remitente ValidateCheckReceipt=Validar este recibo de cheque? -ConfirmValidateCheckReceipt=¿Está seguro de que desea validar este recibo de cheque, no será posible realizar ningún cambio una vez que lo haya hecho? DeleteCheckReceipt=¿Eliminar este recibo de cheque? ConfirmDeleteCheckReceipt=¿Seguro que quieres eliminar este recibo de cheque? BankChecks=Cheques bancarios @@ -102,7 +100,6 @@ Transactions=Actas BankTransactionLine=Entrada bancaria AllAccounts=Todas las cuentas bancarias y de efectivo FutureTransaction=Transacción futura. No se puede reconciliar. -SelectChequeTransactionAndGenerate=Seleccione / filtrar cheques para incluir en el recibo de depósito de cheques y haga clic en "Crear". InputReceiptNumber=Elija el extracto bancario relacionado con la conciliación. Use un valor numérico ordenable: AAAAMM o AAAAMMDD EventualyAddCategory=Eventualmente, especifique una categoría en la cual clasificar los registros ToConciliate=¿Para reconciliar? diff --git a/htdocs/langs/es_CL/bills.lang b/htdocs/langs/es_CL/bills.lang index 86d0036c381..4632c40cd60 100644 --- a/htdocs/langs/es_CL/bills.lang +++ b/htdocs/langs/es_CL/bills.lang @@ -80,7 +80,6 @@ ConvertExcessPaidToReduc=Convierte el exceso pagado en descuento disponible EnterPaymentReceivedFromCustomer=Ingrese el pago recibido del cliente EnterPaymentDueToCustomer=Hacer el pago debido al cliente DisabledBecauseRemainderToPayIsZero=Desactivado porque permanecer sin pagar es cero -PriceBase=Base de precios BillStatusDraft=Borrador (debe ser validado) BillStatusPaid=Pagado BillStatusPaidBackOrConverted=Reembolso de nota de crédito o marcado como crédito disponible @@ -329,7 +328,6 @@ RegulatedOn=Regulado en ChequeNumber=Verificar N ° ChequeOrTransferNumber=Verificar / Transferir N ° ChequeBordereau=Verifique el horario -ChequeMaker=Portador Cheque/Transferencia ChequeBank=Banco de cheque CheckBank=Cheque PrettyLittleSentence=Acepte la cantidad de pagos adeudados por cheques emitidos a mi nombre como miembro de una asociación contable aprobada por la Administración Fiscal. diff --git a/htdocs/langs/es_CL/boxes.lang b/htdocs/langs/es_CL/boxes.lang index f59f9eb19a8..e484b2adb47 100644 --- a/htdocs/langs/es_CL/boxes.lang +++ b/htdocs/langs/es_CL/boxes.lang @@ -25,10 +25,6 @@ BoxMyLastBookmarks=Marcadores: el último %s BoxOldestExpiredServices=Servicios expirados activos más antiguos BoxLastExpiredServices=Últimos %s contactos más antiguos con servicios activos caducados BoxTitleLastActionsToDo=Últimas %s acciones para hacer -BoxTitleLastModifiedDonations=Las últimas %s donaciones modificadas -BoxTitleLastModifiedExpenses=Últimos informes de gastos modificados %s -BoxTitleLatestModifiedBoms=Ultimas %s Listas de Materiales modificadas -BoxTitleLatestModifiedMos=Últimas %s Ordenes de Fabricación modificadas BoxGlobalActivity=Actividad global (facturas, propuestas, pedidos) BoxTitleGoodCustomers=%s Buenos clientes BoxScheduledJobs=Trabajos programados diff --git a/htdocs/langs/es_CL/cashdesk.lang b/htdocs/langs/es_CL/cashdesk.lang index c81210b6a0b..a40760cf590 100644 --- a/htdocs/langs/es_CL/cashdesk.lang +++ b/htdocs/langs/es_CL/cashdesk.lang @@ -24,14 +24,12 @@ DolibarrReceiptPrinter=Impresora de recibos Dolibarr PointOfSale=Punto de venta CloseBill=Cerrar bill TakeposConnectorNecesary=Se requiere 'conector TakePOS' -OrderPrinters=Encargar impresoras Receipt=Recibo Header=Encabezamiento Footer=Pie de página TheoricalAmount=Cantidad teórica RealAmount=Cantidad real NbOfInvoices=N° de facturas -OrderNotes=pedidos CashDeskBankAccountFor=Cuenta predeterminada para usar para pagos en EnableBarOrRestaurantFeatures=Habilitar características para bar o restaurante ConfirmDeletionOfThisPOSSale=¿Confirma usted la eliminación de esta venta actual? diff --git a/htdocs/langs/es_CL/categories.lang b/htdocs/langs/es_CL/categories.lang index 1d59becb058..e73f4a56a7a 100644 --- a/htdocs/langs/es_CL/categories.lang +++ b/htdocs/langs/es_CL/categories.lang @@ -3,17 +3,9 @@ Rubrique=Etiqueta / Categoría Rubriques=Etiquetas / Categorías RubriquesTransactions=Etiquetas / Categorías de transacciones categories=etiquetas / categorías -NoCategoryYet=No se creó ninguna etiqueta / categoría de este tipo AddIn=Añadir modify=modificar CategoriesArea=Etiquetas / Categorías area -ProductsCategoriesArea=Productos / Servicios tags / categorías area -SuppliersCategoriesArea=Etiquetas de proveedores / área de categorías -CustomersCategoriesArea=Etiquetas de clientes / área de categorías -MembersCategoriesArea=Etiquetas de los miembros / área de categorías -ContactsCategoriesArea=Etiquetas de contactos / categorías -ProjectsCategoriesArea=Área de etiquetas / categorías de proyectos -UsersCategoriesArea=Etiquetas de usuarios / área de categorías CatList=Lista de etiquetas / categorías NewCategory=Nueva etiqueta / categoría ModifCat=Modificar etiqueta / categoría diff --git a/htdocs/langs/es_CL/companies.lang b/htdocs/langs/es_CL/companies.lang index 5971bf2928e..cc1d9d7eda4 100644 --- a/htdocs/langs/es_CL/companies.lang +++ b/htdocs/langs/es_CL/companies.lang @@ -2,9 +2,7 @@ ErrorCompanyNameAlreadyExists=El nombre de la empresa %s ya existe. Elija otro. ErrorSetACountryFirst=Establecer primero el país SelectThirdParty=Seleccione un tercero -ConfirmDeleteCompany=¿Está seguro de que desea eliminar esta empresa y toda la información heredada? DeleteContact=Eliminar un contacto/dirección -ConfirmDeleteContact=¿Está seguro de que desea eliminar este contacto y toda la información heredada? MenuNewThirdParty=Nueva tercera parte MenuNewProspect=Nueva perspectiva MenuNewSupplier=Nuevo vendedor @@ -130,7 +128,6 @@ CustomerCodeDesc=Código de cliente, único para todos los clientes. SupplierCodeDesc=Código de proveedor, único para todos los proveedores RequiredIfCustomer=Obligatorio si un tercero es un cliente o prospecto RequiredIfSupplier=Requerido si un tercero es un vendedor -ValidityControledByModule=Validez controlada por módulo ProspectToContact=Perspectiva de contactar CompanyDeleted=La compañía "%s" eliminada de la base de datos. ListOfContacts=Lista de contactos/direcciones @@ -197,10 +194,8 @@ ListSuppliersShort=Lista de vendedores ListProspectsShort=Lista de prospectos ListCustomersShort=Lista de clientes ThirdPartiesArea=Terceros / Contactos -UniqueThirdParties=Total de Terceros InActivity=Abierto ThirdPartyIsClosed=Tercero está cerrado -ProductsIntoElements=Lista de productos / servicios en %s CurrentOutstandingBill=Factura pendiente actual OutstandingBill=Max. por factura pendiente OutstandingBillReached=Max. por la factura pendiente alcanzado @@ -208,7 +203,6 @@ OrderMinAmount=Monto mínimo para la orden LeopardNumRefModelDesc=El código es libre. Este código se puede modificar en cualquier momento. ManagingDirectors=Nombre del gerente (CEO, director, presidente ...) MergeOriginThirdparty=Tercero duplicado (tercero que desea eliminar) -ConfirmMergeThirdparties=¿Está seguro de que desea fusionar este tercero con el actual? Todos los objetos vinculados (facturas, pedidos, ...) se moverán al tercero actual, luego se eliminará el tercero. ThirdpartiesMergeSuccess=Los terceros se han fusionado SaleRepresentativeLogin=Inicio de sesión del representante de ventas SaleRepresentativeFirstname=Nombre del representante de ventas diff --git a/htdocs/langs/es_CL/compta.lang b/htdocs/langs/es_CL/compta.lang index b2d4c4a2b91..9cc981391c1 100644 --- a/htdocs/langs/es_CL/compta.lang +++ b/htdocs/langs/es_CL/compta.lang @@ -107,7 +107,6 @@ NewCheckReceipt=Nuevo descuento NewCheckDeposit=Nuevo depósito de cheque NewCheckDepositOn=Crear recibo para el depósito en la cuenta: %s NoWaitingChecks=No hay cheques pendientes de depósito. -DateChequeReceived=Verificar fecha de recepción NbOfCheques=No. de cheques PaySocialContribution=Pagar un impuesto social / fiscal DeleteSocialContribution=Eliminar un pago de impuestos sociales o fiscales diff --git a/htdocs/langs/es_CL/errors.lang b/htdocs/langs/es_CL/errors.lang index 5eb96141ab7..1f86aa0569b 100644 --- a/htdocs/langs/es_CL/errors.lang +++ b/htdocs/langs/es_CL/errors.lang @@ -1,8 +1,6 @@ # Dolibarr language file - Source file is en_US - errors NoErrorCommitIsDone=Sin error, nos comprometemos ErrorButCommitIsDone=Errores encontrados pero validamos a pesar de esto -ErrorBadEMail=Correo electrónico %s es incorrecto -ErrorBadUrl=Url %s está mal ErrorBadValueForParamNotAString=Mal valor para su parámetro En general, se agrega cuando falta la traducción. ErrorLoginAlreadyExists=Login %s ya existe. ErrorRecordNotFound=Registro no encontrado. @@ -34,8 +32,6 @@ ErrorBadDateFormat=El valor '%s' tiene formato de fecha incorrecto ErrorFailedToWriteInDir=Error al escribir en el directorio %s ErrorFoundBadEmailInFile=Se encontró una sintaxis de correo electrónico incorrecta para %s líneas en el archivo (línea de ejemplo %s con correo electrónico = %s) ErrorUserCannotBeDelete=El usuario no puede ser eliminado. Tal vez esté asociado a entidades dolibarr. -ErrorFieldsRequired=Algunos campos requeridos no fueron completados. -ErrorSubjectIsRequired=El tema del correo electrónico es obligatorio ErrorFailedToCreateDir=Error al crear un directorio. Compruebe que el usuario del servidor web tenga permisos para escribir en el directorio de documentos de Dolibarr. Si el parámetro safe_mode está habilitado en este PHP, verifique que los archivos php de Dolibarr sean propiedad del usuario (o grupo) del servidor web. ErrorNoMailDefinedForThisUser=Sin correo definido para este usuario ErrorFeatureNeedJavascript=Esta característica necesita javascript para activarse para funcionar. Cambie esto en la configuración - visualización. diff --git a/htdocs/langs/es_CL/mails.lang b/htdocs/langs/es_CL/mails.lang index a65acf18f23..8b67f03a848 100644 --- a/htdocs/langs/es_CL/mails.lang +++ b/htdocs/langs/es_CL/mails.lang @@ -8,7 +8,6 @@ MailToUsers=Para el usuario(s) MailCC=Copiar a MailToCCUsers=Copiar a los usuario(s) MailCCC=Copia en caché para -MailTopic=Tema de correo electrónico MailFile=Archivos adjuntos MailMessage=Cuerpo del correo electronico SubjectNotIn=No en asunto diff --git a/htdocs/langs/es_CL/main.lang b/htdocs/langs/es_CL/main.lang index 71be0dfd838..f67ea6b4eee 100644 --- a/htdocs/langs/es_CL/main.lang +++ b/htdocs/langs/es_CL/main.lang @@ -115,7 +115,6 @@ Save=Guardar SaveAs=Guardar como TestConnection=Conexión de prueba ToClone=Clonar -ConfirmClone=Elija los datos que desea clonar: NoCloneOptionsSpecified=No hay datos para clonar definidos. Run=correr Show=Mostrar @@ -139,7 +138,6 @@ DateOfLine=Fecha de la linea Model=Plantilla de documento DefaultModel=Plantilla de documento predeterminada Action=Evento -NumberByMonth=Cantidad Mensual AmountByMonth=Monto por mes Logout=Cerrar sesión NoLogoutProcessWithAuthMode=Sin función de desconexión aplicativa con modo de autenticación %s @@ -168,7 +166,6 @@ Tomorrow=mañana MinuteShort=Minnesota Rate=Tasa UseLocalTax=Incluye impuestos -UserAuthor=Usuario de creación b=segundo. Mb=megabyte Tb=Tuberculosis @@ -264,6 +261,8 @@ NotYetAvailable=No disponible aún Categories=Etiquetas / categorías Category=Etiqueta / categoría To=para +ToDate=para +ToLocation=para Qty=Cantidad ChangedBy=Cambiado por ResultKo=Fracaso @@ -427,7 +426,6 @@ SetDemandReason=Establecer fuente AccountCurrency=Cuenta de dinero XMoreLines=%slíneas ocultas AddBox=Agregar caja -SelectElementAndClick=Seleccione un elemento y haga clic en %s PrintFile=Imprimir archivo %s ShowTransaction=Mostrar entrada en cuenta bancaria GoIntoSetupToChangeLogo=Vaya a Inicio - Configuración - Compañía para cambiar el logotipo o vaya a Inicio - Configuración - Mostrar para ocultar. diff --git a/htdocs/langs/es_CL/members.lang b/htdocs/langs/es_CL/members.lang index 64ee25cbe89..3d8c279e275 100644 --- a/htdocs/langs/es_CL/members.lang +++ b/htdocs/langs/es_CL/members.lang @@ -10,7 +10,6 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Otro miembro (nombre: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=Por razones de seguridad, debe tener permiso para editar a todos los usuarios para poder vincular a un miembro con un usuario que no es el suyo. SetLinkToUser=Enlace a un usuario de Dolibarr SetLinkToThirdParty=Enlace a un tercero de Dolibarr -MembersCards=Tarjetas de socios MembersList=Lista de miembros MembersListToValid=Lista de miembros del borrador (por validar) MembersListValid=Lista de miembros válidos @@ -21,7 +20,6 @@ MembersWithSubscriptionToReceive=Miembros con suscripción para recibir MembersWithSubscriptionToReceiveShort=Suscripción para recibir DateSubscription=Fecha de suscripción DateEndSubscription=Fecha de finalización de la suscripción -EndSubscription=Terminar suscripción SubscriptionId=Id de suscripción MemberId=Identificación de miembro MemberTypeId=ID de tipo de miembro @@ -52,7 +50,6 @@ NoTypeDefinedGoToSetup=Ningún tipo de miembro definido. Ir al menú "Tipos de m WelcomeEMail=Correo de bienvenida SubscriptionRequired=Suscripción requerida VoteAllowed=Voto permitido -Reenable=Rehabilitar ResiliateMember=Terminar un miembro ConfirmResiliateMember=¿Estás seguro de que quieres cancelar este miembro? ConfirmDeleteMember=¿Seguro que quieres eliminar este miembro (Eliminar un miembro eliminará todas sus suscripciones)? @@ -117,25 +114,17 @@ LastSubscriptionAmount=Cantidad de la última suscripción MembersStatisticsByState=Estadísticas de miembros por estado / provincia MembersStatisticsByTown=Estadísticas de miembros por ciudad NoValidatedMemberYet=No se encontraron miembros validados -MembersByCountryDesc=Esta pantalla muestra estadísticas de miembros por países. Sin embargo, el gráfico depende del servicio de gráficos en línea de Google y solo está disponible si funciona una conexión a Internet. -MembersByStateDesc=Esta pantalla muestra las estadísticas de los miembros por estado / provincias / cantón. -MembersByTownDesc=Esta pantalla muestra estadísticas de los miembros por ciudad. MembersStatisticsDesc=Elija las estadísticas que quiere leer ... MenuMembersStats=Estadística LatestSubscriptionDate=Última fecha de suscripción -Public=La información es pública NewMemberbyWeb=Nuevo miembro agregado. Esperando aprobacion NewMemberForm=Nueva forma de miembro -SubscriptionsStatistics=Estadísticas sobre suscripciones NbOfSubscriptions=Número de suscripciones -AmountOfSubscriptions=Cantidad de suscripciones TurnoverOrBudget=Volumen de ventas (empresa) o Cotización (asociación o colectivo) DefaultAmount=Cantidad predeterminada de suscripción CanEditAmount=El visitante puede elegir / editar el monto de su suscripción MEMBER_NEWFORM_PAYONLINE=Salte en la página integrada de pago en línea MembersStatisticsByProperties=Estadísticas de miembros por naturaleza -MembersByNature=Esta pantalla muestra estadísticas de los miembros por naturaleza. -MembersByRegion=Esta pantalla muestra estadísticas de los miembros por región. VATToUseForSubscriptions=Tipo de IVA para suscripciones NoVatOnSubscription=Sin IVA para suscripciones. ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producto utilizado para la línea de suscripción en la factura: %s diff --git a/htdocs/langs/es_CL/modulebuilder.lang b/htdocs/langs/es_CL/modulebuilder.lang index 079fb308880..062d82e135d 100644 --- a/htdocs/langs/es_CL/modulebuilder.lang +++ b/htdocs/langs/es_CL/modulebuilder.lang @@ -64,7 +64,6 @@ ListOfDictionariesEntries=Lista de entradas del diccionario ListOfPermissionsDefined=Lista de permisos definidos SeeExamples=Ver ejemplos aquí EnabledDesc=Condición para tener este campo activo (Ejemplos: 1 o $ conf-> global-> MYMODULE_MYOPTION) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty IsAMeasureDesc=¿Se puede acumular el valor de campo para obtener un total en la lista? (Ejemplos: 1 o 0) SearchAllDesc=¿Se utiliza el campo para realizar una búsqueda desde la herramienta de búsqueda rápida? (Ejemplos: 1 o 0) LanguageDefDesc=Ingrese en estos archivos, toda la clave y la traducción para cada archivo de idioma. diff --git a/htdocs/langs/es_CL/other.lang b/htdocs/langs/es_CL/other.lang index 2ac9c40e6ed..81002f31f7c 100644 --- a/htdocs/langs/es_CL/other.lang +++ b/htdocs/langs/es_CL/other.lang @@ -108,7 +108,6 @@ EnableGDLibraryDesc=Instale o habilite la biblioteca de GD en su instalación de ProfIdShortDesc=Prof Id %s es una información que depende del país de un tercero.
Por ejemplo, para el país %s, es el código%s. DolibarrDemo=Demo de Dolibarr ERP / CRM StatsByNumberOfUnits=Estadísticas para suma de cantidad de productos / servicios -StatsByNumberOfEntities=Estadísticas en número de entidades referidas (nº de factura, o pedido ...) NumberOfProposals=Número de propuestas NumberOfCustomerOrders=Número de órdenes de venta NumberOfCustomerInvoices=Número de facturas de clientes diff --git a/htdocs/langs/es_CL/partnership.lang b/htdocs/langs/es_CL/partnership.lang new file mode 100644 index 00000000000..56902c9ba1c --- /dev/null +++ b/htdocs/langs/es_CL/partnership.lang @@ -0,0 +1,4 @@ +# Dolibarr language file - Source file is en_US - partnership +DatePartnershipStart=Fecha inicial +DatePartnershipEnd=Fecha final +PartnershipCanceled =Cancelado diff --git a/htdocs/langs/es_CL/products.lang b/htdocs/langs/es_CL/products.lang index 9f3d2555af4..7795586ce04 100644 --- a/htdocs/langs/es_CL/products.lang +++ b/htdocs/langs/es_CL/products.lang @@ -38,11 +38,9 @@ UpdateLevelPrices=Actualizar precios para cada nivel SellingPriceHT=Precio de venta (sin IVA) SellingPriceTTC=Precio de venta (IVA incluido) SellingMinPriceTTC=Precio mínimo de venta (impuestos incluidos) -CostPriceDescription=Este campo de precio (sin impuestos) se puede usar para almacenar el monto promedio que este producto le cuesta a su empresa. Puede ser cualquier precio que usted mismo calcule, por ejemplo, a partir del precio de compra promedio más el costo promedio de producción y distribución. CostPriceUsage=Este valor podría usarse para calcular el margen. SoldAmount=Cantidad vendida PurchasedAmount=Cantidad comprada -MinPrice=Min. precio de venta EditSellingPriceLabel=Editar etiqueta de precio de venta CantBeLessThanMinPrice=El precio de venta no puede ser inferior al mínimo permitido para este producto (%s sin IVA). Este mensaje también puede aparecer si escribe un descuento demasiado importante. ErrorProductAlreadyExists=Un producto con referencia %s ya existe. @@ -90,10 +88,6 @@ ListProductServiceByPopularity=Lista de productos/servicios por popularidad ListProductByPopularity=Lista de productos por popularidad ListServiceByPopularity=Lista de servicios por popularidad ConfirmCloneProduct=¿Está seguro que desea clonar el producto o servicio %s? -CloneContentProduct=Clona toda la información principal del producto / servicio. -CloneCategoriesProduct=Clonar etiquetas / categorías vinculadas -CloneCompositionProduct=Clonar producto / servicio virtual -CloneCombinationsProduct=Clonar variantes de productos ProductIsUsed=Este producto es usado NewRefForClone=Referencia de nuevo producto/servicio CustomerPrices=Precios de cliente diff --git a/htdocs/langs/es_CL/projects.lang b/htdocs/langs/es_CL/projects.lang index 7ef9525fbda..d456e3c3ba0 100644 --- a/htdocs/langs/es_CL/projects.lang +++ b/htdocs/langs/es_CL/projects.lang @@ -5,18 +5,15 @@ ProjectsArea=Área de proyectos SharedProject=Todos PrivateProject=Contactos del proyecto AllAllowedProjects=Todo el proyecto que puedo leer (mío + público) -MyProjectsDesc=Esta vista está limitada a los proyectos para los que es contacto ProjectsPublicDesc=Esta vista presenta todos los proyectos que puede leer. TasksOnProjectsPublicDesc=Esta vista presenta todas las tareas en proyectos que puede leer. ProjectsPublicTaskDesc=Esta vista presenta todos los proyectos y tareas que puede leer. ProjectsDesc=Esta vista presenta todos los proyectos (sus permisos de usuario le otorgan permiso para ver todo). TasksOnProjectsDesc=Esta vista presenta todas las tareas en todos los proyectos (sus permisos de usuario le otorgan permiso para ver todo). -MyTasksDesc=Esta vista se limita a proyectos o tareas para los que es contacto OnlyOpenedProject=Solo los proyectos abiertos son visibles (los proyectos en borrador o cerrados no son visibles). TasksPublicDesc=Esta vista presenta todos los proyectos y tareas que puede leer. TasksDesc=Esta vista presenta todos los proyectos y tareas (sus permisos de usuario le otorgan permiso para ver todo). AllTaskVisibleButEditIfYouAreAssigned=Todas las tareas para proyectos calificados son visibles, pero puede ingresar la hora solo para la tarea asignada al usuario seleccionado. Asignar tarea si necesita ingresar tiempo en ella. -OnlyYourTaskAreVisible=Solo las tareas asignadas a ti son visibles. Asigna la tarea a ti mismo si no está visible y si necesitas ingresarle tiempo. ProjectCategories=Etiquetas / categorías de proyecto ConfirmDeleteAProject=¿Seguro que quieres eliminar este proyecto? ConfirmDeleteATask=¿Seguro que quieres eliminar esta tarea? @@ -128,7 +125,6 @@ ProjectMustBeValidatedFirst=El proyecto debe ser validado primero TimeAlreadyRecorded=Este es el tiempo que ya se ha registrado para esta tarea / día y el usuario %s NoUserAssignedToTheProject=No hay usuarios asignados a este proyecto. TimeSpentBy=Tiempo consumido por -AssignTaskToMe=Asignarme una tarea AssignTaskToUser=Asignar tarea a %s SelectTaskToAssign=Seleccionar tarea para asignar ... ManageTasks=Usar proyectos para seguir tareas y / o informar el tiempo empleado (hojas de tiempo) diff --git a/htdocs/langs/es_CL/sendings.lang b/htdocs/langs/es_CL/sendings.lang index b09b9b53d2d..64b2889e310 100644 --- a/htdocs/langs/es_CL/sendings.lang +++ b/htdocs/langs/es_CL/sendings.lang @@ -27,7 +27,6 @@ ConfirmDeleteSending=¿Seguro que quieres eliminar este envío? ConfirmValidateSending=¿Estas seguro que quieres validar este envió con referencia %s? ConfirmCancelSending=¿Seguro que quieres cancelar este envío? WarningNoQtyLeftToSend=Advertencia, no hay productos esperando ser enviados. -StatsOnShipmentsOnlyValidated=Estadísticas realizadas en envíos solo validadas. La fecha utilizada es la fecha de validación del envío (no siempre se conoce la fecha de entrega planificada). DateDeliveryPlanned=Fecha planificada de entrega RefDeliveryReceipt=Ref. Recibo de entrega StatusReceipt=Recibo de entrega del estado diff --git a/htdocs/langs/es_CL/stocks.lang b/htdocs/langs/es_CL/stocks.lang index 46fffc7d68d..96a71f2b60e 100644 --- a/htdocs/langs/es_CL/stocks.lang +++ b/htdocs/langs/es_CL/stocks.lang @@ -55,7 +55,6 @@ StockDiffPhysicTeoric=Explicación de la diferencia entre stock físico y virtua NoPredefinedProductToDispatch=No hay productos predefinidos para este objeto. Por lo tanto, no se requiere envío en stock. DispatchVerb=Envío StockLimit=Límite de existencias para alerta -StockLimitDesc=(vacío) significa que no hay advertencia.
0 se puede utilizar como advertencia tan pronto como el stock esté vacío. PhysicalStock=Inventario FISICO RealStockDesc=El stock físico / real es el stock actualmente en los almacenes. RealStockWillAutomaticallyWhen=El stock real se modificará de acuerdo con esta regla (como se define en el módulo de Stock): diff --git a/htdocs/langs/es_CL/users.lang b/htdocs/langs/es_CL/users.lang index 71626be966d..fcdfa4649ab 100644 --- a/htdocs/langs/es_CL/users.lang +++ b/htdocs/langs/es_CL/users.lang @@ -75,7 +75,6 @@ HierarchicView=Vista Jerárquica UseTypeFieldToChange=Use el campo Tipo para cambiar OpenIDURL=URL OpenID LoginUsingOpenID=Use OpenID para iniciar sesión -ExpectedWorkedHours=Horas trabajadas esperadas por semana ColorUser=Color del usuario DisabledInMonoUserMode=Desactivado en modo de mantenimiento UserAccountancyCode=Código de contabilidad del usuario diff --git a/htdocs/langs/es_CL/website.lang b/htdocs/langs/es_CL/website.lang index 874188e8088..24e649063d2 100644 --- a/htdocs/langs/es_CL/website.lang +++ b/htdocs/langs/es_CL/website.lang @@ -69,5 +69,3 @@ EditInLineOnOff=El modo 'Editar en línea' es %s ShowSubContainersOnOff=El modo para ejecutar 'contenido dinámico' es %s GlobalCSSorJS=Archivo global CSS / JS / Header del sitio web TranslationLinks=Enlaces de Traducción -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_CO/accountancy.lang b/htdocs/langs/es_CO/accountancy.lang index a1fb58e3305..48a19b88e51 100644 --- a/htdocs/langs/es_CO/accountancy.lang +++ b/htdocs/langs/es_CO/accountancy.lang @@ -12,17 +12,22 @@ ACCOUNTING_EXPORT_PREFIX_SPEC=Especifique el prefijo para el nombre del archivo. DefaultForService=Por defecto para el servicio DefaultForProduct=Predeterminado para producto CantSuggest=No puedo sugerir +ConfigAccountingExpert=Configuración de la contabilidad del módulo (doble entrada) Journalization=Periodización +Journals=Revistas JournalFinancial=Revistas financieras BackToChartofaccounts=Tabla de retorno de cuentas Chartofaccounts=Catálogo de cuentas +ChartOfIndividualAccountsOfSubsidiaryLedger=Plan de cuentas individuales del libro auxiliar subsidiario CurrentDedicatedAccountingAccount=Cuenta dedicada actual AssignDedicatedAccountingAccount=Nueva cuenta para asignar InvoiceLabel=Etiqueta de factura OverviewOfAmountOfLinesNotBound=Resumen de la cantidad de líneas no vinculadas a una cuenta contable OverviewOfAmountOfLinesBound=Resumen de la cantidad de líneas ya unidas a una cuenta contable DeleteCptCategory=Eliminar cuenta contable del grupo +ConfirmDeleteCptCategory=¿Está seguro de que desea eliminar esta cuenta contable del grupo de cuentas contables? JournalizationInLedgerStatus=Estado de la periodización +AlreadyInGeneralLedger=Ya transferido en diarios contables y libro mayor. GroupIsEmptyCheckSetup=El grupo está vacío, verifique la configuración del grupo de contabilidad personalizado DetailByAccount=Mostrar detalle por cuenta AccountWithNonZeroValues=Cuentas con valores distintos de cero. @@ -31,17 +36,21 @@ MainAccountForCustomersNotDefined=Cuenta contable principal para clientes no def MainAccountForSuppliersNotDefined=Cuenta de contabilidad principal para proveedores no definidos en la configuración. MainAccountForUsersNotDefined=Cuenta de contabilidad principal para usuarios no definidos en la configuración. MainAccountForVatPaymentNotDefined=Cuenta contable principal para el pago del IVA no definido en la configuración +MainAccountForSubscriptionPaymentNotDefined=Cuenta de contabilidad principal para el pago de la suscripción no definida en la configuración AccountancyArea=Area de contabilidad AccountancyAreaDescActionOnce=Las siguientes acciones generalmente se ejecutan una sola vez, o una vez al año ... AccountancyAreaDescActionOnceBis=Se deben seguir los siguientes pasos para ahorrarle tiempo en el futuro, sugiriéndole la cuenta contable predeterminada correcta al realizar el registro por diario (escribiendo el registro en Revistas y Libro mayor) AccountancyAreaDescActionFreq=Las siguientes acciones generalmente se ejecutan cada mes, semana o día para compañías muy grandes ... AccountancyAreaDescJournalSetup=PASO %s: cree o verifique el contenido de su lista de revistas desde el menú %s +AccountancyAreaDescChartModel=PASO %s: Verifique que exista un modelo de plan de cuentas o cree uno desde el menú %s +AccountancyAreaDescChart=PASO %s: Seleccione y | o complete su plan de cuenta desde el menú %s AccountancyAreaDescVat=PASO %s: Defina cuentas contables para cada tasa de IVA. Para ello, utilice la entrada de menú %s. AccountancyAreaDescDefault=PASO %s: Defina cuentas de contabilidad predeterminadas. Para ello, utilice la entrada de menú %s. AccountancyAreaDescExpenseReport=PASO %s: Defina cuentas de contabilidad predeterminadas para cada tipo de informe de gastos. Para ello, utilice la entrada de menú %s. AccountancyAreaDescSal=PASO %s: Defina cuentas contables predeterminadas para el pago de salarios. Para ello, utilice la entrada de menú %s. AccountancyAreaDescContrib=PASO %s: Defina cuentas de contabilidad predeterminadas para gastos especiales (impuestos diversos). Para ello, utilice la entrada de menú %s. AccountancyAreaDescDonation=PASO %s: Defina cuentas de contabilidad predeterminadas para donación. Para ello, utilice la entrada de menú %s. +AccountancyAreaDescSubscription=PASO %s: Defina cuentas de contabilidad predeterminadas para la suscripción de miembros. Para ello, utilice la entrada de menú %s. AccountancyAreaDescMisc=PASO %s: Defina cuentas predeterminadas obligatorias y cuentas contables predeterminadas para transacciones misceláneas. Para ello, utilice la entrada de menú %s. AccountancyAreaDescLoan=PASO %s: Defina cuentas de contabilidad predeterminadas para préstamos. Para ello, utilice la entrada de menú %s. AccountancyAreaDescBank=PASO %s: Defina cuentas contables y código de diario para cada banco y cuentas financieras. Para ello, utilice la entrada de menú %s. @@ -50,8 +59,11 @@ AccountancyAreaDescBind=PASO %s: verifique el enlace entre las líneas %s existe AccountancyAreaDescWriteRecords=PASO %s: Escriba transacciones en el Libro mayor. Para esto, vaya al menú %s y haga clic en el botón %s . AccountancyAreaDescAnalyze=PASO %s: agregue o edite transacciones existentes y genere informes y exportaciones. AccountancyAreaDescClosePeriod=PASO %s: Cierre el período para que no podamos realizar modificaciones en el futuro. +TheJournalCodeIsNotDefinedOnSomeBankAccount=No se ha completado un paso obligatorio en la configuración (el diario de códigos contables no está definido para todas las cuentas bancarias) Selectchartofaccounts=Seleccionar plan de cuentas activo ChangeAndLoad=Cambio y carga +SubledgerAccount=Cuenta de libro mayor auxiliar +SubledgerAccountLabel=Etiqueta de cuenta del libro mayor auxiliar ShowAccountingAccount=Mostrar cuenta contable MenuDefaultAccounts=Cuentas por defecto MenuBankAccounts=cuentas bancarias @@ -59,6 +71,9 @@ MenuVatAccounts=Vat cuentas MenuExpenseReportAccounts=Cuentas de informe de gastos MenuLoanAccounts=Cuentas de prestamo MenuProductsAccounts=Cuentas de productos +MenuClosureAccounts=Cuentas de cierre +MenuAccountancyClosure=Cierre +Binding=Vinculante a cuentas CustomersVentilation=Encuadernación factura cliente SuppliersVentilation=Encuadernación factura de proveedor ExpenseReportsVentilation=Informe de gastos vinculante @@ -67,6 +82,7 @@ UpdateMvts=Modificación de una transacción ValidTransaction=Validar transaccion Bookkeeping=Libro mayor ObjectsRef=Ref. Objeto fuente +CAHTF=Proveedor de compra total antes de impuestos TotalExpenseReport=Informe de gastos totales InvoiceLines=Líneas de facturas a unir. InvoiceLinesDone=Líneas enlazadas de facturas. @@ -88,27 +104,48 @@ ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comience la clasificación de la página " ACCOUNTING_LENGTH_DESCRIPTION=Truncar la descripción de productos y servicios en las listas después de x caracteres (Mejor = 50) ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncar el formulario de descripción de la cuenta de productos y servicios en los listados después de x caracteres (Mejor = 50) ACCOUNTING_LENGTH_GACCOUNT=Longitud de las cuentas de contabilidad general (si establece el valor en 6 aquí, la cuenta '706' aparecerá como '706000' en la pantalla) +ACCOUNTING_LENGTH_AACCOUNT=Longitud de las cuentas de contabilidad de terceros (si establece el valor en 6 aquí, la cuenta '401' aparecerá como '401000' en la pantalla) +ACCOUNTING_MANAGE_ZERO=Permitir administrar diferentes números de ceros al final de una cuenta contable. Necesitado por algunos países (como Suiza). Si está desactivado (predeterminado), puede configurar los siguientes dos parámetros para pedirle a la aplicación que agregue ceros virtuales. BANK_DISABLE_DIRECT_INPUT=Deshabilitar el registro directo de la transacción en la cuenta bancaria ACCOUNTING_ENABLE_EXPORT_DRAFT_JOURNAL=Habilitar borrador de exportación en la revista +ACCOUNTANCY_COMBO_FOR_AUX=Habilite la lista combinada para la cuenta subsidiaria (puede ser lento si tiene muchos terceros) ACCOUNTING_SELL_JOURNAL=Diario de venta ACCOUNTING_PURCHASE_JOURNAL=Diario de compra ACCOUNTING_MISCELLANEOUS_JOURNAL=Revista miscelánea ACCOUNTING_EXPENSEREPORT_JOURNAL=Diario de informe de gastos ACCOUNTING_SOCIAL_JOURNAL=Revista social ACCOUNTING_HAS_NEW_JOURNAL=Tiene nuevo diario +ACCOUNTING_RESULT_PROFIT=Cuenta contable de resultado (beneficio) +ACCOUNTING_RESULT_LOSS=Cuenta contable de resultados (pérdida) +ACCOUNTING_ACCOUNT_TRANSFER_CASH=Cuenta contable de transferencia bancaria transitoria +TransitionalAccount=Cuenta de transferencia bancaria transitoria ACCOUNTING_ACCOUNT_SUSPENSE=Cuenta contable de espera. DONATION_ACCOUNTINGACCOUNT=Cuenta contable para registrar donaciones. +ADHERENT_SUBSCRIPTION_ACCOUNTINGACCOUNT=Cuenta contable para registrar suscripciones +ACCOUNTING_ACCOUNT_CUSTOMER_DEPOSIT=Cuenta contable por defecto para registrar el depósito del cliente +ACCOUNTING_PRODUCT_BUY_ACCOUNT=Cuenta contable por defecto para los productos comprados (se usa si no está definida en la hoja de producto) +ACCOUNTING_PRODUCT_BUY_INTRA_ACCOUNT=Cuenta contable por defecto para los productos comprados en EEC (se usa si no está definido en la hoja de producto) +ACCOUNTING_PRODUCT_BUY_EXPORT_ACCOUNT=Cuenta contable por defecto para los productos comprados e importados fuera de la CEE (se utiliza si no está definido en la ficha del producto) ACCOUNTING_PRODUCT_SOLD_ACCOUNT=Cuenta contable por defecto para los productos vendidos (se usa si no se define en la hoja del producto) +ACCOUNTING_PRODUCT_SOLD_INTRA_ACCOUNT=Cuenta contable por defecto para los productos vendidos en EEC (usado si no está definido en la hoja de producto) +ACCOUNTING_PRODUCT_SOLD_EXPORT_ACCOUNT=Cuenta contable por defecto para los productos vendidos y exportados fuera de la CEE (utilizado si no está definido en la hoja de producto) ACCOUNTING_SERVICE_BUY_ACCOUNT=Cuenta de contabilidad por defecto para los servicios comprados (se usa si no está definido en la hoja de servicio) +ACCOUNTING_SERVICE_BUY_INTRA_ACCOUNT=Cuenta contable por defecto para los servicios comprados en EEC (se usa si no está definida en la hoja de servicio) +ACCOUNTING_SERVICE_BUY_EXPORT_ACCOUNT=Cuenta contable por defecto para los servicios comprados e importados fuera de EEC (usado si no está definido en la hoja de servicio) ACCOUNTING_SERVICE_SOLD_ACCOUNT=Cuenta de contabilidad por defecto para los servicios vendidos (se usa si no se define en la hoja de servicio) +ACCOUNTING_SERVICE_SOLD_INTRA_ACCOUNT=Cuenta de contabilidad por defecto para los servicios vendidos en EEC (usado si no está definido en la hoja de servicio) +ACCOUNTING_SERVICE_SOLD_EXPORT_ACCOUNT=Cuenta contable por defecto para los servicios vendidos y exportados fuera de EEC (usado si no está definido en la hoja de servicio) LabelAccount=Etiqueta de cuenta LabelOperation=Operación de etiquetas LetteringCode=Codigo de letras Codejournal=diario +JournalLabel=Etiqueta de diario NumPiece=Número de pieza TransactionNumShort=Num. transacción +GroupByAccountAccounting=Agrupar por cuenta del libro mayor AccountingAccountGroupsDesc=Puede definir aquí algunos grupos de cuentas contables. Serán utilizados para informes contables personalizados. ByPredefinedAccountGroups=Por grupos predefinidos. +DelMonth=Mes para eliminar DelYear=Año para borrar DelJournal=Diario para eliminar FinanceJournal=Revista de finanzas @@ -120,13 +157,25 @@ ProductAccountNotDefined=Cuenta por producto no definido. FeeAccountNotDefined=Cuenta por tarifa no definida BankAccountNotDefined=Cuenta para banco no definida CustomerInvoicePayment=Pago de factura al cliente. +ThirdPartyAccount=Cuenta de terceros NewAccountingMvt=Nueva transaccion NumMvts=Numero de transacción ListeMvts=Lista de movimientos ErrorDebitCredit=Débito y crédito no pueden tener un valor al mismo tiempo AddCompteFromBK=Añadir cuentas de contabilidad al grupo. +ReportThirdParty=Lista de cuentas de terceros +DescThirdPartyReport=Consulte aquí la lista de clientes y proveedores externos y sus cuentas contables ListAccounts=Listado de las cuentas contables. +UnknownAccountForThirdparty=Cuenta de terceros desconocida. Usaremos %s +UnknownAccountForThirdpartyBlocking=Cuenta de terceros desconocida. Error de bloqueo +ThirdpartyAccountNotDefinedOrThirdPartyUnknown=Cuenta de terceros no definida o desconocida. Usaremos %s +ThirdpartyAccountNotDefinedOrThirdPartyUnknownSubledgerIgnored=Tercero desconocido y libro auxiliar no definido en el pago. Mantendremos vacío el valor de la cuenta del libro mayor auxiliar. +ThirdpartyAccountNotDefinedOrThirdPartyUnknownBlocking=Cuenta de terceros no definida o desconocida. Error de bloqueo. +UnknownAccountForThirdpartyAndWaitingAccountNotDefinedBlocking=Cuenta de terceros desconocida y cuenta en espera no definida. Error de bloqueo PaymentsNotLinkedToProduct=Pago no vinculado a ningún producto / servicio. +OpeningBalance=Saldo de apertura +PcgtypeDesc=Los grupos de cuentas se utilizan como criterios de 'filtro' y 'agrupación' predefinidos para algunos informes contables. Por ejemplo, 'INGRESOS' o 'GASTOS' se utilizan como grupos para las cuentas contables de productos para crear el informe de gastos / ingresos. +Reconcilable=Conciliable TotalVente=Rotación total antes de impuestos TotalMarge=Margen total de ventas DescVentilCustomer=Consulte aquí la lista de líneas de factura del cliente vinculadas (o no) a una cuenta contable del producto @@ -134,10 +183,15 @@ DescVentilMore=En la mayoría de los casos, si utiliza productos o servicios pre DescVentilDoneCustomer=Consulte aquí la lista de las líneas de facturas de los clientes y su cuenta contable del producto. DescVentilTodoCustomer=Enlazar líneas de factura aún no vinculadas con una cuenta contable de producto ChangeAccount=Cambie la cuenta de contabilidad de producto / servicio para las líneas seleccionadas con la siguiente cuenta de contabilidad: +DescVentilSupplier=Consulte aquí la lista de líneas de facturas de proveedores vinculadas o aún no vinculadas a una cuenta de contabilidad de productos (solo están visibles los registros que aún no se han transferido a la contabilidad) +DescVentilDoneSupplier=Consulte aquí el listado de las líneas de facturas de proveedores y su cuenta contable DescVentilTodoExpenseReport=Líneas de informe de gastos de enlace no vinculadas con una cuenta contable de comisiones DescVentilExpenseReport=Consulte aquí la lista de líneas de informe de gastos vinculadas (o no) a una cuenta de contabilidad de comisiones. DescVentilExpenseReportMore=Si configura una cuenta contable según el tipo de líneas de informe de gastos, la aplicación podrá realizar toda la vinculación entre sus líneas de informe de gastos y la cuenta contable de su plan de cuentas, solo con un clic con el botón "%s" . Si la cuenta no se estableció en el diccionario de tarifas o si todavía tiene algunas líneas no vinculadas a ninguna cuenta, deberá realizar un enlace manual desde el menú " %s ". DescVentilDoneExpenseReport=Consulte aquí la lista de líneas de informes de gastos y sus cuentas contables. +DescClosure=Consulta aquí el número de movimientos por mes que no están validados y años fiscales ya abiertos +NotAllMovementsCouldBeRecordedAsValidated=No todos los movimientos se pudieron registrar como validados +DescValidateMovements=Se prohíbe cualquier modificación o eliminación de la escritura, las letras y las eliminaciones. Todas las entradas para un ejercicio deben ser validadas, de lo contrario no será posible cerrar AutomaticBindingDone=Encuadernación automática hecha ErrorAccountancyCodeIsAlreadyUse=Error, no puede eliminar esta cuenta de contabilidad porque se usa MvtNotCorrectlyBalanced=Movimiento no equilibrado correctamente. Débito = %s | Crédito = %s @@ -149,33 +203,66 @@ NoNewRecordSaved=No hay más récord para periodizar. ListOfProductsWithoutAccountingAccount=Lista de productos no vinculados a ninguna cuenta contable. ChangeBinding=Cambiar el enlace Accounted=Contabilizado en libro mayor -NotYetAccounted=Aún no contabilizado en el libro mayor. +ShowTutorial=Tutorial de presentación +NotReconciled=No conciliado +WarningRecordWithoutSubledgerAreExcluded=Advertencia, todas las operaciones sin una cuenta de libro auxiliar definida se filtran y excluyen de esta vista +BindingOptions=Opciones de encuadernación ApplyMassCategories=Aplicar categorías de masa +AddAccountFromBookKeepingWithNoCategories=Cuenta disponible que aún no está en el grupo personalizado CategoryDeleted=Se ha eliminado la categoría de la cuenta contable. AccountingJournals=Revistas contables AccountingJournal=Diario de contabilidad NewAccountingJournal=Nueva revista contable +NatureOfJournal=Naturaleza de la revista AccountingJournalType1=Operaciones misceláneas AccountingJournalType5=Informe de gastos AccountingJournalType9=Ha-nuevo ErrorAccountingJournalIsAlreadyUse=Esta revista ya está en uso. AccountingAccountForSalesTaxAreDefinedInto=Nota: la cuenta contable del impuesto sobre las ventas se define en el menú %s - %s +NumberOfAccountancyMovements=Numero de movimientos +ACCOUNTING_DISABLE_BINDING_ON_SALES=Deshabilitar la vinculación y la transferencia en la contabilidad de las ventas (las facturas de los clientes no se tendrán en cuenta en la contabilidad) +ACCOUNTING_DISABLE_BINDING_ON_PURCHASES=Deshabilite la vinculación y transferencia en contabilidad en compras (las facturas de proveedores no se tendrán en cuenta en la contabilidad) ExportDraftJournal=Exportar borrador de revista Selectmodelcsv=Selecciona un modelo de exportación. +Modelcsv_CEGID=Exportación para CEGID Expert Comptabilité +Modelcsv_COALA=Exportación para Sage Coala +Modelcsv_bob50=Exportación para Sage BOB 50 +Modelcsv_ciel=Exportación para Sage Ciel Compta o Compta Evolution +Modelcsv_quadratus=Exportar para Quadratus QuadraCompta +Modelcsv_ebp=Exportar para EBP +Modelcsv_cogilog=Exportar para Cogilog +Modelcsv_agiris=Exportación para Agiris +Modelcsv_LDCompta=Exportar para LD Compta (v9) (prueba) +Modelcsv_LDCompta10=Exportar para LD Compta (v10 y superior) +Modelcsv_openconcerto=Exportar para OpenConcerto (prueba) Modelcsv_configurable=Exportar CSV Configurable +Modelcsv_FEC=Exportar FEC +Modelcsv_FEC2=Exportar FEC (con escritura de generación de fechas / documento invertido) +Modelcsv_Sage50_Swiss=Exportación para Sage 50 Suiza +Modelcsv_winfic=Exportar Winfic - eWinfic - WinSis Compta +Modelcsv_Gestinumv3=Exportar para Gestinum (v3) ChartofaccountsId=ID del plan de cuentas InitAccountancy=Contable inicial InitAccountancyDesc=Esta página se puede usar para inicializar una cuenta contable en productos y servicios que no tiene una cuenta contable definida para ventas y compras. DefaultBindingDesc=Esta página se puede usar para configurar una cuenta predeterminada para vincular el registro de transacciones sobre salarios de pago, donaciones, impuestos y IVA cuando no se haya establecido una cuenta contable específica. +DefaultClosureDesc=Esta página se puede utilizar para configurar los parámetros utilizados para los cierres contables. OptionModeProductSell=Modo de ventas +OptionModeProductSellIntra=Ventas de modo exportadas en la CEE +OptionModeProductSellExport=Modo de ventas exportado a otros países OptionModeProductBuy=Compras de modo +OptionModeProductBuyIntra=Compras de modo importadas en la CEE +OptionModeProductBuyExport=Modo comprado importado de otros países OptionModeProductSellDesc=Mostrar todos los productos con cuenta contable para ventas. +OptionModeProductSellIntraDesc=Mostrar todos los productos con cuenta contable para ventas en EEC. OptionModeProductBuyDesc=Mostrar todos los productos con cuenta contable para compras. +OptionModeProductBuyExportDesc=Mostrar todos los productos con cuenta contable para otras compras extranjeras. CleanFixHistory=Eliminar el código de contabilidad de las líneas que no existen en los cuadros de cuenta CleanHistory=Restablecer todos los enlaces para el año seleccionado PredefinedGroups=Grupos predefinidos WithValidAccount=Con cuenta dedicada válida. ValueNotIntoChartOfAccount=Este valor de la cuenta contable no existe en el plan de cuentas. +SaleEECWithVAT=Venta en EEC con IVA no nulo, por lo que suponemos que NO es una venta intracomunitaria y la cuenta sugerida es la cuenta estándar del producto. +SaleEECWithoutVATNumber=Venta en CEE sin IVA, pero no se define el ID de IVA del tercero. Recurrimos a la cuenta de producto para las ventas estándar. Puede corregir el ID de IVA del tercero o la cuenta del producto si es necesario. SomeMandatoryStepsOfSetupWereNotDone=Algunos pasos obligatorios de configuración no se realizaron, por favor complete ErrorNoAccountingCategoryForThisCountry=No hay grupo de cuentas contables disponible para el país %s (Consulte Inicio - Configuración - Diccionarios) ErrorInvoiceContainsLinesNotYetBounded=Intenta registrar en el diario algunas líneas de la factura %s , pero algunas otras líneas aún no están vinculadas a la cuenta contable. La periodización de todas las líneas de factura para esta factura se rechazan. @@ -187,6 +274,9 @@ Binded=Líneas enlazadas ToBind=Líneas para unir UseMenuToSetBindindManualy=Líneas aún no enlazadas, use el menú %s para hacer el enlace manualmente ImportAccountingEntries=Asientos contables +FECFormatDebit=Débito (Débito) +FECFormatCredit=Crédito (crédito) +DateExport=Exportación de fecha WarningReportNotReliable=Advertencia, este informe no se basa en el Libro mayor, por lo que no contiene la transacción modificada manualmente en el Libro mayor. Si su publicación está actualizada, la vista de contabilidad es más precisa. ExpenseReportJournal=Diario de informe de gastos InventoryJournal=Diario de inventario diff --git a/htdocs/langs/es_CO/admin.lang b/htdocs/langs/es_CO/admin.lang index cc43022632d..2646b12f477 100644 --- a/htdocs/langs/es_CO/admin.lang +++ b/htdocs/langs/es_CO/admin.lang @@ -4,6 +4,8 @@ VersionLastInstall=Versión instalación inicial VersionLastUpgrade=Última versión de actualización VersionUnknown=Desconocido VersionRecommanded=Recomendado +FileCheck=Comprobaciones de integridad del conjunto de archivos +FileCheckDesc=Esta herramienta te permite verificar la integridad de los archivos y la configuración de tu aplicación, comparando cada archivo con el oficial. También se puede verificar el valor de algunas constantes de configuración. Puede utilizar esta herramienta para determinar si algún archivo ha sido modificado (por ejemplo, por un hacker). FileIntegrityIsOkButFilesWereAdded=La verificación de integridad de los archivos ha pasado, sin embargo, se han agregado algunos archivos nuevos. FileIntegritySomeFilesWereRemovedOrModified=La verificación de integridad de archivos ha fallado. Algunos archivos fueron modificados, eliminados o agregados. GlobalChecksum=Suma de control global @@ -13,9 +15,11 @@ RemoteSignature=Firma remota remota (más confiable) FilesMissing=Archivos perdidos FilesAdded=Archivos Agregados FileCheckDolibarr=Comprobar la integridad de los archivos de la aplicación. +AvailableOnlyOnPackagedVersions=El archivo local para la verificación de integridad solo está disponible cuando la aplicación se instala desde un paquete oficial XmlNotFound=Archivo de integridad xml de aplicación no encontrada SessionId=ID Sesión SessionSaveHandler=Manejador para grabar sesiones +SessionSavePath=Ubicación para guardar la sesión PurgeSessions=Limpiado de sesiones ConfirmPurgeSessions=¿Realmente quiere eliminar todas las sesiones? Ésto desconectará todos los usuarios (excepto a usted). NoSessionListWithThisHandler=Guardar el controlador de sesión configurado en su PHP no permite enumerar todas las sesiones en ejecución. @@ -23,8 +27,12 @@ LockNewSessions=Bloquear conexiones nuevas ConfirmLockNewSessions=¿Estás seguro de que deseas restringir cualquier nueva conexión de Dolibarr a ti mismo? Solo el usuario %s podrá conectarse después de eso. UnlockNewSessions=Eliminar el bloqueo de conexión WebUserGroup=Grupo/Usuario del servidor web +PermissionsOnFilesInWebRoot=Permisos sobre archivos en el directorio raíz web +PermissionsOnFile=Permisos en el archivo %s +NoSessionFound=Su configuración de PHP parece no permitir la lista de sesiones activas. El directorio utilizado para guardar sesiones ( %s ) puede estar protegido (por ejemplo, mediante permisos del sistema operativo o mediante la directiva de PHP open_basedir). DBStoringCharset=Conjunto de caracteres de la base de datos para almacenar datos DBSortingCharset=Conjunto de caracteres para organizar datos +HostCharset=Charset de host ClientCharset=Charset cliente WarningModuleNotActive=El módulo %s debe estar activo WarningOnlyPermissionOfActivatedModules=Solo los permisos relacionados a los modulos activos se muestran acá. Puede activar otros modulos en la página Inicio->Configuración->Módulos. @@ -33,6 +41,8 @@ GUISetup=Mostrar UploadNewTemplate=Subir nueva (s) plantilla (s) FormToTestFileUploadForm=Formulario para probar la importación de archivos (según configuración) IfModuleEnabled=Nota: solo aplica el SI en caso de que el modulo %s esté activo +RemoveLock=Quite / cambie el nombre del archivo %s si existe, para permitir el uso de la herramienta Actualizar / Instalar. +RestoreLock=Restaure el archivo %s , solo con permiso de lectura, para deshabilitar cualquier uso posterior de la herramienta Actualizar / Instalar. SecuritySetup=Configuración de seguridad SecurityFilesDesc=Define aquí las opciones relacionadas con la seguridad sobre la carga de archivos. ErrorModuleRequirePHPVersion=Error, éste módulo requiere la versión de PHP %s o superior @@ -42,9 +52,15 @@ DictionarySetup=Configuración del diccionario Dictionary=Los diccionarios ErrorReservedTypeSystemSystemAuto=Los valores 'system' y 'systemauto' están reservados para tipo. Puede usar 'user' como valor para agregar su propio registro ErrorCodeCantContainZero=El código no puede contener un valor de 0 +DisableJavascript=Deshabilitar las funciones de JavaScript y Ajax +DisableJavascriptNote=Nota: Para fines de prueba o depuración. Para la optimización para navegadores de texto o personas ciegas, es posible que prefiera utilizar la configuración en el perfil de usuario UseSearchToSelectCompanyTooltip=Además, si tiene un gran número de terceros (> 100 000), puede aumentar la velocidad configurando la constante COMPANY_DONOTSEARCH_ANYWHERE en 1 en Configuración-> Otro. La búsqueda se limitará entonces al inicio de la cadena. UseSearchToSelectContactTooltip=Además, si tiene un gran número de terceros (> 100 000), puede aumentar la velocidad configurando la constante CONTACT_DONOTSEARCH_ANYWHERE en 1 en Configuración-> Otro. La búsqueda se limitará entonces al inicio de la cadena. DelaiedFullListToSelectCompany=Espere hasta que se presione una tecla antes de cargar el contenido de la lista de combo de Terceros. Esto puede aumentar el rendimiento si tiene un gran número de terceros, pero es menos conveniente. +DelaiedFullListToSelectContact=Espere hasta que se presione una tecla antes de cargar el contenido de la lista combinada de contactos.
Esto puede aumentar el rendimiento si tiene una gran cantidad de contactos, pero es menos conveniente. +NumberOfKeyToSearch=Número de caracteres para activar la búsqueda: %s +NumberOfBytes=Número de bytes +SearchString=Cadena de búsqueda NotAvailableWhenAjaxDisabled=No disponible con Ajax desactivado AllowToSelectProjectFromOtherCompany=En el documento de un tercero, puede elegir un proyecto vinculado a otro tercero JavascriptDisabled=JavaScript desactivado @@ -60,11 +76,14 @@ NextValueForInvoices=Siguiente valor (facturas) NextValueForCreditNotes=Siguiente valor (notas crédito) NextValueForDeposit=Siguiente valor (pago inicial) NextValueForReplacements=Siguiente valor (reemplazos) +MustBeLowerThanPHPLimit=Nota: su configuración de PHP actualmente limita el máximo para cargar a %s %s, independientemente del valor de este parámetro NoMaxSizeByPHPLimit=Nota: en la configuración de su PHP no está definido un límite MaxSizeForUploadedFiles=Tamaño máximo para archivos importados (0 para desactivar cualquier importación) UseCaptchaCode=Usar código gráfico (CAPTCHA) en la página de inicio de sesión AntiVirusCommand=Ruta completa para el comando del antivirus +AntiVirusCommandExample=Ejemplo de ClamAv Daemon (requiere clamav-daemon): /usr/bin/clamdscan
Ejemplo de ClamWin (muy, muy lento): c:\\Progra~1\\ClamWin\\bin\\clamscan.exe AntiVirusParam=Más parámetros en la línea de comando +AntiVirusParamExample=Ejemplo de ClamAv Daemon: --fdpass
Ejemplo de ClamWin: --database = "C:\\Archivos de programa (x86)\\ClamWin\\lib" ComptaSetup=Configuración del módulo contable UserSetup=Configuración de la administración de usuarios MultiCurrencySetup=Configuración multi-moneda @@ -90,14 +109,19 @@ CurrentHour=Hora del PHP (servidor) CurrentSessionTimeOut=Tiempo de espera de la sesión actual YouCanEditPHPTZ=Para configurar una zona horaria de PHP diferente (no es necesario), puede intentar agregar un archivo .htaccess con una línea como esta "SetEnv TZ Europe / Paris" HoursOnThisPageAreOnServerTZ=La advertencia, a diferencia de otras pantallas, las horas en esta página no se encuentran en su zona horaria local, sino de la zona horaria del servidor. +MaxNbOfLinesForBoxes=Max. número de líneas para widgets PositionByDefault=Orden por defecto Position=Puesto MenusDesc=Los gestores de menú establecen el contenido de las dos barras de menú (horizontal y vertical). MenusEditorDesc=El editor de menú le permite definir entradas de menú personalizadas. Utilícelo con cuidado para evitar la inestabilidad y las entradas de menú permanentemente inalcanzables.
Algunos módulos agregan entradas de menú (en el menú Todos en su mayoría). Si elimina por error algunas de estas entradas, puede restaurarlas desactivando y volviendo a habilitar el módulo. MenuForUsers=Menú para usuarios. +Language_en_US_es_MX_etc=Idioma (en_US, es_MX, ...) SystemInfo=Información del sistema SystemToolsArea=Área de herramientas del sistema +SystemToolsAreaDesc=Esta área proporciona funciones de administración. Utilice el menú para elegir la función requerida. +PurgeAreaDesc=Esta página le permite eliminar todos los archivos generados o almacenados por Dolibarr (archivos temporales o todos los archivos en el directorio %s ). Normalmente, no es necesario utilizar esta función. Se proporciona como una solución para los usuarios cuyo Dolibarr está alojado por un proveedor que no ofrece permisos para eliminar archivos generados por el servidor web. PurgeDeleteLogFile=Elimine los archivos de registro, incluido el %s definido para el módulo Syslog (sin riesgo de perder datos) +PurgeDeleteAllFilesInDocumentsDir=Elimine todos los archivos del directorio: %s .
Esto eliminará todos los documentos generados relacionados con elementos (terceros, facturas, etc.), archivos cargados en el módulo ECM, volcados de respaldo (backup dumps) de la base de datos y archivos temporales. PurgeRunNow=Purga ahora PurgeNothingToDelete=No hay directorio o archivos para eliminar. PurgeNDirectoriesDeleted=Se eliminaron los archivos o directorios de %s . @@ -109,13 +133,16 @@ Restore=Restaurar RunCommandSummary=La copia de seguridad se ha iniciado con el siguiente comando BackupResult=Resultado de copia de seguridad BackupFileSuccessfullyCreated=Archivo de copia de seguridad generado correctamente +YouCanDownloadBackupFile=El archivo generado ahora se puede descargar NoBackupFileAvailable=No hay archivos de copia de seguridad disponibles. ToBuildBackupFileClickHere=Para crear un archivo de copia de seguridad, haga clic en aquí . +ImportMySqlDesc=Para importar un archivo de respaldo de MySQL, puede usar phpMyAdmin a través de su alojamiento o usar el comando mysql desde la línea de comandos.
Por ejemplo: ImportPostgreSqlDesc=Para importar un archivo de copia de seguridad, debe usar el comando pg_restore desde la línea de comandos: ImportMySqlCommand=%s %s módulos habilitados . +ModulesDesc=Los módulos/aplicaciones determinan qué funciones están disponibles en el software. Algunos módulos requieren que se otorguen permisos a los usuarios después de activar el módulo. Haga clic en el botón de encendido/apagado %s de cada módulo para habilitar o deshabilitar un módulo/aplicación. ModulesDeployDesc=Si los permisos en su sistema de archivos lo permiten, puede usar esta herramienta para implementar un módulo externo. El módulo será visible en la pestaña %s . ModulesMarketPlaces=Encuentra aplicaciones / módulos externos ModulesDevelopYourModule=Desarrolle su propia aplicación / módulos ModulesDevelopDesc=También puede desarrollar su propio módulo o encontrar un socio para desarrollar uno para usted. DOLISTOREdescriptionLong=En lugar de activar el sitio web www.dolistore.com para encontrar un módulo externo, puede utilizar esta herramienta integrada que realizará la búsqueda en el Mercado externo para usted (puede ser lento, necesita un acceso a Internet) ... +NewModule=Nuevo modulo SeeInMarkerPlace=Ver en el mercado +SeeSetupOfModule=Ver configuración del módulo %s AchatTelechargement=Comprar / Descargar +GoModuleSetupArea=Para implementar/instalar un nuevo módulo, vaya al área de configuración del módulo: %s . DoliStoreDesc=DoliStore, el sitio oficial de mercado para los módulos externos de Dolibarr ERP / CRM +DoliPartnersDesc=Lista de empresas que ofrecen funciones o módulos desarrollados a medida.
Nota: dado que Dolibarr es una aplicación de código abierto, cualquier persona con experiencia en programación PHP debería poder desarrollar un módulo. WebSiteDesc=Sitios web externos para más módulos complementarios (no centrales) ... DevelopYourModuleDesc=Algunas soluciones para desarrollar tu propio módulo ... +RelativeURL=URL relativa BoxesAvailable=Widgets disponibles BoxesActivated=Widgets activados ActiveOn=Activado en @@ -151,11 +184,15 @@ SourceFile=Archivo fuente AvailableOnlyIfJavascriptAndAjaxNotDisabled=Disponible solo si JavaScript no está deshabilitado Required=Necesario UsedOnlyWithTypeOption=Usado solo por alguna opción de agenda +DoNotStoreClearPassword=Encripte las contraseñas almacenadas en la base de datos (NO como texto plano). Es obligatorio, por su seguridad, activar esta opción. +MainDbPasswordFileConfEncrypted=Encripte la contraseña de la base de datos almacenada en conf.php. Es obligatorio, por su seguridad, activar esta opción. InstrucToEncodePass=Para tener la 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 descodificar (borrar) la contraseña en el archivo conf.php , reemplace la línea
$ dolibarr_main_db_pass = "crypted: ...";
by < br> $ dolibarr_main_db_pass = "%s"; +ProtectAndEncryptPdfFiles=Proteja los archivos PDF generados. NO se recomienda ya que interrumpe la generación masiva de PDF. ProtectAndEncryptPdfFilesDesc=La protección de un documento PDF lo mantiene disponible para leer e imprimir con cualquier navegador PDF. Sin embargo, la edición y la copia ya no es posible. Tenga en cuenta que el uso de esta función hace que la creación de un PDF combinado global no funcione. Feature=Característica Developpers=Desarrolladores / colaboradores +OfficialWiki=Documentación Dolibarr / Wiki OfficialDemo=Demostración online de dolibarr OfficialMarketPlace=Mercado oficial para módulos externos / addons OfficialWebHostingService=Servicios de alojamiento web referenciados (Cloud hosting) @@ -169,7 +206,9 @@ SpaceX=Espacio x SpaceY=Espacio y Emails=Correos electronicos EMailsSetup=Configuración de correos electrónicos +EMailsDesc=Esta página le permite establecer parámetros u opciones para el envío de correo electrónico. EmailSenderProfiles=Correos electrónicos remitentes perfiles +EMailsSenderProfileDesc=Puede mantener esta sección vacía. Si ingresa algunos correos electrónicos aquí, se agregarán a la lista de posibles remitentes en el cuadro combinado cuando escriba un nuevo correo electrónico. MAIN_MAIL_SMTP_PORT=Puerto SMTP / SMTPS (valor predeterminado en php.ini: %s ) MAIN_MAIL_SMTP_SERVER=SMTP / SMTPS Host (valor predeterminado en php.ini: %s ) MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=Puerto SMTP / SMTPS (no definido en PHP en sistemas similares a Unix) @@ -179,11 +218,13 @@ MAIN_MAIL_ERRORS_TO=El correo electrónico utilizado para el error devuelve corr MAIN_MAIL_AUTOCOPY_TO=Copiar (Bcc) todos los correos electrónicos enviados a MAIN_DISABLE_ALL_MAILS=Deshabilitar todo el envío de correo electrónico (para propósitos de prueba o demostraciones) MAIN_MAIL_FORCE_SENDTO=Enviar todos los correos electrónicos a (en lugar de destinatarios reales, para fines de prueba) +MAIN_MAIL_ENABLED_USER_DEST_SELECT=Sugerir correos electrónicos de empleados (si están definidos) en la lista de destinatarios predefinidos al escribir un nuevo correo electrónico 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=Utilizar cifrado TLS (SSL) MAIN_MAIL_EMAIL_STARTTLS=Usar cifrado TLS (STARTTLS) +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Autorizar certificados autofirmados MAIN_MAIL_EMAIL_DKIM_ENABLED=Usa DKIM para generar firma de correo electrónico MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dominio de correo electrónico para usar con dkim MAIN_DISABLE_ALL_SMS=Deshabilitar todo el envío de SMS (para propósitos de prueba o demostraciones) @@ -191,28 +232,43 @@ MAIN_SMS_SENDMODE=Método a utilizar para enviar SMS. MAIN_MAIL_SMS_FROM=Número de teléfono del remitente predeterminado para el envío de SMS MAIN_MAIL_DEFAULT_FROMTYPE=Correo electrónico predeterminado del remitente para envío manual (correo electrónico del usuario o correo electrónico de la empresa) UserEmail=Email del usuario +CompanyEmail=Correo electrónico de la empresa FeatureNotAvailableOnLinux=Característica no disponible en Unix como sistemas. Prueba tu programa de sendmail localmente. +SubmitTranslation=Si la traducción para este idioma no está completa o encuentra errores, puede corregir esto editando los archivos en el directorio langs / %s y envíe su cambio a www.transifex.com/dolibarr-association/dolibarr/ +SubmitTranslationENUS=Si la traducción para este idioma no está completa o encuentra errores, puede corregir esto editando los archivos en el directorio langs/%s y envíe los archivos modificados a dolibarr.org/forum o, si es un desarrollador, con un PR en github.com/Dolibarr/dolibarr ModulesSetup=Configuración de módulos / aplicaciones +ModuleFamilyCrm=Gestión de relaciones con el cliente (CRM) +ModuleFamilySrm=Gestión de relaciones con proveedores (VRM) ModuleFamilyHr=Gestión de Recursos Humanos (HR) ModuleFamilyProjects=Proyectos / Trabajo colaborativo. ModuleFamilyTechnic=Herramientas multimodulos ModuleFamilyFinancial=Módulos Financieros (Contabilidad / Tesorería) ModuleFamilyECM=Gestión de contenidos electrónicos (ECM) +ModuleFamilyPortal=Sitios web y otras aplicaciones frontales ModuleFamilyInterface=Interfaces con sistemas externos. MenuHandlers=Manejadores de menú MenuAdmin=Editor de menú DoNotUseInProduction=No utilizar en producción. ThisIsAlternativeProcessToFollow=Esta es una configuración alternativa para procesar manualmente: +FindPackageFromWebSite=Busque 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). +UnpackPackageInDolibarrRoot=Desempaquete/descomprima los archivos empaquetados en el directorio de su servidor Dolibarr: %s UnpackPackageInModulesRoot=Para implementar / instalar un módulo externo, descomprima / descomprima los archivos empaquetados en el directorio del servidor dedicado a los módulos externos:
%s SetupIsReadyForUse=El despliegue del módulo ha finalizado. Sin embargo, debe habilitar y configurar el módulo en su aplicación ingresando a los módulos de configuración de la página: %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).
InfDirExample=
Luego declara en el archivo conf.php
$ dolibarr_main_url_root_alt = '/ custom'
$ dolibarr_main_document_root_alt = '/ path / of / dolibarr / htdocs / custom'
Si estas líneas están comentadas con "#", para habilitarlas, simplemente elimine el comentario eliminando el carácter "#". +YouCanSubmitFile=Puede cargar el archivo .zip del módulo desde aquí: CurrentVersion=Dolibarr versión actual +CallUpdatePage=Vaya a la página que actualiza la estructura y los datos de la base de datos: %s. LastActivationAuthor=Autor de activación más reciente LastActivationIP=Última activación de IP UpdateServerOffline=Actualizar servidor fuera de línea WithCounter=Manejar un contador +GenericMaskCodes=Puede ingresar cualquier máscara de numeración. En esta máscara, se pueden utilizar las siguientes etiquetas:
{000000} corresponde a un número que se incrementará en cada %s. Ingrese tantos ceros como la longitud deseada del contador. El contador se completará con ceros desde la izquierda para tener tantos ceros como la máscara.
{000000 + 000} igual que el anterior pero se aplica un desplazamiento correspondiente al número a la derecha del signo + comenzando en el primer %s.
{000000 @ x} igual que el anterior pero el contador se restablece a cero cuando se alcanza el mes x (x entre 1 y 12, o 0 para usar los primeros meses del año fiscal definido en su configuración, o 99 para poner a cero todos los meses). Si se usa esta opción y x es 2 o superior, entonces también se requiere la secuencia {yy} {mm} o {yyyy} {mm}.
{dd} día (01 a 31).
{mm} mes (01 a 12).
{yy} , {yyyy} o {y} año sobre 2, 4 o 1 número.
+GenericMaskCodes2={cccc} el código de cliente en n caracteres
{cccc000} el código de cliente es un código de cliente dedicado a n. Este contador dedicado al cliente se pone a cero al mismo tiempo que el contador global.
{tttt} El código del tipo de terceros en n caracteres (ver menú Inicio - Configuración - Diccionario - Tipos de terceros). Si agrega esta etiqueta, el contador será diferente para cada tipo de tercero.
+GenericMaskCodes3=Todos los demás caracteres de la máscara permanecerán intactos.
No se permiten espacios.
+GenericMaskCodes3EAN=Todos los demás caracteres de la máscara permanecerán intactos (excepto * o ? En la 13ª posición en EAN13).
No se permiten espacios.
En EAN13, el último carácter después del último} en la posición 13 debe ser * o ? . Será reemplazado por la clave calculada.
GenericMaskCodes4a= Ejemplo en la 99a %s de TheCompany de terceros, con fecha 2007-01-31:
GenericMaskCodes4b= Ejemplo de un tercero creado el 2007-03-01:
GenericMaskCodes4c= Ejemplo de producto creado el 2007-03-01:
@@ -227,6 +283,7 @@ ErrorCantUseRazIfNoYearInMask=Error, no se puede usar la opción @ para reinicia ErrorCantUseRazInStartedYearIfNoYearMonthInMask=Error, no se puede usar la opción @ si la secuencia {yy} {mm} o {yyyy} {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 los permisos establecidos de forma predeterminada 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). El parámetro es inútil en un servidor Windows. +SeeWikiForAllTeam=Eche un vistazo a la página Wiki para obtener una lista de contribuyentes y su organización. UseACacheDelay=Retraso para almacenar en caché la respuesta de exportación en segundos (0 o vacío para no tener caché) DisableLinkToHelpCenter=Ocultar el enlace " Necesita ayuda o soporte " en la página de inicio de sesión DisableLinkToHelp=Ocultar el enlace a la ayuda en línea " %s " @@ -237,27 +294,41 @@ LanguageFilesCachedIntoShmopSharedMemory=Archivos .lang cargados en memoria comp ListOfDirectories=Lista de directorios de plantillas de OpenDocument ListOfDirectoriesForModelGenODT=Lista de directorios que contienen archivos de plantillas con formato OpenDocument.

Ruta aquí completa de los directorios. Agregue un retorno de carro entre cada directorio.
Para agregar un directorio del módulo GED, agregue aquí DOL_DATA_ROOT / ecm / yourdirectoryname . Los archivos en esos directorios deben terminar con .odt o .ods . NumberOfModelFilesFound=Número de archivos de plantilla ODT / ODS encontrados en estos directorios +ExampleOfDirectoriesForModelGen=Ejemplos de sintaxis:
c:\\myapp\\mydocumentdir\\mysubdir
/home/myapp/mydocumentdir/mysubdir
DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
Para saber cómo crear sus plantillas de documento odt, antes de almacenarlas en esos directorios, lea la documentación de la wiki: FirstnameNamePosition=Posición del nombre / apellido +DescWeather=Las siguientes imágenes se mostrarán en el tablero cuando el número de acciones tardías alcance los siguientes valores: KeyForWebServicesAccess=Clave para usar servicios web (parámetro "dolibarrkey" en servicios web) TestSubmitForm=Formulario de prueba de entrada +ThisForceAlsoTheme=El uso de este administrador de menús también usará su propio tema cualquiera que sea la elección del usuario. Además, este administrador de menús especializado para teléfonos inteligentes no funciona en todos los teléfonos inteligentes. Utilice otro administrador de menú si tiene problemas con el suyo. ThemeDir=Directorio de skins ConnectionTimeout=El tiempo de conexión expiro ResponseTimeout=Tiempo de espera de respuesta SmsTestMessage=Mensaje de prueba de __PHONEFROM__ a __PHONETO__ ModuleMustBeEnabledFirst=El módulo %s debe habilitarse primero si necesita esta función. SecurityToken=Clave para asegurar las URL +NoSmsEngine=No hay ningún administrador de remitentes de SMS disponible. Un administrador de remitentes de SMS no está instalado con la distribución predeterminada porque depende de un proveedor externo, pero puede encontrar algunos en %s +PDFDesc=Opciones globales para la generación de PDF +PDFAddressForging=Reglas para la sección de direcciones +HideAnyVATInformationOnPDF=Ocultar toda la información relacionada con el impuesto sobre las ventas / IVA PDFRulesForSalesTax=Reglas para el impuesto de ventas / IVA +HideLocalTaxOnPDF=Ocultar la tasa %s en la columna Impuesto sobre las ventas / IVA +HideDescOnPDF=Ocultar descripción de productos +HideRefOnPDF=Ocultar la ref. de productos +HideDetailsOnPDF=Ocultar los detalles de las líneas de productos PlaceCustomerAddressToIsoLocation=Utilice la posición estándar francesa (La Poste) para la posición de la dirección del cliente Library=Biblioteca UrlGenerationParameters=Parámetros para proteger las URL SecurityTokenIsUnique=Utilice un parámetro de clave segura único para cada URL EnterRefToBuildUrl=Introduzca la referencia para el objeto %s GetSecuredUrl=Obtener URL calculada +ButtonHideUnauthorized=Ocultar botones de acción no autorizados también para usuarios internos (solo en gris de lo contrario) OldVATRates=Vieja tasa de IVA NewVATRates=Nueva tasa de IVA PriceBaseTypeToChange=Modificar en precios con valor de referencia base definido en +MassConvert=Lanzar conversión masiva String=Cuerda +String1Line=Cadena (1 línea) Int=Entero Float=Flotador Boolean=Booleano (una casilla de verificación) @@ -269,32 +340,58 @@ ExtrafieldCheckBox=Casillas de verificación ExtrafieldCheckBoxFromList=Casillas de verificación de la mesa ExtrafieldLink=Enlace a un objeto ComputedFormula=Campo computado +ComputedFormulaDesc=Puede ingresar aquí una fórmula usando otras propiedades del objeto o cualquier codificación PHP para obtener un valor calculado dinámico. Puede utilizar cualquier fórmula compatible con PHP, incluido el "?" operador de condición y el siguiente objeto global: $db, $conf, $langs, $mysoc, $user, $object.
ADVERTENCIA: Solo algunas propiedades de $object pueden estar disponibles. Si necesita propiedades no cargadas, simplemente busque el objeto en su fórmula como en el segundo ejemplo.
El uso de un campo calculado significa que no puede ingresar ningún valor desde la interfaz. Además, si hay un error de sintaxis, es posible que la fórmula no devuelva nada.

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

Ejemplo para volver a cargar el objeto
(($reloadedobj = new Societe($ db)) && ($reloadedobj-> fetchNoCompute($obj->id? $obj-> id: (? $obj-> id?) > rowid: $objetc->id))> 0))? $reloadedobj-> array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

Otro ejemplo de fórmula para forzar la carga del objeto y su objeto principal:
(($new reloadedobjb )) && ($reloadedobj->fetchNoCompute ($object-> id)> 0) && ($secondloadedobj = new Project ($db)) && ($secondloadedobj-> fetchNoCompute($reloadedobj-> fk_project)> 0))? $secondloadedobj-> ref: 'Proyecto principal no encontrado' +Computedpersistent=Almacenar campo calculado +ComputedpersistentDesc=Los campos adicionales calculados se almacenarán en la base de datos, sin embargo, el valor solo se volverá a calcular cuando se cambie el objeto de este campo. Si el campo calculado depende de otros objetos o datos globales, ¡este valor puede ser incorrecto! ExtrafieldParamHelpPassword=Dejar este campo en blanco significa que este valor se almacenará sin cifrado (el campo solo debe estar oculto con una estrella en la pantalla).
Establezca 'auto' para usar la regla de cifrado predeterminada para guardar la contraseña en la base de datos (entonces el valor leído será el hash solo, no hay forma de recuperar el valor original) +ExtrafieldParamHelpselect=La lista de valores debe ser líneas con clave de formato, valor (donde la clave no puede ser '0')

por ejemplo:
1, value1
2, value2
code3,value3
...

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

Con el fin de tener la lista en función de otra lista:
1, value1| parent_list_code:parent_key
2, value2|parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=La lista de valores debe ser líneas con formato clave, valor (donde la clave no puede ser '0')

por ejemplo:
1,value1
2,value2
3,value3
... +ExtrafieldParamHelpradio=La lista de valores debe ser líneas con formato key,value (donde la clave no puede ser '0')

por ejemplo:
1,value1
2,value2
3, value3
... +ExtrafieldParamHelpsellist=La lista de valores proviene de una tabla
Syntax: table_name:label_field:id_field::filtersql
Ejemplo: c_typent:libelle:id::filtersql

- id_field es necesariamente una clave int primaria
- filtersql es una condición SQL. Puede ser una prueba simple (ej. active=1) para mostrar solo el valor activo.
También puede usar $ID$ en el filtro que es el ID actual del objeto actual
Para usar un SELECT en el filtro, use la palabra clave $SEL$ para evitar la protección antiinyección.
Si desea filtrar en campos extra, use la sintaxis extra.fieldcode=... (donde el código de campo es el código del campo extra)

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

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

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

con el fin de tener la lista en función de otra lista de atributos complementarios:
c_typent:libelle:id:options_parent_list_code|parent_column:filter

Con el fin de tener la lista en función de otra lista:
c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelplink=Los parámetros deben ser ObjectName:Classpath
Sintaxis: ObjectName:Classpath +ExtrafieldParamHelpSeparator=Mantener vacío para un separador simple
Establezca esto en 1 para un separador colapsante (abierto de forma predeterminada para una nueva sesión, luego el estado se mantiene para cada sesión de usuario)
Establezca esto en 2 para un separador colapsante (colapsado por defecto para una nueva sesión, luego el estado se mantiene antes de cada sesión de usuario) LibraryToBuildPDF=Biblioteca utilizada para la generación de PDF. +LocalTaxDesc=Algunos países pueden aplicar dos o tres impuestos en cada línea de la factura. Si este es el caso, elija el tipo para el segundo y tercer impuesto y su tasa. Los tipos posibles son:
1: el impuesto local se aplica a los productos y servicios sin iva (el impuesto local se calcula sobre el monto sin impuestos)
2: el impuesto local se aplica a los productos y servicios, incluido el iva (el impuesto local se calcula sobre el monto + el impuesto principal)
3: el impuesto local se aplica a los productos sin iva (el impuesto local se calcula sobre la cantidad sin iva)
4: el impuesto local se aplica a los productos que incluyen el iva (el impuesto local se calcula sobre la cantidad + el iva principal)
5: el impuesto local se aplica a los servicios sin iva (se calcula el impuesto local) sobre el monto sin impuestos)
6: el impuesto local se aplica a los servicios que incluyen el iva (el impuesto local se calcula sobre el monto + impuestos) LinkToTestClickToDial=Ingrese un número de teléfono al que llamar para mostrar un enlace para probar la url de ClickToDial para el usuario %s RefreshPhoneLink=Actualizar enlace LinkToTest=Enlace seleccionable generado para el usuario %s (haga clic en el número de teléfono para realizar la prueba) KeepEmptyToUseDefault=Mantener vacío para usar el valor predeterminado DefaultLink=Enlace predeterminado ValueOverwrittenByUserSetup=Advertencia, este valor puede ser sobrescrito por la configuración específica del usuario (cada usuario puede configurar su propia url de clicktodial) +BarcodeInitForThirdparties=init para código de barras masivo para terceros BarcodeInitForProductsOrServices=Código de barras masivo de inicio o reinicio para productos o servicios. CurrentlyNWithoutBarCode=Actualmente, tienes el registro %s en %s %s sin un código de barras definido. InitEmptyBarCode=Valor de inicio para los siguientes registros vacíos %s EraseAllCurrentBarCode=Borrar todos los valores de código de barras actuales ConfirmEraseAllCurrentBarCode=¿Está seguro de que desea borrar todos los valores de código de barras actuales? AllBarcodeReset=Todos los valores de código de barras han sido eliminados +NoBarcodeNumberingTemplateDefined=No se ha habilitado ninguna plantilla de código de barras de numeración en la configuración del módulo de código de barras. +ShowDetailsInPDFPageFoot=Agregue más detalles en el pie de página, como la dirección de la empresa o los nombres de los gerentes (además de los identificadores profesionales, el capital de la empresa y el número de IVA). +NoDetails=No hay detalles adicionales en el pie de página. DisplayCompanyManagers=Mostrar nombres de gestor DisplayCompanyInfoAndManagers=Mostrar la dirección de la empresa y los nombres de los gerentes EnableAndSetupModuleCron=Si desea que esta factura recurrente se genere automáticamente, el módulo * %s * debe estar habilitado y configurado correctamente. De lo contrario, la generación de facturas debe hacerse manualmente desde esta plantilla usando el botón * Crear *. Tenga en cuenta que incluso si habilitó la generación automática, aún puede iniciar la generación manual de forma segura. No es posible generar duplicados para el mismo período. ModuleCompanyCodeCustomerAquarium=%s seguido de un código de cliente para un código de contabilidad de cliente +ModuleCompanyCodeSupplierAquarium=%s seguido del código de proveedor para un código de contabilidad de proveedor ModuleCompanyCodePanicum=Devuelva un código de contabilidad vacío. +ModuleCompanyCodeDigitaria=Devuelve un código de contabilidad compuesto según el nombre del tercero. El código consta de un prefijo que se puede definir en la primera posición seguido del número de caracteres definidos en el código de terceros. +ModuleCompanyCodeCustomerDigitaria=%s seguido del nombre del cliente truncado por el número de caracteres: %s para el código de contabilidad del cliente. +ModuleCompanyCodeSupplierDigitaria=%s seguido del nombre del proveedor truncado por el número de caracteres: %s para el código de contabilidad del proveedor. Use3StepsApproval=De forma predeterminada, los pedidos de compra deben ser creados y aprobados por 2 usuarios diferentes (un paso / usuario para crear y un paso / usuario para aprobar. Tenga en cuenta que si el usuario tiene permiso para crear y aprobar, un paso / usuario será suficiente) . Puede pedir con esta opción que introduzca un tercer paso / aprobación del usuario, si la cantidad es mayor que un valor dedicado (por lo que serán necesarios 3 pasos: 1 = validación, 2 = primera aprobación y 3 = segunda aprobación si la cantidad es suficiente).
Configúrelo en vacío si una aprobación (2 pasos) es suficiente, ajústelo a un valor muy bajo (0.1) si siempre se requiere una segunda aprobación (3 pasos). UseDoubleApproval=Utilice una aprobación de 3 pasos cuando la cantidad (sin impuestos) sea superior a ... +WarningPHPMail=ADVERTENCIA: La configuración para enviar correos electrónicos desde la aplicación utiliza la configuración genérica predeterminada. A menudo, es mejor configurar los correos electrónicos salientes para utilizar el servidor de correo electrónico de su proveedor de servicios de correo electrónico en lugar de la configuración predeterminada por varias razones: WarningPHPMail2=Si su proveedor de correo electrónico SMTP necesita restringir el cliente de correo electrónico a algunas direcciones IP (muy raro), esta es la dirección IP del agente de usuario de correo (MUA) para su aplicación ERP CRM: %s . +WarningPHPMailSPF=Si el nombre de dominio en la dirección de correo electrónico del remitente está protegido por un registro SPF (pregúntele a su registro de nombre de dominio), debe agregar las siguientes direcciones IP en el registro SPF del DNS de su dominio: %s . ClickToShowDescription=Haga clic para mostrar la descripción DependsOn=Este módulo necesita el módulo (s) RequiredBy=Este módulo es requerido por el módulo (s) TheKeyIsTheNameOfHtmlField=Este es el nombre del campo HTML. Se requiere conocimiento técnico para leer el contenido de la página HTML para obtener el nombre clave de un campo. +PageUrlForDefaultValues=Debe ingresar la ruta relativa de la URL de la página. Si incluye parámetros en la URL, los valores predeterminados serán efectivos si todos los parámetros se establecen en el mismo valor. +PageUrlForDefaultValuesCreate=
Ejemplo:
Para el formulario para crear un nuevo tercero, es %s.
Para la URL de los módulos externos instalados en el directorio personalizado, no incluya "custom/", así que use una ruta como mymodule /mypage.php y no custom/mymodule/mypage.php.
Si desea un valor predeterminado solo si la URL tiene algún parámetro, puede usar %s +PageUrlForDefaultValuesList=
Ejemplo:
Para la página que enumera terceros, es %s.
Para la URL de los módulos externos instalados en el directorio personalizado, no incluya "custom/", así que use una ruta como mymodule/mypagelist.php y no custom/mymodule/mypagelist.php.
Si desea un valor predeterminado solo si la URL tiene algún parámetro, puede usar %s +AlsoDefaultValuesAreEffectiveForActionCreate=También tenga en cuenta que sobrescribir los valores predeterminados para la creación de formularios solo funciona para las páginas que se diseñaron correctamente (por lo tanto, con el parámetro action=create o presend...) +EnableDefaultValues=Habilitar la personalización de los valores predeterminados EnableOverwriteTranslation=Habilitar el uso de traducción sobrescrita GoIntoTranslationMenuToChangeThis=Se ha encontrado una traducción para la clave con este código. Para cambiar este valor, debe editarlo desde Home-Setup-translation. WarningSettingSortOrder=Advertencia: establecer un orden de clasificación predeterminado puede generar un error técnico al acceder a la página de la lista si el campo es un campo desconocido. Si experimenta tal error, vuelva a esta página para eliminar el orden de clasificación predeterminado y restaurar el comportamiento predeterminado. @@ -303,13 +400,25 @@ FreeLegalTextOnExpenseReports=Texto legal gratuito sobre informes de gastos. WatermarkOnDraftExpenseReports=Marca de agua en los proyectos de informes de gastos AttachMainDocByDefault=Establézcalo en 1 si desea adjuntar el documento principal al correo electrónico de forma predeterminada (si corresponde) SendEmailsReminders=Enviar recordatorios de agenda por emails. +DAV_ALLOW_PRIVATE_DIR=Habilite el directorio privado genérico (directorio dedicado de WebDAV llamado "privado" - es necesario iniciar sesión) +DAV_ALLOW_PRIVATE_DIRTooltip=El directorio privado genérico es un directorio WebDAV al que cualquiera puede acceder con su nombre de usuario / contraseña de aplicación. +DAV_ALLOW_PUBLIC_DIR=Habilite el directorio público genérico (directorio dedicado de WebDAV llamado "público", no es necesario iniciar sesión) +DAV_ALLOW_PUBLIC_DIRTooltip=El directorio público genérico es un directorio WebDAV al que cualquiera puede acceder (en modo lectura y escritura), sin necesidad de autorización (cuenta de inicio de sesión / contraseña). +DAV_ALLOW_ECM_DIR=Habilite el directorio privado DMS/ECM (directorio raíz del módulo DMS/ECM; se requiere iniciar sesión) +DAV_ALLOW_ECM_DIRTooltip=El directorio raíz donde todos los archivos se cargan manualmente cuando se usa el módulo DMS/ECM. De manera similar al acceso desde la interfaz web, necesitará un nombre de usuario/contraseña válido con los permisos adecuados para acceder a él. Module0Name=Usuarios y Grupos Module0Desc=Gestión de usuarios / empleados y grupos. +Module1Desc=Gestión de empresas y contactos (clientes, prospectos ...) Module2Desc=Administración comercial +Module10Name=Contabilidad (simplificada) Module10Desc=Informes contables simples (revistas, facturación) basados ​​en el contenido de la base de datos. No utiliza ninguna tabla de contabilidad. Module20Name=Propuestas Module20Desc=Gestión comercial de propuestas. +Module22Name=Correos electrónicos masivos +Module22Desc=Administrar correos electrónicos masivos Module23Desc=Seguimiento del consumo de energías. +Module25Name=Órdenes de venta +Module25Desc=Gestión de Ordenes 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. Module42Desc=Facilidades de registro (archivo, syslog, ...). Dichos registros son para fines técnicos / de depuración. @@ -317,57 +426,96 @@ Module49Desc=Gestión del editor Module51Name=Correos masivos Module51Desc=Gestión masiva de correo postal. Module52Name=Cepo +Module52Desc=Gestión de Stocks Module54Name=Contratos / Suscripciones Module54Desc=Gestión de contratos (servicios o suscripciones recurrentes). Module55Desc=Gestión de códigos de barras +Module56Desc=Gestión de pago de proveedores mediante Órdenes de Transferencia de Crédito. Incluye generación de archivo SEPA para países europeos. +Module57Name=Pagos por Débito Automático +Module57Desc=Gestión de órdenes de débito automático. Incluye generación de archivo SEPA para países europeos. Module58Desc=Integración de un sistema ClickToDial (Asterisco, ...) +Module60Desc=Gestión de stickers Module70Desc=Gestión de la intervención Module75Name=Gastos y notas de viaje. Module75Desc=Gestión de gastos y notas de viaje. Module80Name=Envíos +Module80Desc=Gestión de envíos y recibos de entrega +Module85Name=Bancos & Efectivo Module85Desc=Gestión de cuentas bancarias o en efectivo. Module100Name=Sitio externo +Module100Desc=Agregue un enlace a un sitio web externo como icono del menú principal. El sitio web se muestra en un marco debajo del menú superior. Module105Desc=Mailman o interfaz SPIP para módulo miembro Module200Desc=Sincronización de directorios LDAP Module210Desc=Integración PostNuke Module240Name=Exportación de datos +Module240Desc=Herramienta para exportar datos Dolibarr (con ayuda) Module250Name=Importaciones de datos +Module250Desc=Herramienta para importar datos a Dolibarr (con ayuda) Module310Desc=Gestión de los miembros de la fundación +Module320Desc=Agregar una fuente RSS a las páginas de Dolibarr +Module330Name=Marcadores y accesos directos +Module330Desc=Cree accesos directos, siempre accesibles, a las páginas internas o externas a las que accede con frecuencia. Module400Name=Proyectos o Leads Module400Desc=Gestión de proyectos, leads / oportunidades y / o tareas. También puede asignar cualquier elemento (factura, pedido, propuesta, intervención, ...) a un proyecto y obtener una vista transversal desde la vista del proyecto. Module410Name=Calendario web Module410Desc=Integración webcalendar +Module500Name=Impuestos & Gastos especiales Module500Desc=Gestión de otros gastos (impuestos de venta, impuestos sociales o fiscales, dividendos, ...) Module510Desc=Registrar y rastrear los pagos de los empleados Module520Desc=Gestion de prestamos +Module600Name=Notificaciones sobre eventos comerciales +Module600Desc=Envíe notificaciones por correo electrónico desencadenadas por un evento comercial: por usuario (configuración definida en cada usuario), por contactos de terceros (configuración definida en cada tercero) o por correos electrónicos específicos +Module600Long=Tenga en cuenta que este módulo envía correos electrónicos en tiempo real cuando ocurre un evento empresarial específico. Si está buscando una función para enviar recordatorios por correo electrónico para eventos de la agenda, vaya a la configuración del módulo Agenda. Module610Desc=Creación de variantes de producto (color, tamaño, etc.). +Module770Name=Reporte de gastos +Module770Desc=Gestionar reclamaciones de informes de gastos (transporte, comida, ...) +Module1120Name=Propuestas comerciales de proveedores Module1120Desc=Solicite propuesta comercial de vendedor y precios. Module1200Desc=Integracion de mantis Module1520Name=Generación de documentos +Module1520Desc=Generación masiva de documentos por correo electrónico Module1780Name=Etiquetas / Categorías +Module1780Desc=Crear etiquetas/categoría (productos, clientes, proveedores, contactos o miembros) +Module2000Desc=Permitir que los campos de texto sean editados / formateados usando CKEditor (html) +Module2200Desc=Utilice expresiones matemáticas para la generación automática de precios Module2300Name=Trabajos programados Module2300Desc=Gestión de trabajos programados (alias cron o tabla crono) Module2400Name=Eventos / Agenda +Module2400Desc=Seguimiento de eventos. Registre eventos automáticos con fines de seguimiento o registre eventos o reuniones manuales. Este es el módulo principal para una buena gestión de relaciones con clientes o proveedores. Module2500Desc=Sistema de gestión documental / Gestión de contenidos electrónicos. Organización automática de sus documentos generados o almacenados. Compártelos cuando los necesites. Module2600Name=API / servicios web (servidor SOAP) Module2600Desc=Habilitar el servidor Dolibarr SOAP que proporciona servicios API. Module2610Name=API / servicios web (servidor REST) Module2610Desc=Habilitar el servidor REST de Dolibarr que proporciona servicios API. Module2660Name=Call WebServices (cliente SOAP) +Module2660Desc=Habilite el cliente de servicios web Dolibarr (se puede usar para enviar datos / solicitudes a servidores externos. Actualmente, solo se admiten pedidos de compra). Module2700Desc=Utilice el servicio en línea de Gravatar (www.gravatar.com) para mostrar la foto de los usuarios / miembros (que se encuentra en sus correos electrónicos). Necesita acceso a internet Module2900Desc=Capacidades de conversiones de GeoIP Maxmind Module3200Desc=Habilitar un registro inalterable de eventos empresariales. Los eventos se archivan en tiempo real. El registro es una tabla de solo lectura de eventos encadenados que se pueden exportar. Este módulo puede ser obligatorio para algunos países. +Module3400Desc=Habilite los campos de Redes Sociales en terceros y direcciones (skype, twitter, facebook, ...). Module4000Desc=Gestión de recursos humanos (gestión de departamento, contratos de empleados y sentimientos). Module5000Desc=Le permite gestionar múltiples empresas. +Module10000Desc=Cree sitios web (públicos) con un editor WYSIWYG. Este es un CMS orientado a webmasters o desarrolladores (es mejor conocer el lenguaje HTML y CSS). Simplemente configure su servidor web (Apache, Nginx, ...) para que apunte al directorio Dolibarr dedicado para tenerlo en línea en Internet con su propio nombre de dominio. +Module20000Name=Gestión de solicitudes de licencia/permisos +Module20000Desc=Definir y realizar un seguimiento de las solicitudes de licencia/permisos de los empleados +Module39000Desc=Lotes, números de serie, gestión de fechas de caducidad/caducidad de productos (eat-by/sell-by date) Module40000Name=Multi moneda Module40000Desc=Utilizar monedas alternativas en precios y documentos. Module50000Name=Caja de pago +Module50000Desc=Ofrezca a los clientes una página de pago en línea PayBox (tarjetas de crédito / débito). Esto se puede utilizar para permitir que sus clientes realicen pagos ad-hoc o pagos relacionados con un objeto específico de Dolibarr (factura, pedido, etc.) +Module50150Desc=Módulo de Punto de Venta TakePOS (TPV con pantalla táctil, para tiendas, bares o restaurantes). +Module50200Desc=Ofrezca a los clientes una página de pago en línea de PayPal (cuenta de PayPal o tarjetas de crédito / débito). Esto se puede utilizar para permitir que sus clientes realicen pagos ad-hoc o pagos relacionados con un objeto específico de Dolibarr (factura, pedido, etc.) +Module50300Desc=Ofrezca a los clientes una página de pago en línea de Stripe (tarjetas de crédito / débito). Esto se puede utilizar para permitir que sus clientes realicen pagos ad-hoc o pagos relacionados con un objeto específico de Dolibarr (factura, pedido, etc.) +Module50400Name=Contabilidad (doble entrada) Module54000Desc=Impresión directa (sin abrir los documentos) mediante la interfaz IPP de Cups (la impresora debe estar visible desde el servidor y CUPS debe estar instalada en el servidor). Module55000Name=Encuesta, encuesta o voto +Module55000Desc=Cree sondeos, encuestas o votos en línea (como Doodle, Studs, RDVz, etc.) Module60000Desc=Módulo para gestionar comisiones. Module62000Desc=Añadir características para gestionar Incoterms. +Module63000Desc=Gestionar recursos (impresoras, coches, salas, ...) para destinarlos a eventos Permission11=Lea las facturas de los clientes. Permission12=Crear / modificar facturas de clientes. +Permission13=Invalidar facturas de clientes Permission14=Validar facturas de clientes. Permission15=Enviar facturas de clientes por correo electrónico. Permission16=Crear pagos para las facturas de los clientes. @@ -389,6 +537,8 @@ Permission45=Proyectos de exportación Permission61=Leer intervenciones Permission62=Crear / modificar intervenciones. Permission67=Intervenciones de exportación +Permission68=Enviar intervenciones por correo electrónico +Permission70=Invalidar intervenciones Permission71=Leer miembros Permission72=Crear / modificar miembros Permission75=Configurar tipos de membresía @@ -405,6 +555,7 @@ Permission95=Leer informes Permission101=Leer envios Permission102=Crear / modificar envíos. Permission104=Validar envíos +Permission105=Enviar envíos por correo electrónico Permission106=Envíos de exportación Permission109=Eliminar envíos Permission111=Leer cuentas financieras @@ -413,17 +564,20 @@ Permission113=Configurar cuentas financieras (crear, administrar categorías) Permission114=Conciliar transacciones Permission115=Transacciones de exportación y estados de cuenta Permission116=Transferencias entre cuentas +Permission117=Gestionar el envío de cheques Permission121=Leer terceros vinculados al usuario. Permission122=Crear / modificar terceros vinculados al usuario. Permission125=Eliminar terceros vinculados al usuario. Permission126=Exportar a terceros +Permission141=Leer todos los proyectos y tareas (también proyectos privados para los que no soy un contacto) +Permission142=Crear / modificar todos los proyectos y tareas (también proyectos privados para los que no soy un contacto) Permission144=Eliminar todos los proyectos y tareas (también proyectos privados para los que no estoy en contacto) Permission146=Leer proveedores Permission147=Leer estadísticas -Permission151=Leer órdenes de pago por domiciliación bancaria. -Permission152=Crear / modificar un pago por domiciliación bancaria. -Permission153=Enviar / Transmitir órdenes de pago de débito directo -Permission154=Registro de Créditos / Rechazos de órdenes de pago por domiciliación bancaria. +Permission151=Leer órdenes de pago por débito automático. +Permission152=Crear / modificar un pago por débito automático. +Permission153=Enviar / Transmitir órdenes de pago de débito automático +Permission154=Registro de Créditos / Rechazos de órdenes de pago por débito automático. Permission161=Leer contratos / suscripciones Permission162=Crear / modificar contratos / suscripciones. Permission163=Activar un servicio / suscripción de un contrato. @@ -436,6 +590,14 @@ Permission173=Eliminar viajes y gastos. Permission174=Leer todos los viajes y gastos. Permission178=Viajes y gastos de exportación. Permission180=Leer proveedores +Permission181=Leer órdenes de compra +Permission182=Crear / modificar órdenes de compra +Permission183=Validar órdenes de compra +Permission184=Aprobar órdenes de compra +Permission185=Ordenar o cancelar órdenes de compra +Permission186=Recibir órdenes de compra +Permission187=Cerrar órdenes de compra +Permission188=Cancelar órdenes de compra Permission192=Crear lineas Permission193=Cancelar lineas Permission194=Lee las líneas de ancho de banda @@ -466,6 +628,7 @@ Permission253=Crea / modifica otros usuarios, grupos y permisos. PermissionAdvanced253=Crear / modificar usuarios internos / externos y permisos. Permission254=Crear / modificar usuarios externos solamente Permission256=Eliminar o deshabilitar otros usuarios +Permission262=Ampliar el acceso a todos los terceros Y sus objetos (no solo a los terceros para los que el usuario es un representante de ventas).
No efectivo para usuarios externos (siempre limitado a ellos mismos para propuestas, pedidos, facturas, contratos, etc.).
No es efectivo para proyectos (solo reglas sobre permisos de proyectos, visibilidad y asuntos de asignación). Permission271=Leer CA Permission272=Leer facturas Permission273=Emitir facturas @@ -473,6 +636,8 @@ Permission281=Leer contactos Permission282=Crear / modificar contactos Permission291=Leer tarifas Permission292=Establecer permisos sobre las tarifas. +Permission293=Modificar las tarifas del cliente +Permission301=Crear / modificar códigos de barras Permission311=Servicios de lectura Permission312=Asignar servicio / suscripción al contrato Permission331=Leer marcadores @@ -488,8 +653,10 @@ Permission401=Leer descuentos Permission402=Crear / modificar descuentos. Permission403=Validar descuentos Permission404=Eliminar descuentos +Permission430=Usar la barra de depuración Permission512=Crear / modificar pagos de salarios. Permission514=Eliminar pagos de salarios. +Permission519=Salarios de exportación Permission520=Leer prestamos Permission522=Crear / modificar préstamos. Permission524=Borrar prestamos @@ -499,6 +666,18 @@ Permission531=Servicios de lectura Permission532=Crear / modificar servicios. Permission536=Ver / administrar servicios ocultos Permission538=Servicios de exportación +Permission562=Crear / modificar orden de pago mediante transferencia bancaria +Permission563=Enviar / transmitir orden de pago mediante transferencia bancaria +Permission564=Registro de débitos / rechazos de transferencia de crédito +Permission601=Leer stickers +Permission602=Crear / modificar stickers +Permission609=Eliminar stickers +Permission650=Leer listas de materiales +Permission651=Crear / actualizar listas de materiales +Permission652=Eliminar listas de materiales +Permission660=Leer orden de fabricación (MO) +Permission661=Crear / actualizar orden de fabricación (MO) +Permission662=Eliminar orden de fabricación (MO) Permission701=Leer donaciones Permission702=Crear / modificar donaciones. Permission771=Lea los informes de gastos (el suyo y sus subordinados) @@ -507,16 +686,45 @@ Permission773=Eliminar informes de gastos Permission774=Lea todos los informes de gastos (incluso para usuarios no subordinados) Permission775=Aprobar informes de gastos. Permission776=Informes de gastos de pago +Permission778=Crear / modificar informes de gastos de todos Permission779=Informes de gastos de exportación Permission1001=Leer acciones Permission1002=Crear / modificar almacenes. Permission1003=Borrar almacenes Permission1004=Leer movimientos de stock Permission1005=Crear / modificar movimientos de stock. +Permission1102=Crear / modificar recibos de entrega +Permission1121=Leer propuestas de proveedores +Permission1122=Crear / modificar propuestas de proveedores +Permission1123=Validar propuestas de proveedores +Permission1124=Enviar propuestas de proveedores +Permission1125=Eliminar propuestas de proveedores +Permission1126=Cerrar solicitudes de precios de proveedores Permission1181=Leer proveedores +Permission1182=Leer órdenes de compra +Permission1183=Crear / modificar órdenes de compra +Permission1184=Validar órdenes de compra +Permission1185=Aprobar órdenes de compra +Permission1186=Ordenar órdenes de compra +Permission1187=Acuse recibo de órdenes de compra +Permission1188=Eliminar órdenes de compra +Permission1190=Aprobar (segunda aprobación) órdenes de compra +Permission1191=Exportar órdenes de proveedores y sus atributos Permission1202=Crear / Modificar una exportación +Permission1231=Leer facturas de proveedores +Permission1232=Crear / modificar facturas de proveedores +Permission1233=Validar facturas de proveedores +Permission1234=Eliminar facturas de proveedores +Permission1235=Envíe facturas de proveedores por correo electrónico +Permission1236=Exportar facturas, atributos y pagos de proveedores +Permission1237=Exportar órdenes de compra y sus detalles Permission1251=Ejecutar importaciones masivas de datos externos en la base de datos (carga de datos) Permission1321=Exportación de facturas de clientes, atributos y pagos. +Permission1421=Exportar órdenes de venta y atributos +Permission1521=Leer documentos +Permission2401=Leer acciones (eventos o tareas) vinculadas a su cuenta de usuario (si es el propietario del evento o simplemente se le asignó) +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 el propietario del evento) Permission2411=Leer acciones (eventos o tareas) de otros. Permission2412=Crear / modificar acciones (eventos o tareas) de otros. Permission2413=Eliminar acciones (eventos o tareas) de otros. @@ -527,36 +735,84 @@ Permission2503=Presentar o borrar documentos Permission2515=Configurar directorios de documentos Permission2801=Usar el cliente FTP en modo de lectura (solo navegar y descargar) Permission2802=Usar el cliente FTP en modo de escritura (eliminar o cargar archivos) +Permission10001=Leer el contenido del sitio web +Permission10002=Crear / modificar el contenido del sitio web (contenido html y javascript) +Permission10003=Crear / modificar el contenido del sitio web (código php dinámico). Peligroso, debe reservarse para desarrolladores restringidos. +Permission10005=Eliminar el contenido del sitio web +Permission20001=Leer solicitudes de licencia (su licencia y las de sus subordinados) +Permission20002=Crear / modificar sus solicitudes de licencia (su licencia y las de sus subordinados) Permission20003=Eliminar solicitudes de permiso Permission20004=Lea todas las solicitudes de permiso (incluso de usuarios no subordinados) Permission20005=Crear / modificar solicitudes de permisos para todos (incluso de usuarios no subordinados) Permission20006=Solicitudes de licencia de administrador (configuración y actualización del saldo) +Permission20007=Aprobar solicitudes de licencia Permission23001=Leer trabajo programado Permission23002=Crear / actualizar trabajo programado Permission23003=Eliminar trabajo programado Permission23004=Ejecutar trabajo programado +Permission50101=Usar punto de venta (SimplePOS) Permission50201=Leer transacciones Permission50202=Transacciones de importación +Permission50330=Leer objetos de Zapier +Permission50331=Crear / actualizar objetos de Zapier +Permission50401=Vincular productos y facturas con cuentas contables +Permission50411=Leer operaciones en el libro mayor +Permission50412=Escribir / editar operaciones en el libro mayor +Permission50414=Eliminar operaciones en el libro mayor +Permission50415=Eliminar todas las operaciones por año y diario en el libro mayor +Permission50418=Operaciones de exportación del libro mayor +Permission50420=Reportes y reportes de exportación (facturación, saldo, diarios, libro mayor) +Permission50430=Definir períodos fiscales. Validar transacciones y cerrar periodos fiscales. +Permission50440=Gestionar plan de cuentas, configuración de contabilidad. +Permission51002=Crear / actualizar activos Permission54001=Impresión Permission55002=Crear / modificar encuestas Permission59002=Definir márgenes comerciales. Permission59003=Lea el margen de cada usuario Permission63002=Crear / modificar recursos. Permission63004=Vincular recursos a eventos de agenda +Permission64001=Permitir la impresión directa +Permission68001=Leer informe intracomunicador +Permission68002=Crear / modificar informe intracomm +Permission68004=Eliminar informe de intracomunicación +DictionaryCompanyType=Tipos de terceros +DictionaryCompanyJuridicalType=Entidades legales de terceros +DictionaryProspectLevel=Nivel de potencial de prospección para empresas +DictionaryProspectContactLevel=Nivel potencial de prospectos para contactos +DictionaryCanton=Departamentos +DictionaryCivility=Títulos honoríficos DictionaryActions=Tipos de eventos de agenda +DictionarySocialContributions=Tipos de impuestos fiscales DictionaryVAT=Tasas de IVA o tasas de impuesto de ventas DictionaryRevenueStamp=Cantidad de timbres fiscales +DictionaryPaymentConditions=Términos de pago +DictionaryTypeContact=Tipos de contacto / dirección +DictionaryTypeOfContainer=Sitio web - tipo de páginas/contenedores del sitio web +DictionaryFormatCards=Formatos de tarjeta DictionarySendingMethods=Métodos de envío +DictionaryStaff=Número de empleados DictionaryAvailability=Retraso en la entrega DictionarySource=Origen de las propuestas / pedidos. DictionaryAccountancyCategory=Grupos personalizados para informes. DictionaryAccountancysystem=Modelos para el plan de cuentas. DictionaryAccountancyJournal=Revistas contables DictionaryEMailTemplates=Plantillas de correo electrónico +DictionaryMeasuringUnits=Unidades de medida +DictionaryProspectStatus=Estado de prospectos para empresas +DictionaryProspectContactStatus=Estado de cliente potencial para contactos DictionaryHolidayTypes=Tipos de licencia DictionaryOpportunityStatus=Principal estado para proyecto / Iniciativa DictionaryExpenseTaxRange=Informe de gastos - Gama por categoría de transporte +DictionaryTransportMode=Informe intracomm - modo de transporte +BackToModuleList=Volver a la lista de módulos +BackToDictionaryList=Volver a la lista de diccionarios TypeOfRevenueStamp=Tipo de timbre fiscal +VATManagement=Gestión de impuestos sobre las ventas +VATIsUsedDesc=De forma predeterminada, al crear prospectos, facturas, pedidos, etc., la tasa del impuesto sobre las ventas sigue la regla estándar activa:
Si el vendedor no está sujeto al impuesto sobre las ventas, el impuesto sobre las ventas se establece en 0 como predeterminado.
Si el (país del vendedor = país del comprador), el impuesto sobre las ventas por defecto es igual al impuesto sobre las ventas del producto en el país del vendedor. Fin de la regla.
Si el vendedor y el comprador están en la Comunidad Europea y las mercancías son productos relacionados con el transporte (transporte, envío, línea aérea), el IVA predeterminado es 0. Esta regla depende del país del vendedor; consulte con su contador. El IVA debe ser pagado por el comprador a la oficina de aduanas de su país y no al vendedor. Fin de la regla.
Si el vendedor y el comprador están en la Comunidad Europea y el comprador no es una empresa (con un número de IVA intracomunitario registrado), el IVA se establece de forma predeterminada en el tipo de IVA del país del vendedor. Fin de la regla.
Si el vendedor y el comprador están en la Comunidad Europea y el comprador es una empresa (con un número de IVA intracomunitario registrado), el IVA es 0 por defecto. Fin de la regla.
En cualquier otro caso, el valor predeterminado propuesto es Impuesto sobre las ventas = 0. Fin de la regla. +VATIsNotUsedDesc=De forma predeterminada, el impuesto a las ventas propuesto es 0, que se puede utilizar para casos como asociaciones, personas físicas o pequeñas empresas. +VATIsUsedExampleFR=En Francia, significa empresas u organizaciones que tienen un sistema fiscal real (Real simplificado o real normal). Un sistema en el que se declara el IVA. +VATIsNotUsedExampleFR=En Francia, significa asociaciones que no están declaradas como impuesto sobre las ventas o empresas, organizaciones o profesiones liberales que han elegido el sistema fiscal de microempresas (impuesto sobre las ventas en franquicia) y han pagado una franquicia. Esta opción mostrará la referencia "Impuesto sobre las ventas no aplicable - art-293B de CGI" en las facturas. +TypeOfSaleTaxes=Tipo de impuesto a las ventas LTRate=Tipo LocalTax1IsNotUsed=No usar segundo impuesto LocalTax1IsUsedDesc=Use un segundo tipo de impuesto (que no sea el primero) @@ -576,10 +832,14 @@ LocalTax2IsUsedDescES=La tasa de IRPF por defecto al crear prospectos, facturas, LocalTax2IsNotUsedDescES=Por defecto, el IRPF propuesto es 0. Fin de la regla. LocalTax2IsUsedExampleES=En España, autónomos y profesionales independientes que prestan servicios y empresas que han optado por el sistema tributario de los módulos. LocalTax2IsNotUsedExampleES=En España son empresas no sujetas al régimen fiscal de los módulos. +RevenueStampDesc=El "timbre fiscal" o "estampillado fiscal" es un impuesto fijo por factura (no depende del monto de la factura). También puede ser un impuesto porcentual, pero utilizar el segundo o tercer tipo de impuesto es mejor para los impuestos porcentuales, ya que las estampillas fiscales no proporcionan ningún informe. Solo unos pocos países utilizan este tipo de impuesto. +UseRevenueStamp=Utilice un timbre fiscal +UseRevenueStampExample=El valor del timbre fiscal se define de forma predeterminada en la configuración de los diccionarios (%s - %s - %s) CalcLocaltax=Informes sobre impuestos locales CalcLocaltax1Desc=Los informes de impuestos locales se calculan con la diferencia entre las ventas de impuestos locales y las compras de impuestos locales CalcLocaltax2Desc=Los informes de impuestos locales son el total de las compras de impuestos locales. CalcLocaltax3Desc=Los informes de impuestos locales son el total de las ventas de impuestos locales. +NoLocalTaxXForThisCountry=Según la configuración de impuestos (consulte %s - %s - %s), su país no necesita utilizar ese tipo de impuesto LabelUsedByDefault=Etiqueta utilizada de forma predeterminada si no se puede encontrar una traducción para el código LabelOnDocuments=Etiqueta en los documentos LabelOrTranslationKey=Etiqueta o clave de traducción @@ -611,29 +871,55 @@ DefaultMaxSizeShortList=Longitud máxima predeterminada para listas cortas (es d MessageLogin=Mensaje de la página de inicio de sesión LoginPage=Página de inicio de sesión PermanentLeftSearchForm=Formulario de búsqueda permanente en el menú de la izquierda. +EnableMultilangInterface=Habilite el soporte en varios idiomas para las relaciones con clientes o proveedores +EnableShowLogo=Muestre el logotipo de la empresa en el menú CompanyInfo=Empresa / Organización CompanyIds=Identidades de la empresa / organización CompanyZip=Cremallera CompanyTown=Pueblo CompanyCurrency=Moneda principal +IDCountry=ID del País +LogoSquarredDesc=Debe ser un icono cuadrado (ancho = alto). Este logotipo se utilizará como icono favorito u otra necesidad como para la barra de menú superior (si no está desactivado en la configuración de pantalla). OwnerOfBankAccount=Propietario de cuenta bancaria %s BankModuleNotActive=Módulo de cuentas bancarias no habilitado -ShowBugTrackLink=Mostrar enlace " %s " Alerts=Las alertas +DelaysOfToleranceDesc=Establezca el retraso antes de que se muestre en pantalla un icono de alerta %s para el elemento tardío. +Delays_MAIN_DELAY_ACTIONS_TODO=Eventos planificados (eventos de la agenda) no completados +Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Orden no procesada +Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Orden de compra no procesada +Delays_MAIN_DELAY_PROPALS_TO_CLOSE=Propuesta no cerrada +Delays_MAIN_DELAY_PROPALS_TO_BILL=Propuesta no facturada +Delays_MAIN_DELAY_NOT_ACTIVATED_SERVICES=Servicio para activar +Delays_MAIN_DELAY_RUNNING_SERVICES=Servicio caducado +Delays_MAIN_DELAY_SUPPLIER_BILLS_TO_PAY=Factura de proveedor sin pagar +Delays_MAIN_DELAY_CUSTOMER_BILLS_UNPAYED=Factura de cliente sin pagar +Delays_MAIN_DELAY_TRANSACTIONS_TO_CONCILIATE=Pendiente de conciliación bancaria +Delays_MAIN_DELAY_MEMBERS=Cuota de membresía retrasada +Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Depósito de cheque no hecho +Delays_MAIN_DELAY_EXPENSEREPORTS=Informe de gastos para aprobar +Delays_MAIN_DELAY_HOLIDAYS=Dejar solicitudes para aprobar SetupDescription1=Antes de comenzar a utilizar Dolibarr, se deben definir algunos parámetros iniciales y habilitar / configurar los módulos. +SetupDescription3= %s -> %s

Parámetros básicos utilizados para personalizar el comportamiento predeterminado de su aplicación (ej., para las funciones relacionadas con el país) +SetupDescription4= %s -> %s

Este software es un conjunto de muchos módulos/aplicaciones. Los módulos relacionados con sus necesidades deben estar habilitados y configurados. Las entradas del menú aparecerán con la activación de estos módulos. +SetupDescription5=Otras entradas del menú de configuración administran parámetros opcionales. InfoDolibarr=Sobre Dolibarr InfoBrowser=Acerca del navegador InfoOS=Sobre el sistema operativo InfoWebServer=Sobre el servidor web InfoPerf=Sobre actuaciones +InfoSecurity=Acerca de la seguridad BrowserOS=Navegador OS ListOfSecurityEvents=Listado de eventos de seguridad de Dolibarr. +LogEventDesc=Habilite el registro (logging) para eventos de seguridad específicos. Los administradores el registro a través del menú %s - %s . Advertencia, esta función puede generar una gran cantidad de datos en la base de datos. AreaForAdminOnly=Los parámetros de configuración solo pueden ser configurados por usuarios administradores . SystemInfoDesc=La información del sistema es información técnica diversa que se obtiene en modo de solo lectura y visible solo para administradores. +SystemAreaForAdminOnly=Esta área solo está disponible para usuarios administradores. Los permisos de usuario de Dolibarr no pueden cambiar esta restricción. +AccountantDesc=Si tiene un contador/contable externo, puede editar aquí su información. AvailableModules=Aplicación / módulos disponibles ToActivateModule=Para activar los módulos, vaya al área de configuración (Inicio-> Configuración-> Módulos). SessionTimeOut=Tiempo fuera para sesión SessionExplanation=Este número garantiza que la sesión nunca caducará antes de este retraso, si el limpiador de sesión se realiza mediante un limpiador de sesión interno de PHP (y nada más). El limpiador interno de sesiones de PHP no garantiza que la sesión caduque después de este retraso. Expirará, después de este retraso, y cuando se ejecute el limpiador de sesiones, por lo que cada acceso %s / %s , pero solo durante el acceso realizado por otras sesiones (si el valor es 0, significa que la eliminación de la sesión es hecho solo por un proceso externo). Nota: en algunos servidores con un mecanismo de limpieza de sesión externo (cron bajo debian, ubuntu ...), las sesiones pueden ser destruidas después de un período definido por una configuración externa, sin importar qué El valor introducido aquí es. +SessionsPurgedByExternalSystem=Las sesiones en este servidor parecen ser limpiadas por un mecanismo externo (cron en debian, ubuntu ...), probablemente cada %s segundos (= valor del parámetro session.gc_maxlifetime), asi que cambiar el parametro aqui no tiene efecto. Debe pedirle al administrador del servidor que cambie la configuración TriggersAvailable=Disparadores disponibles TriggersDesc=Los disparadores son archivos que modificarán el comportamiento del flujo de trabajo de Dolibarr una vez que se copien en el directorio htdocs / core / triggers . Realizan nuevas acciones, activadas en eventos Dolibarr (creación de nueva empresa, validación de facturas, ...). TriggerDisabledByName=Los disparadores en este archivo están deshabilitados por el sufijo -NORUN en su nombre. @@ -641,28 +927,57 @@ TriggerDisabledAsModuleDisabled=Los disparadores en este archivo están deshabil TriggerAlwaysActive=Los disparadores en este archivo siempre están activos, sean cuales sean los módulos Dolibarr activados. TriggerActiveAsModuleActive=Los disparadores en este archivo están activos cuando el módulo %s está habilitado. DictionaryDesc=Insertar todos los datos de referencia. Puede agregar sus valores a la predeterminada. +ConstDesc=Esta página le permite editar (sobre escribir) parámetros que no están disponibles en otras páginas. En su mayoría, estos son parámetros reservados solo para desarrolladores/resolución de problemas avanzada. MiscellaneousDesc=Todos los demás parámetros relacionados con la seguridad se definen aquí. LimitsSetup=Límites / configuración de precisión LimitsDesc=Puede definir límites, precisiones y optimizaciones utilizadas por Dolibarr aquí +MAIN_MAX_DECIMALS_UNIT=Max. decimales para precios unitarios +MAIN_MAX_DECIMALS_TOT=Max. decimales para precios totales +MAIN_MAX_DECIMALS_SHOWN=Max. decimales para los precios que se muestran en la pantalla. Agregue una elipsis ... después de este parámetro (ej., "2...") si desea ver "..." con el sufijo del precio truncado. +MAIN_ROUNDING_RULE_TOT=Paso del rango de redondeo (para países donde el redondeo se realiza en algo diferente a la base 10. Por ejemplo, coloque 0.05 si el redondeo se realiza en pasos de 0.05) UnitPriceOfProduct=Precio unitario neto de un producto. +TotalPriceAfterRounding=Precio total (sin IVA / con IVA) después del redondeo ParameterActiveForNextInputOnly=Parámetro efectivo para la siguiente entrada solamente +NoEventOrNoAuditSetup=No se ha registrado (logged) 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=Vea su configuración local de sendmail +BackupDesc=Una copia de seguridad completa de una instalación Dolibarr requiere dos pasos. +BackupDesc2=Haga 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. Esta operación puede durar varios minutos. +BackupDesc3=Haga 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. BackupPHPWarning=La copia de seguridad no se puede garantizar con este método. Anterior recomendado. +RestoreDesc=Para restaurar una copia de seguridad de Dolibarr, se requieren dos pasos. +RestoreDesc2=Restaure el archivo de respaldo (archivo zip, por ejemplo) del directorio "documentos" en una nueva instalación de Dolibarr o en este directorio de documentos actual (%s). +RestoreDesc3=Restaure la estructura de la base de datos y los datos de un archivo de volcado de respaldo en la base de datos de la nueva instalación de Dolibarr o en la base de datos de esta instalación actual (%s). Advertencia, una vez que se completa la restauración, debe usar un nombre de usuario / contraseña que existía desde el momento de la copia de seguridad / instalación para conectarse nuevamente.
Para restaurar una base de datos de respaldo en esta instalación actual, puede seguir este asistente. ForcedToByAModule=Esta regla es forzada a %s por un módulo activado +PreviousDumpFiles=Archivos de respaldo existentes +PreviousArchiveFiles=Archivos de almacenamiento existentes +RunningUpdateProcessMayBeRequired=Parece que es necesario ejecutar 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 este comando desde la línea de comandos después de iniciar sesión en un shell con el usuario %s o debe agregar la opción -W al final de la línea de comandos para proporcionar la contraseña de %s . YourPHPDoesNotHaveSSLSupport=Funciones SSL no disponibles en tu PHP DownloadMoreSkins=Más skins para descargar +SimpleNumRefModelDesc=Devuelve el número de referencia en el formato %syymm-nnnn donde yy es el año, mm es el mes y nnnn es un número secuencial que se incrementa automáticamente sin reinicio. +ShowProfIdInAddress=Mostrar identificación profesional con direcciones +ShowVATIntaInAddress=Ocultar el número de IVA intracomunitario con direcciones MeteoStdMod=Modo estandar MeteoPercentageModEnabled=Modo porcentual habilitado MeteoUseMod=Haga clic para utilizar %s TestLoginToAPI=Prueba de inicio de sesión a API +ProxyDesc=Algunas funciones de Dolibarr requieren acceso a Internet. Defina aquí los parámetros de conexión a Internet, como el acceso a través de un servidor proxy si es necesario. +ExternalAccess=Acceso externo / Internet +MAIN_PROXY_USE=Utilice un servidor proxy (de lo contrario, el acceso es directo a Internet) +MAIN_PROXY_HOST=Servidor proxy: nombre / dirección +MAIN_PROXY_PORT=Servidor proxy: puerto +MAIN_PROXY_USER=Servidor proxy: inicio de sesión / usuario +MAIN_PROXY_PASS=Servidor proxy: contraseña +DefineHereComplementaryAttributes=Defina cualquier atributo adicional/personalizado que deba agregarse a: %s ExtraFields=Atributos complementarios ExtraFieldsLines=Atributos complementarios (líneas) ExtraFieldsLinesRec=Atributos complementarios (plantillas facturas líneas) ExtraFieldsSupplierOrdersLines=Atributos complementarios (líneas de orden) ExtraFieldsSupplierInvoicesLines=Atributos complementarios (líneas de factura) +ExtraFieldsThirdParties=Atributos complementarios (terceros) ExtraFieldsContacts=Atributos complementarios (contactos / dirección) ExtraFieldsMember=Atributos complementarios (miembro) ExtraFieldsMemberType=Atributos complementarios (tipo de miembro) @@ -672,6 +987,7 @@ ExtraFieldsSupplierOrders=Atributos complementarios (pedidos) ExtraFieldsSupplierInvoices=Atributos complementarios (facturas) ExtraFieldsProject=Atributos complementarios (proyectos) ExtraFieldsProjectTask=Atributos complementarios (tareas) +ExtraFieldsSalaries=Atributos complementarios (salarios) ExtraFieldHasWrongValue=El atributo %s tiene un valor incorrecto. AlphaNumOnlyLowerCharsAndNoSpace=Solo caracteres alfanuméricos y minúsculas sin espacio. SendmailOptionNotComplete=La advertencia, en algunos sistemas Linux, para enviar correo electrónico desde su correo electrónico, la configuración de ejecución de sendmail debe contener la opción -ba (parámetro mail.force_extra_parameters en su archivo php.ini). Si algunos destinatarios nunca reciben correos electrónicos, intente editar este parámetro de PHP con mail.force_extra_parameters = -ba). @@ -679,6 +995,7 @@ PathToDocuments=Camino a los documentos SendmailOptionMayHurtBuggedMTA=La función para enviar correos electrónicos utilizando el método "PHP mail direct" generará un mensaje de correo que algunos servidores de correo de recepción podrían no analizar correctamente. El resultado es que algunos correos no pueden ser leídos por personas alojadas en esas plataformas con errores. Este es el caso de algunos proveedores de Internet (Ex: Orange en Francia). Esto no es un problema con Dolibarr o PHP, sino con el servidor de correo receptor. Sin embargo, puede agregar una opción MAIN_FIX_FOR_BUGGED_MTA a 1 en Configuración - Otro para modificar Dolibarr para evitar esto. Sin embargo, puede experimentar problemas con otros servidores que usan estrictamente el estándar SMTP. La otra solución (recomendada) es usar el método "biblioteca de sockets SMTP", que no tiene inconvenientes. TranslationSetup=Configuración de la traducción TranslationOverwriteKey=Sobrescribir una cadena de traducción +TranslationDesc=Cómo configurar el idioma de la pantalla:
* Predeterminado/Todo el sistema: menú Inicio -> Configuración -> Pantalla
* Por usuario: haga clic en el nombre de usuario en la parte superior de la pantalla y modifique la pestaña de usuario la configuración de pantalla de usuario. TranslationOverwriteDesc=También puede anular cadenas que llenan la siguiente tabla. Elija su idioma en el menú desplegable "%s", inserte la cadena de clave de traducción en "%s" y su nueva traducción en "%s" TranslationOverwriteDesc2=Puede usar la otra pestaña para ayudarlo a saber qué clave de traducción usar TranslationString=Cadena de traducción @@ -690,27 +1007,50 @@ TransKeyWithoutOriginalValue=Has forzado una nueva traducción para la clave de YouMustEnableOneModule=Debes habilitar al menos 1 módulo ClassNotFoundIntoPathWarning=La clase %s no se encuentra en la ruta de PHP YesInSummer=Si en verano +OnlyFollowingModulesAreOpenedToExternalUsers=Tenga en cuenta que solo los siguientes módulos están disponibles para usuarios externos (independientemente de los permisos de dichos usuarios) y solo si se otorgan permisos:
SuhosinSessionEncrypt=Almacenamiento de sesión encriptado por Suhosin. ConditionIsCurrently=La condición es actualmente %s +YouUseBestDriver=Utiliza el controlador %s, que es el mejor controlador disponible actualmente. YouDoNotUseBestDriver=Utiliza el controlador %s pero se recomienda el controlador %s. SearchOptim=Optimización de búsqueda +YouHaveXObjectUseSearchOptim=Tiene %s %s en la base de datos. Puede agregar la constante %s a 1 en Inicio - Configuración - Otros. Limite la búsqueda al comienzo de las cadenas, lo que hace posible que la base de datos use índices y debería obtener una respuesta inmediata. +YouHaveXObjectAndSearchOptimOn=Tiene %s %s en la base de datos y la constante %s se establece en 1 en Inicio - Configuración - Otros. BrowserIsOK=Está utilizando el navegador web %s. Este navegador está bien para la seguridad y el rendimiento. BrowserIsKO=Está utilizando el navegador web %s. Se sabe que este navegador es una mala elección para la seguridad, el rendimiento y la confiabilidad. Recomendamos el uso de Firefox, Chrome, Opera o Safari. +PHPModuleLoaded=Se cargó el componente PHP %s +PreloadOPCode=Preloaded OPCode esta en uso. +AddRefInList=Mostrar lista de información de referencia del cliente/proveedor (seleccione lista o cuadro combinado) y la mayor parte del hipervínculo.
Los terceros aparecerán con el formato de nombre "CC12345 - SC45678 - La Gran Compañia S.A.". en lugar de "La Gran Compañia S.A.". +AddAdressInList=Mostrar lista de información de dirección de cliente / proveedor (seleccione lista o cuadro combinado)
Los terceros aparecerán con un formato de nombre de "La Gran Compañia S.A.. - Calle 21 #2-25 00000 Valle del Cauca - Colombia" en lugar de "La Gran Compañia S.A.. +AddEmailPhoneTownInContactList=Mostrar correo electrónico de contacto (o teléfonos si no está definido) y lista de información de la ciudad (selecciones lista o cuadro combinado)
Los contactos aparecerán con un formato de nombre de "Pepito Perez - pepito.perez@email.com - Cali" o "Pepito Perez - 315 000 0000 - Cali" en lugar de "Pepito Perez". AskForPreferredShippingMethod=Pregunte por el método de envío preferido para terceros. FillThisOnlyIfRequired=Ejemplo: +2 (rellenar solo si se experimentan problemas de compensación de zona horaria) +NumberingModules=Modelos de numeración +DocumentModules=Modelos de documentos PasswordGenerationNone=No sugiera una contraseña generada. La contraseña debe escribirse manualmente. PasswordGenerationPerso=Devuelva una contraseña de acuerdo con su configuración definida personalmente. SetupPerso=Según su configuración PasswordPatternDesc=Descripción del patrón de contraseña +RuleForGeneratedPasswords=Reglas para generar y validar contraseñas +DisableForgetPasswordLinkOnLogonPage=No mostrar el enlace "Contraseña olvidada" en la página de inicio de sesión UsersSetup=Configuración del módulo de usuarios +UserMailRequired=Correo electrónico necesario para crear un nuevo usuario +UserHideInactive=Ocultar a los usuarios inactivos de todas las listas combinadas de usuarios (no recomendado: esto puede significar que no podrá filtrar o buscar usuarios antiguos en algunas páginas) HRMSetup=Configuración del módulo HRM CompanySetup=Configuración del módulo de empresas. +CompanyCodeChecker=Opciones para la generación automática de códigos de cliente / proveedor +AccountCodeManager=Opciones para la generación automática de códigos contables de clientes / proveedores +NotificationsDesc=Las notificaciones por correo electrónico se pueden enviar automáticamente para algunos eventos de Dolibarr.
Los destinatarios de las notificaciones se pueden definir: +NotificationsDescUser=* por usuario, un usuario a la vez. +NotificationsDescGlobal=* o configurando direcciones de correo electrónico globales en esta página de configuración. DocumentModelOdt=Genere documentos desde plantillas de OpenDocument (archivos .ODT / .ODS de LibreOffice, OpenOffice, KOffice, TextEdit, ...) WatermarkOnDraft=Marca de agua en el proyecto de documento JSOnPaimentBill=Activar función para autocompletar líneas de pago en forma de pago CompanyIdProfChecker=Reglas para las identificaciones profesionales +MustBeMandatory=¿Obligatorio crear terceros (si se define el número de IVA o el tipo de empresa)? MustBeInvoiceMandatory=¿Obligatorio validar las facturas? TechnicalServicesProvided=Servicios tecnicos prestados +WebDAVSetupDesc=Este es el enlace para acceder al directorio WebDAV. Contiene un directorio "público" abierto a cualquier usuario que conozca la URL (si se permite el acceso al directorio público) y un directorio "privado" que necesita una cuenta / contraseña de inicio de sesión existente para acceder. +WebDavServer=URL raíz del servidor %s: %s WebCalUrlForVCalExport=Un enlace de exportación a formato %s está disponible en el siguiente enlace: %s BillsSetup=Configuración del módulo de facturas. BillsNumberingModule=Modelo de numeración de facturas y notas de crédito. @@ -718,18 +1058,30 @@ BillsPDFModules=Modelos de documentos de facturas. BillsPDFModulesAccordindToInvoiceType=La factura documenta los modelos según el tipo de factura. PaymentsPDFModules=Modelos de documentos de pago. ForceInvoiceDate=Forzar fecha de factura a fecha de validación +SuggestedPaymentModesIfNotDefinedInInvoice=Modo de pago sugerido en la factura de forma predeterminada si no está definido en la factura +SuggestPaymentByRIBOnAccount=Sugerir pago por retiro a cuenta +SuggestPaymentByChequeToAddress=Sugerir pago con cheque a FreeLegalTextOnInvoices=Texto libre en las facturas. WatermarkOnDraftInvoices=Marca de agua en los proyectos de factura (ninguno si está vacío) PaymentsNumberingModule=Modelo de numeración de pagos. +SuppliersPayment=Pagos a proveedores PropalSetup=Configuración del módulo de propuestas comerciales. ProposalsNumberingModules=Propuesta de modelos de numeración comercial. ProposalsPDFModules=Propuesta comercial de modelos de documentos. +SuggestedPaymentModesIfNotDefinedInProposal=Modo de pago sugerido a propuesta de forma predeterminada si no está definido en la propuesta FreeLegalTextOnProposal=Texto libre sobre propuestas comerciales. WatermarkOnDraftProposal=Marca de agua en proyectos de propuestas comerciales (ninguno si está vacío) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Consultar el destino de la cuenta bancaria de la propuesta. +SupplierProposalSetup=Configuración del módulo de proveedores de solicitudes de precio +SupplierProposalNumberingModules=Solicitudes de precio modelos de numeración de proveedores +SupplierProposalPDFModules=Solicitudes de precio modelos de documentos de proveedores +FreeLegalTextOnSupplierProposal=Texto libre sobre solicitudes de precio proveedores +WatermarkOnDraftSupplierProposal=Marca de agua en los proveedores de solicitudes de precios preliminares (ninguna si está vacía) BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Pregunte por el destino de la cuenta bancaria de la solicitud de precio WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Pregunte por la fuente de almacén para el pedido BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Pregunte por el destino de la cuenta bancaria de la orden de compra +SuggestedPaymentModesIfNotDefinedInOrder=Modo de pago sugerido en el pedido de venta por defecto si no está definido en el pedido +OrdersSetup=Configuración de la gestión de pedidos de venta OrdersNumberingModules=Modelos de numeración de pedidos. OrdersModelModule=Ordenar documentos modelos WatermarkOnDraftOrders=Marca de agua en órdenes de giro (ninguna si está vacía) @@ -748,7 +1100,9 @@ WatermarkOnDraftContractCards=Marca de agua en los proyectos de contrato (ningun MembersSetup=Configuración del módulo de miembros MemberMainOptions=Principales opciones AdherentLoginRequired=Administrar un inicio de sesión para cada miembro +AdherentMailRequired=Se requiere correo electrónico para crear un nuevo miembro MemberSendInformationByMailByDefault=La casilla de verificación para enviar la confirmación de correo a los miembros (validación o nueva suscripción) está activada de forma predeterminada +MEMBER_REMINDER_EMAIL=Habilite el recordatorio automático por correo electrónico de suscripciones caducadas. Nota: El módulo %s debe estar habilitado y configurado correctamente para enviar recordatorios. LDAPSetup=Configuración de LDAP LDAPSynchronizeUsers=Organización de usuarios en LDAP. LDAPSynchronizeGroups=Organización de grupos en LDAP. @@ -756,6 +1110,7 @@ LDAPSynchronizeContacts=Organización de contactos en LDAP. LDAPSynchronizeMembers=Organización de los miembros de la fundación en LDAP. LDAPSynchronizeMembersTypes=Organización de los tipos de miembros de la fundación en LDAP. LDAPServerPort=Puerto de servicio +LDAPServerPortExample=Puerto predeterminado: 389 LDAPServerUseTLS=Utilizar TLS LDAPServerUseTLSExample=Su servidor LDAP utiliza TLS LDAPServerDn=DN de servidor @@ -804,19 +1159,43 @@ LDAPSetupForVersion2=Servidor LDAP configurado para la versión 2 LDAPDolibarrMapping=Mapeo de Dolibarr LDAPLdapMapping=Mapeo LDAP LDAPFieldLoginUnix=Login (Unix) +LDAPFieldLoginExample=Ejemplo: uid +LDAPFilterConnectionExample=Ejemplo: &(objectClass=inetOrgPerson) LDAPFieldLoginSamba=Login (samba, directorio activo) +LDAPFieldLoginSambaExample=Ejemplo: samaccountname +LDAPFieldFullnameExample=Ejemplo: cn LDAPFieldPasswordNotCrypted=Contraseña no cifrada +LDAPFieldPasswordExample=Ejemplo: userPassword +LDAPFieldCommonNameExample=Ejemplo: cn +LDAPFieldNameExample=Ejemplo: sn +LDAPFieldFirstNameExample=Ejemplo: givenName LDAPFieldMail=Dirección de correo electrónico +LDAPFieldMailExample=Ejemplo: correo LDAPFieldPhone=Numero de telefono profesional +LDAPFieldPhoneExample=Ejemplo: numerodeteléfono LDAPFieldHomePhone=Número de teléfono personal +LDAPFieldHomePhoneExample=Ejemplo: homephone LDAPFieldMobile=Teléfono celular +LDAPFieldMobileExample=Ejemplo: celular LDAPFieldFax=Número de fax +LDAPFieldFaxExample=Ejemplo: facsimiletelephonenumber LDAPFieldAddress=Calle +LDAPFieldAddressExample=Ejemplo: calle LDAPFieldZip=Cremallera +LDAPFieldZipExample=Ejemplo: codigoPostal LDAPFieldTown=Pueblo +LDAPFieldTownExample=Ejemplo: l +LDAPFieldDescriptionExample=Ejemplo: descripcion LDAPFieldNotePublic=Nota publica +LDAPFieldNotePublicExample=Ejemplo: notaPublica +LDAPFieldGroupMembersExample=Ejemplo: miembroUnico +LDAPFieldCompanyExample=Ejemplo: o +LDAPFieldSidExample=Ejemplo: objectid LDAPFieldEndLastSubscription=Fecha de finalización de la suscripción LDAPFieldTitleExample=Ejemplo: titulo +LDAPFieldGroupid=Identificación del grupo +LDAPFieldUseridExample=Ejemplo: uidnumber +LDAPFieldHomedirectoryprefix=Prefijo del directorio de inicio LDAPSetupNotComplete=La configuración de LDAP no está completa (vaya a otras pestañas) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=No hay administrador o contraseña proporcionada. El acceso LDAP será anónimo y en modo de solo lectura. LDAPDescContact=Esta página le permite definir el nombre de los atributos LDAP en el árbol LDAP para cada información encontrada en los contactos de Dolibarr. @@ -828,6 +1207,9 @@ LDAPDescValues=Los valores de ejemplo están diseñados para OpenLDAP c ForANonAnonymousAccess=Para un acceso autenticado (por ejemplo, para un acceso de escritura) PerfDolibarr=Configuración de rendimiento / informe de optimización YouMayFindPerfAdviceHere=Esta página proporciona algunas verificaciones o consejos relacionados con el rendimiento. +NotInstalled=No instalado. +NotSlowedDownByThis=No retrasado por esto. +NotRiskOfLeakWithThis=No hay riesgo de fugas con esto. ApplicativeCache=Caché aplicativo MemcachedNotAvailable=No se encontró ningún caché aplicativo. Puede mejorar el rendimiento instalando un servidor de caché Memcached y un módulo capaz de usar este servidor de caché. Más información aquí http: //wiki.dolibarr.org/index.php/Module_MemCached_EN . Tenga en cuenta que muchos proveedores de alojamiento web no proporcionan dicho servidor de caché. MemcachedModuleAvailableButNotSetup=Se encontró el módulo memcached para el caché de aplicación, pero la configuración del módulo no está completa. @@ -845,6 +1227,8 @@ CacheByClient=Caché por navegador CompressionOfResources=Compresión de respuestas HTTP CompressionOfResourcesDesc=Por ejemplo, usando la directiva de Apache "AddOutputFilterByType DEFLATE" TestNotPossibleWithCurrentBrowsers=Tal detección automática no es posible con los navegadores actuales +DefaultValuesDesc=Aquí puede definir el valor predeterminado que desea utilizar al crear un nuevo registro y / o filtros predeterminados o el orden de clasificación cuando enumera registros. +DefaultCreateForm=Valores predeterminados (para usar en formularios) DefaultSearchFilters=Filtros de búsqueda predeterminados DefaultSortOrder=Orden de orden predeterminado DefaultFocus=Campos de enfoque por defecto @@ -852,6 +1236,9 @@ DefaultMandatory=Campos de formulario obligatorios ProductSetup=Configuración del módulo de productos ServiceSetup=Configuración del módulo de servicios ProductServiceSetup=Configuración de módulos de productos y servicios. +NumberOfProductShowInSelect=Número máximo de productos para mostrar en listas de selección combinadas (0 = sin límite) +ViewProductDescInFormAbility=Mostrar descripciones de productos en formularios (de lo contrario, se muestran en una ventana emergente de información sobre herramientas) +DoNotAutofillButAutoConcat=No llene automáticamente el campo de entrada con la descripción del producto. La descripción del producto se concatenará a la descripción ingresada automáticamente. MergePropalProductCard=Active en la pestaña Archivos adjuntos del producto / servicio una opción para fusionar el documento PDF del producto a la propuesta PDF azur si el producto / servicio está en la propuesta UseSearchToSelectProductTooltip=Además, si tiene una gran cantidad de productos (> 100 000), puede aumentar la velocidad configurando la constante PRODUCT_DONOTSEARCH_ANYWHERE en 1 en Configuración-> Otros. La búsqueda se limitará entonces al inicio de la cadena. UseSearchToSelectProduct=Espere hasta que presione una tecla antes de cargar el contenido de la lista de combo de productos (esto puede aumentar el rendimiento si tiene una gran cantidad de productos, pero es menos conveniente) @@ -867,6 +1254,7 @@ SyslogFacility=Instalaciones SyslogFilename=Nombre de archivo y ruta YouCanUseDOL_DATA_ROOT=Puede usar DOL_DATA_ROOT / dolibarr.log para un archivo de registro en el directorio de "documentos" de Dolibarr. Puede establecer una ruta diferente para almacenar este archivo. ErrorUnknownSyslogConstant=La constante %s no es una constante de Syslog conocida +OnlyWindowsLOG_USER=En Windows, solo se admitirá la función LOG_USER CompressSyslogs=Compresión y copia de seguridad de los archivos de registro de depuración (generados por el módulo Registro para depuración) ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure la tarea de limpieza programada para establecer la frecuencia de copia de seguridad del registro DonationsSetup=Configuración del módulo de donación. @@ -892,7 +1280,13 @@ NewRSS=Nuevo feed RSS RSSUrl=URL de RSS RSSUrlExample=Un feed RSS interesante MailingSetup=Configuración del módulo de EMailing +MailingEMailFrom=Correo electrónico del remitente (De) para los correos electrónicos enviados mediante el módulo de correo electrónico +MailingEMailError=Devolver correo electrónico (errores a) para correos electrónicos con errores MailingDelay=Segundos para esperar después de enviar el siguiente mensaje. +NotificationSetup=Configuración del módulo de notificación por correo electrónico +NotificationEMailFrom=Correo electrónico del remitente (De) para los correos electrónicos enviados por el módulo de notificaciones +FixedEmailTarget=Recipiente +SendingsSetup=Configuración del módulo de envío SendingsReceiptModel=Enviando recibo modelo SendingsNumberingModules=Módulos de numeración de envíos. SendingsAbility=Soporte de hojas de envío para entregas a clientes. @@ -905,11 +1299,14 @@ FreeLegalTextOnDeliveryReceipts=Texto libre en los recibos de entrega ActivateFCKeditor=Activar editor avanzado para: FCKeditorForCompany=Creación / edición de WYSIWIG de elementos, descripción y nota (excepto productos / servicios) FCKeditorForProduct=WYSIWIG creación / edición de productos / servicios descripción y nota +FCKeditorForProductDetails=WYSIWIG creación / edición de líneas de detalle de productos para todas las entidades (propuestas, pedidos, facturas, etc ...). Advertencia: El uso de esta opción para este caso no se recomienda seriamente, ya que puede crear problemas con caracteres especiales y formato de página al crear archivos PDF. FCKeditorForMailing=Creación / edición WYSIWIG para eMailings masivos (Herramientas-> eMailing) FCKeditorForUserSignature=Creación / edición WYSIWIG de la firma del usuario. FCKeditorForMail=Creación / edición WYSIWIG para todo el correo (excepto Herramientas-> eMailing) +FCKeditorForTicket=Creación / edición WYSIWIG para entradas StockSetup=Configuración del módulo de stock IfYouUsePointOfSaleCheckModule=Si usa el módulo de Punto de Venta (POS) provisto por defecto o un módulo externo, su configuración puede ser ignorada por su módulo de POS. La mayoría de los módulos POS están diseñados de forma predeterminada para crear una factura inmediatamente y disminuir el stock, independientemente de las opciones aquí. Por lo tanto, si necesita o no una disminución de stock al registrar una venta desde su POS, verifique también la configuración de su módulo POS. +Menu=Menú NotTopTreeMenuPersonalized=Menús personalizados no vinculados a una entrada del menú superior NewMenu=Nuevo menu MenuHandler=Manejador de menú @@ -934,6 +1331,8 @@ TaxSetup=Configuración del módulo de impuestos, impuestos sociales o fiscales OptionVatMode=IVA debido OptionVATDefault=Base estandar OptionVATDebitOption=Base devengada +OptionVatDefaultDesc=Se adeuda el IVA:
- en la entrega de bienes (según la fecha de la factura)
- en pagos por servicios +OptionVatDebitOptionDesc=Se adeuda el IVA:
- en la entrega de bienes (según la fecha de la factura)
- en la factura (débito) de los servicios OptionPaymentForProductAndServices=Base de efectivo para productos y servicios. OptionPaymentForProductAndServicesDesc=Se debe el IVA:
- en el pago de bienes
- en los pagos de servicios SummaryOfVatExigibilityUsedByDefault=Tiempo de elegibilidad de IVA por defecto según la opción elegida: @@ -953,19 +1352,30 @@ AGENDA_USE_EVENT_TYPE=Usar tipos de eventos (administrados en el menú Configura AGENDA_USE_EVENT_TYPE_DEFAULT=Establecer automáticamente este valor predeterminado para el tipo de evento en el formulario de creación de evento AGENDA_DEFAULT_FILTER_TYPE=Configure automáticamente este tipo de evento en el filtro de búsqueda de la vista de agenda AGENDA_DEFAULT_FILTER_STATUS=Establecer automáticamente este estado para eventos en el filtro de búsqueda de la vista de agenda +AGENDA_DEFAULT_VIEW=¿Qué vista desea abrir de forma predeterminada al seleccionar el menú Agenda? +AGENDA_REMINDER_BROWSER=Habilite el recordatorio de eventos en el navegador del usuario (Cuando se alcanza la fecha de recordatorio, el navegador muestra una ventana emergente. Cada usuario puede deshabilitar dichas notificaciones desde la configuración de notificaciones del navegador). AGENDA_REMINDER_BROWSER_SOUND=Habilitar notificación de sonido +AGENDA_REMINDER_EMAIL=Habilite el recordatorio de evento por correo electrónico (la opción de recordatorio / retraso se puede definir en cada evento). AGENDA_SHOW_LINKED_OBJECT=Mostrar objeto vinculado en vista de agenda ClickToDialSetup=Haga clic para configurar el módulo de marcado. ClickToDialUrlDesc=Url llamado cuando se hace un clic en el teléfono picto. En la URL, puede usar las etiquetas
__PHONETO__ que se reemplazarán con el número de teléfono de la persona a la que llamará
__PHONEFROM__ que se reemplazará con el número de teléfono de la llamada persona (la suya)
__LOGIN__ que será reemplazada por el inicio de sesión de clicktodial (definido en la tarjeta de usuario)
__PASS__ que será reemplazada por la contraseña de clicktodial (definida por el usuario tarjeta). +ClickToDialDesc=Este módulo cambia los números de teléfono, cuando se usa una computadora de escritorio, en enlaces en los que se puede hacer clic. Un clic llamará al número. Esto se puede usar para iniciar la llamada telefónica cuando usa un softphone en su escritorio o cuando usa un sistema CTI basado en el protocolo SIP, por ejemplo. Nota: cuando se usa un teléfono inteligente, siempre se puede hacer clic en los números de teléfono. ClickToDialUseTelLink=Use solo un enlace "tel:" en los números de teléfono ClickToDialUseTelLinkDesc=Use este método si sus usuarios tienen un softphone o una interfaz de software instalada en la misma computadora que el navegador y se le llama cuando hace clic en un enlace en su navegador que comienza con "tel:". Si necesita una solución de servidor completa (sin necesidad de instalación de software local), debe configurar esto en "No" y completar el siguiente campo. +CashDeskSetup=Configuración del módulo de punto de venta CashDeskThirdPartyForSell=Tercero genérico predeterminado para usar en ventas CashDeskBankAccountForSell=Cuenta predeterminada para usar para recibir pagos en efectivo +CashDeskBankAccountForCheque=Cuenta predeterminada para usar para recibir pagos con cheque CashDeskBankAccountForCB=Cuenta predeterminada a utilizar para recibir pagos con tarjetas de crédito. +CashDeskBankAccountForSumup=Cuenta bancaria predeterminada para usar para recibir pagos por SumUp CashDeskDoNotDecreaseStock=Deshabilite la reducción de existencias cuando se realiza una venta desde el punto de venta (si es "no", la reducción de existencias se realiza para cada venta realizada desde POS, independientemente de la opción establecida en el stock de módulos). CashDeskIdWareHouse=Forzar y restringir el almacén para utilizar para la disminución de stock StockDecreaseForPointOfSaleDisabled=Disminución de stock desde punto de venta deshabilitado. +StockDecreaseForPointOfSaleDisabledbyBatch=La disminución de stock en POS no es compatible con el módulo de gestión de serie / lote (actualmente activo), por lo que la disminución de stock está desactivada. CashDeskYouDidNotDisableStockDecease=No desactivó la disminución de existencias al realizar una venta desde el punto de venta. Por lo tanto se requiere un almacén. +CashDeskForceDecreaseStockLabel=Se obligó a reducir las existencias de productos por lotes. +CashDeskForceDecreaseStockDesc=Disminuya primero por las fechas más antiguas de Eatby y Sellby. +CashDeskReaderKeyCodeForEnter=Código clave para "Enter" definido en el lector de códigos de barras (Ejemplo: 13) BookmarkSetup=Configuración del módulo de marcador BookmarkDesc=Este módulo le permite administrar los marcadores. También puede agregar accesos directos a cualquier página de Dolibarr o sitios web externos en su menú de la izquierda. NbOfBoomarkToShow=Número máximo de marcadores para mostrar en el menú de la izquierda @@ -979,9 +1389,18 @@ ApiExporerIs=Puedes explorar y probar las API en la URL OnlyActiveElementsAreExposed=Solo se exponen los elementos de los módulos habilitados. WarningAPIExplorerDisabled=El explorador de API ha sido deshabilitado. API Explorer no es necesario para proporcionar servicios de API. Es una herramienta para el desarrollador para encontrar / probar API REST. Si necesita esta herramienta, vaya a la configuración del módulo API REST para activarla. BankSetupModule=Configuración del módulo bancario +FreeLegalTextOnChequeReceipts=Texto libre en recibos de cheques 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 +ChequeReceiptsNumberingModule=Verifique el módulo de numeración de recibos MultiCompanySetup=Configuración del módulo multiempresa +SuppliersSetup=Configuración del módulo de proveedor +SuppliersCommandModel=Plantilla completa de orden de compra +SuppliersCommandModelMuscadet=Plantilla completa de orden de compra (implementación antigua de plantilla cornas) +SuppliersInvoiceModel=Plantilla completa de factura de proveedor +SuppliersInvoiceNumberingModel=Modelos de numeración de facturas de proveedores +IfSetToYesDontForgetPermission=Si se establece en un valor no nulo, no olvide proporcionar permisos a los grupos o usuarios autorizados para la segunda aprobación +PathToGeoIPMaxmindCountryDataFile=Ruta al archivo que contiene la traducción de IP de Maxmind al país.
Ejemplos:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb 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. @@ -1007,18 +1426,29 @@ NoAmbiCaracAutoGeneration=No utilice caracteres ambiguos ("1", "l", "i", "|", "0 SalariesSetup=Configuración de los salarios del módulo. SortOrder=Orden de clasificación Format=Formato +TypePaymentDesc=0: tipo de pago de cliente, 1: tipo de pago de proveedor, 2: tipo de pago de clientes y proveedores IncludePath=Incluir ruta (definida en la variable %s) ExpenseReportsSetup=Configuración de los informes de gastos del módulo TemplatePDFExpenseReports=Plantillas de documentos para generar documentos de informe de gastos. ExpenseReportsRulesSetup=Configuración de los informes de gastos del módulo - Reglas 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. +YouMayFindNotificationsFeaturesIntoModuleNotification=Puede encontrar opciones para notificaciones por correo electrónico habilitando y configurando el módulo "Notificación". +ListOfNotificationsPerUser=Lista de notificaciones automáticas por usuario * +ListOfNotificationsPerUserOrContact=Lista de posibles notificaciones automáticas (sobre 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 crear el archivo de volcado de la base de datos (dump file) +BackupZipWizard=Asistente para construir el directorio de archivos de documentos SomethingMakeInstallFromWebNotPossible=La instalación de un 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 con privilegios. 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. ConfFileMustContainCustom=La instalación o creación de un módulo externo desde la aplicación debe guardar los archivos del módulo en el directorio %s . Para que Dolibarr procese este directorio, debe configurar su conf / conf.php para agregar las 2 líneas directivas:
$ dolibarr_main_url_root_alt = '/ custom'; < br> $ dolibarr_main_document_root_alt = '%s / custom'; HighlightLinesOnMouseHover=Resalta las líneas de la tabla cuando el movimiento del mouse pasa sobre +HighlightLinesColor=Resalte el color de la línea cuando pase el mouse (use 'ffffff' para no resaltar) +HighlightLinesChecked=Resalte el color de la línea cuando esté marcada (use 'ffffff' para no resaltar) TextTitleColor=Color del texto del título de la página. LinkColor=Color de enlaces PressF5AfterChangingThis=Presione CTRL + F5 en el teclado o borre la caché de su navegador después de cambiar este valor para que sea efectivo @@ -1028,15 +1458,20 @@ TopMenuDisableImages=Ocultar imágenes en el menú superior LeftMenuBackgroundColor=Color de fondo para el menú de la izquierda. BackgroundTableTitleColor=Color de fondo para la línea de título de la tabla BackgroundTableTitleTextColor=Color del texto para la línea del título de la tabla. +BackgroundTableTitleTextlinkColor=Color del texto de la línea de enlace del título de la tabla BackgroundTableLineOddColor=Color de fondo para líneas de tablas impares. BackgroundTableLineEvenColor=Color de fondo para líneas de mesa uniformes MinimumNoticePeriod=Período mínimo de notificación (su solicitud de licencia debe realizarse antes de esta demora) NbAddedAutomatically=Número de días agregados a los contadores de usuarios (automáticamente) cada mes +Enter0or1=Ingrese 0 o 1 UnicodeCurrency=Ingrese aquí entre llaves, lista de bytes que representan el símbolo de moneda. Por ejemplo: para $, ingrese [36] - para brasil R $ [82,36] - para €, ingrese [8364] ColorFormat=El color RGB está en formato HEX, por ejemplo: FF0000 +PictoHelp=Nombre del icono en formato dolibarr ('image.png' si está en el directorio del tema actual, 'image.png@nom_du_module' si está en el directorio /img/ de un módulo) PositionIntoComboList=Posición de la línea en las listas de combo SellTaxRate=Tasa de impuesto de venta RecuperableOnly=Sí, para el IVA "No percibido pero recuperable" dedicado a algún estado de Francia. Mantenga el valor en "No" en todos los demás casos. +UrlTrackingDesc=Si el proveedor o servicio de transporte ofrece una página o sitio web para verificar el estado de sus envíos, puede ingresarlo aquí. Puede usar la clave {TRACKID} en los parámetros de URL para que el sistema la reemplace con el número de seguimiento que el usuario ingresó en la tarjeta de envío. +OpportunityPercent=Cuando crea un cliente potencial, definirá una cantidad estimada de proyecto/cliente potencial. Según el estado del cliente potencial, esta cantidad se puede multiplicar por esta tasa para evaluar una cantidad total que pueden generar todos sus clientes potenciales. El valor es un porcentaje (entre 0 y 100). TemplateForElement=Este registro de plantilla está dedicado a qué elemento TemplateIsVisibleByOwnerOnly=La plantilla es visible solo para el propietario VisibleNowhere=Visible en ninguna parte @@ -1046,6 +1481,7 @@ ExpectedChecksum=Suma de comprobación esperada CurrentChecksum=Checksum actual ForcedConstants=Valores constantes requeridos MailToSendProposal=Propuestas de clientes +MailToSendOrder=Ordenes de venta MailToSendInvoice=Facturas de clientes MailToSendSupplierRequestForQuotation=Solicitud de presupuesto MailToSendSupplierOrder=Ordenes de compra @@ -1055,7 +1491,11 @@ ByDefaultInList=Mostrar por defecto en la vista de lista YouUseLastStableVersion=Usas la última versión estable TitleExampleForMajorRelease=Ejemplo de mensaje que puede usar para anunciar esta versión principal (siéntase libre de usarlo en sus sitios web) ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s está disponible. La versión %s es una versión importante con muchas características nuevas tanto para usuarios como para desarrolladores. Puede descargarlo desde el área de descarga del portal https://www.dolibarr.org (subdirectorio Estable versiones). Puede leer ChangeLog para obtener una lista completa de los cambios. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s está disponible. La versión %s es una versión de mantenimiento, por lo que solo contiene correcciones de errores. Recomendamos a todos los usuarios que actualicen a esta versión. Una versión de mantenimiento no introduce nuevas funciones ni cambios en la base de datos. Puede descargarlo desde el área de descargas del portal https://www.dolibarr.org (subdirectorio Versiones estables). Puede leer el ChangeLog para ver la lista completa de cambios. +MultiPriceRuleDesc=Cuando la opción "Varios niveles de precios por producto/servicio" está habilitada, puede definir diferentes precios (uno por nivel de precios) para cada producto. Para ahorrarle tiempo, aquí puede ingresar una regla para calcular automáticamente un precio para cada nivel en función del precio del primer nivel, por lo que solo tendrá que ingresar un precio para el primer nivel para cada producto. Esta página está diseñada para ahorrarle tiempo, pero es útil solo si sus precios para cada nivel son relativos al primer nivel. Puede ignorar esta página en la mayoría de los casos. ModelModulesProduct=Plantillas para documentos de productos. +WarehouseModelModules=Plantillas para documentos de bodegas +ToGenerateCodeDefineAutomaticRuleFirst=Para poder generar códigos automáticamente, primero debe definir un administrador para que defina automáticamente el número de código de barras. SeeSubstitutionVars=Ver * nota para la lista de posibles variables de sustitución SeeChangeLog=Ver archivo ChangeLog (solo en inglés) AllPublishers=Todos los editores @@ -1086,23 +1526,108 @@ UserHasNoPermissions=Este usuario no tiene permisos definidos. TypeCdr=Use "Ninguno" si la fecha del plazo de pago es la fecha de la factura más un delta en días (delta es el campo "%s"). Utilice "Al final del mes", si, después del delta, la fecha debe aumentarse para alcanzar el final del mes (+ un opcional "%s" en días)
Use "Actual / Siguiente" para que la fecha del plazo de pago sea el primer Nth del mes después de delta (delta es el campo "%s", N se almacena en el campo "%s") WarningNoteModulePOSForFrenchLaw=Este módulo %s cumple con las leyes francesas (Loi Finance 2016) porque el módulo de Registros no reversibles se activa automáticamente. WarningInstallationMayBecomeNotCompliantWithLaw=Está intentando instalar el módulo %s que es un módulo externo. Activar un módulo externo significa que confía en el editor de ese módulo y que está seguro de que este módulo no afecta negativamente el comportamiento de su aplicación y cumple con las leyes de su país (%s). Si el módulo introduce una característica ilegal, usted se hace responsable del uso de software ilegal. +MAIN_DOCUMENTS_LOGO_HEIGHT=Altura para logo en PDF +NothingToSetup=No se requiere una configuración específica para este módulo. SetToYesIfGroupIsComputationOfOtherGroups=Establézcalo en sí si este grupo es un cálculo de otros grupos +EnterCalculationRuleIfPreviousFieldIsYes=Ingrese la regla de cálculo si el campo anterior se estableció en Sí.
Por ejemplo:
CODEGRP1+CODEGRP2 +RemoveSpecialChars=Quitar caracteres especiales COMPANY_AQUARIUM_CLEAN_REGEX=Filtro de expresiones regulares para limpiar el valor (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=No se permite duplicar GDPRContact=Oficial de protección de datos (DPO, privacidad de datos o contacto GDPR) +GDPRContactDesc=Si almacena datos sobre empresas/ciudadanos europeos, puede nombrar el contacto responsable del Reglamento general de protección de datos aquí HelpOnTooltip=Texto de ayuda para mostrar en información sobre herramientas +HelpOnTooltipDesc=Coloque texto o una clave de traducción aquí para que el texto se muestre en una información sobre herramientas cuando este campo aparezca en un formulario +YouCanDeleteFileOnServerWith=Puede eliminar este archivo en el servidor con la línea de comandos:
%s ChartLoaded=Plan de cuenta cargado +VATIsUsedIsOff=Nota: La opción para usar el impuesto sobre las ventas o el IVA se ha establecido en Off en el menú %s - %s, por lo que el impuesto sobre las ventas o el IVA usado siempre será 0 para las ventas. +SwapSenderAndRecipientOnPDF=Cambiar la posición de la dirección del remitente y del destinatario en documentos PDF +FeatureSupportedOnTextFieldsOnly=Advertencia, función compatible solo con campos de texto y listas combinadas. También se debe establecer un parámetro de URL action=create o action=edit O el nombre de la página debe terminar con 'new.php' para activar esta función. EmailCollector=Recolector de correo electronico +EmailCollectorDescription=Agregue un trabajo programado y una página de configuración para escanear regularmente los buzones de correo electrónico (usando el protocolo IMAP) y registre los correos electrónicos recibidos en su aplicación, en el lugar correcto y / o cree algunos registros automáticamente (como clientes potenciales). NewEmailCollector=Nuevo recolector de email EMailHost=Host de correo electrónico del servidor IMAP EmailcollectorOperations=Operaciones a realizar por coleccionista. +EmailcollectorOperationsDesc=Las operaciones se ejecutan de arriba a abajo. +MaxEmailCollectPerCollect=Número máximo de correos electrónicos recolectados por recolección +ConfirmCloneEmailCollector=¿Está seguro de que desea duplicar el recolector de correo electrónico %s? +DateLastCollectResult=Fecha del último intento de recolección +DateLastcollectResultOk=Fecha del último éxito de recolección EmailCollectorConfirmCollectTitle=Correo electrónico recoger confirmación +EmailCollectorConfirmCollect=¿Quieres ejecutar la recolección de este recolector ahora? NoNewEmailToProcess=No hay correo electrónico nuevo (filtros coincidentes) para procesar +XEmailsDoneYActionsDone=%s correos electrónicos calificados, %s correos electrónicos procesados correctamente (para %s registro/acciones realizadas) RecordEvent=Grabar evento de correo electrónico CreateLeadAndThirdParty=Crea principal (y tercero de ser necesario) +CreateTicketAndThirdParty=Crear ticket (y vincular a un tercero si fue cargado por una operación anterior) +CodeLastResult=Último código de resultado +NbOfEmailsInInbox=Número de correos electrónicos en el directorio de origen +LoadThirdPartyFromName=Cargar búsqueda de terceros en %s (solo cargar) +LoadThirdPartyFromNameOrCreate=Cargar búsqueda de terceros en %s (crear si no se encuentra) +WithDolTrackingID=Mensaje de una conversación iniciada por un primer correo electrónico enviado desde Dolibarr +WithoutDolTrackingID=Mensaje de una conversación iniciada por un primer correo electrónico NO enviado desde Dolibarr FormatZip=Cremallera -OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +MainMenuCode=Código de entrada de menú (menú principal) +ECMAutoTree=Mostrar árbol ECM automático +OperationParamDesc=Defina los valores que se utilizarán para el objeto de la acción o cómo extraer los valores. Por ejemplo:
objproperty1 = SET: el valor para establecer
objproperty2 = SET: un valor con reemplazo de __objproperty1__
objproperty3 = SETIFEMPTY: valor usado si no se ha definido
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:El nombre de mi compañia es\\s([^\\s]*)

Utilice el caracter ; como separador para extraer o establecer varias propiedades. +OpeningHours=Horario de oficina +OpeningHoursDesc=Introduzca aquí el horario habitual de trabajo/servicio de su empresa. +ResourceSetup=Configuración del módulo de recursos DisabledResourceLinkUser=Deshabilitar la función para vincular un recurso a los usuarios DisabledResourceLinkContact=Deshabilitar función para vincular un recurso a contactos +EnableResourceUsedInEventCheck=Habilite la función para verificar si un recurso está en uso en un evento ConfirmUnactivation=Confirmar el reinicio del módulo OnMobileOnly=Solo en pantalla pequeña (teléfono inteligente) -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. +MAIN_OPTIMIZEFORTEXTBROWSER=Simplifique la interfaz para personas ciegas +MAIN_OPTIMIZEFORTEXTBROWSERDesc=Habilite esta opción si es una persona ciega o si usa la aplicación desde un navegador de texto como Lynx o Links. +MAIN_OPTIMIZEFORCOLORBLINDDesc=Habilite esta opción si es una persona daltónica; en algunos casos, la interfaz cambiará la configuración del color para aumentar el contraste. +ThisValueCanOverwrittenOnUserLevel=Este valor puede ser sobrescrito por cada usuario desde su página de usuario - pestaña '%s' +DefaultCustomerType=Tipo de tercero predeterminado para el formulario de creación de "Cliente nuevo" +ABankAccountMustBeDefinedOnPaymentModeSetup=Nota: La cuenta bancaria debe estar definida en el módulo de cada modo de pago (Paypal, Stripe, ...) para que esta característica funcione. +RootCategoryForProductsToSell=Categoría raíz de productos para vender +RootCategoryForProductsToSellDesc=Si se define, solo los productos dentro de esta categoría o los niños de esta categoría estarán disponibles en el punto de venta +DebugBarDesc=Barra de herramientas que viene con una gran cantidad de herramientas para simplificar la depuración (debugging) +DebugBarSetup=Configuración de DebugBar +LogsLinesNumber=Número de líneas para mostrar en la pestaña de registros +UseDebugBar=Usa la barra de depuración +DEBUGBAR_LOGS_LINES_NUMBER=Número de últimas líneas de registro para mantener en la consola +WarningValueHigherSlowsDramaticalyOutput=Advertencia, los valores más altos ralentizan drásticamente la salida +ModuleActivated=El módulo %s está activado y ralentiza la interfaz +ModuleActivatedWithTooHighLogLevel=El módulo %s está activado con un nivel de registro demasiado alto (intente usar un nivel más bajo para mejorar el rendimiento y la seguridad) +IfYouAreOnAProductionSetThis=Si se encuentra en un entorno de producción, debe establecer esta propiedad en %s. +AntivirusEnabledOnUpload=Antivirus habilitado en archivos cargados +EXPORTS_SHARE_MODELS=Los modelos de exportación se comparten con todos +ExportSetup=Configuración de la exportación del módulo +ImportSetup=Configuración de la importación del módulo +InstanceUniqueID=ID único de la instancia +WithGMailYouCanCreateADedicatedPassword=Si habilitó la validación de 2 pasos con una cuenta de GMail, se recomienda crear una segunda contraseña dedicada para la aplicación en lugar de usar la contraseña de su propia cuenta de https://myaccount.google.com/. +EmailCollectorTargetDir=Puede ser un comportamiento deseado mover el correo electrónico a otra etiqueta/directorio cuando se procesó correctamente. Simplemente configure el nombre del directorio aquí para usar esta función (NO use caracteres especiales en el nombre). Tenga en cuenta que también debe utilizar una cuenta de inicio de sesión de lectura/escritura. +EmailCollectorLoadThirdPartyHelp=Puede utilizar esta acción para utilizar el contenido del correo electrónico para buscar 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ámetro, puede usar, por ejemplo, 'EXTRACT:BODY:Name:\\s([^\\s]*)' si desea extraer el nombre de la tercera parte de una cadena 'Name: name to find' que se encuentra en el cuerpo. +EndPointFor=Punto final para %s: %s +DeleteEmailCollector=Eliminar recopilador de correo electrónico +ConfirmDeleteEmailCollector=¿Está seguro de que desea eliminar este recopilador de correo electrónico? +RecipientEmailsWillBeReplacedWithThisValue=Los correos electrónicos de los destinatarios siempre se reemplazarán con este valor +AtLeastOneDefaultBankAccountMandatory=Se debe definir al menos 1 cuenta bancaria predeterminada +RESTRICT_ON_IP=Permita el acceso solo a algunas direcciones IP de host (no se permiten comodines (wilcards), use un espacio entre los valores). Vacío significa que todos los hosts pueden acceder. +MakeAnonymousPing=Hacer un ping anónimo '+1' al servidor de Dolibarr Foundation (hecho 1 vez solo después de la instalación) para permitir que la fundación cuente el número de instalaciones Dolibarr. +FeatureNotAvailableWithReceptionModule=Característica no disponible cuando la recepción del módulo está habilitada +EmailTemplate=Plantilla para correo electrónico +EMailsWillHaveMessageID=Los correos electrónicos tendrán una etiqueta 'Referencias' que coincida con esta sintaxis +PDF_USE_ALSO_LANGUAGE_CODE=Si desea tener algunos textos en su PDF duplicados en 2 idiomas diferentes en el mismo PDF generado, debe configurar aquí este segundo idioma para que el PDF generado contenga 2 idiomas diferentes en la misma página, el elegido al generar PDF y este ( solo unas pocas plantillas PDF admiten esto). Mantener vacío para 1 idioma por PDF. +FafaIconSocialNetworksDesc=Introduzca aquí el código de un icono de FontAwesome. Si no sabe qué es FontAwesome, puede usar el valor genérico fa-address-book. +RssNote=Nota: Cada definición de fuente RSS proporciona un widget que debe habilitar para tenerlo disponible en el tablero. +JumpToBoxes=Vaya a Configuración -> Widgets +MeasuringScaleDesc=La escala es el número de lugares en los que tiene que mover la parte decimal para que coincida con la unidad de referencia predeterminada. Para el tipo de unidad de "tiempo", es el número de segundos. Los valores entre 80 y 99 son valores reservados. +TemplateAdded=Plantilla agregada +MailToSendEventPush=Correo electrónico de recordatorio de evento +SwitchThisForABetterSecurity=Se recomienda cambiar este valor a %s para mayor seguridad +YouMayFindSecurityAdviceHere=Puede encontrar avisos de seguridad aquí +ModuleActivatedDoNotUseInProduction=Se habilitó un módulo diseñado para el desarrollo. No lo habilite en un entorno de producción. +CombinationsSeparator=Carácter separador para combinaciones de productos +SeeLinkToOnlineDocumentation=Consulte el enlace a la documentación en línea en el menú superior para ver ejemplos. +SHOW_SUBPRODUCT_REF_IN_PDF=Si se utiliza la función "%s" del módulo %s, muestre los detalles de los subproductos de un kit en PDF. +AskThisIDToYourBank=Comuníquese con su banco para obtener esta ID +ConfFileIsReadableOrWritableByAnyUsers=El archivo conf. puede ser leido y escrito por cualquier usuario. Otorgue permiso al usuario y grupo del servidor web únicamente. +MailToSendEventOrganization=Organización del evento +YouShouldDisablePHPFunctions=Debería deshabilitar las funciones de PHP +NoWritableFilesFoundIntoRootDir=No se encontraron archivos o directorios grabables de los programas comunes en su directorio raíz (Perfect!) +ARestrictedPath=Un camino restringido diff --git a/htdocs/langs/es_CO/assets.lang b/htdocs/langs/es_CO/assets.lang new file mode 100644 index 00000000000..48475cfe86b --- /dev/null +++ b/htdocs/langs/es_CO/assets.lang @@ -0,0 +1,14 @@ +# Dolibarr language file - Source file is en_US - assets +AccountancyCodeDepreciationAsset =Código contable (cuenta de activos de depreciación) +AccountancyCodeDepreciationExpense =Código contable (cuenta de gastos de depreciación) +AssetsTypeSetup=Configuración del tipo de activo +ConfirmDeleteAssetType=¿Está seguro de que desea eliminar este tipo de activo? +ShowTypeCard=Mostrar tipo '%s' +ModuleAssetsDesc =Descripción de activos +AssetsSetup =Configuración de activos +Settings =Ajustes +AssetsSetupPage =Página de configuración de activos +ExtraFieldsAssetsType =Atributos complementarios (tipo de activo) +AssetsTypeId=ID del tipo de activo +AssetsTypeLabel=Etiqueta de tipo de activo +MenuNewAsset =Nuevo activo diff --git a/htdocs/langs/es_CO/banks.lang b/htdocs/langs/es_CO/banks.lang index 56fc77c7d64..57fe931f374 100644 --- a/htdocs/langs/es_CO/banks.lang +++ b/htdocs/langs/es_CO/banks.lang @@ -1,10 +1,131 @@ # Dolibarr language file - Source file is en_US - banks -BankAccounts=cuentas bancarias -BankBalance=Equilibrar -StandingOrders=Órdenes de débito directo -StandingOrder=Orden de domiciliación bancaria +MenuBankCash=Bancos | Efectivo +MenuNewVariousPayment=Nuevo pago mixto +BankAccounts=Cuentas bancarias +AccountRef=Ref de cuenta financiera +AccountLabel=Etiqueta de cuenta financiera +CashAccount=Cuenta de efectivo +CashAccounts=Cuentas de efectivo +CurrentAccounts=Cuentas Corrientes +SavingAccounts=Cuentas de ahorros +ErrorBankLabelAlreadyExists=La etiqueta de la cuenta financiera ya existe +BankBalanceBefore=Balance anterior +BankBalanceAfter=Balance siguiente +BalanceMinimalAllowed=Saldo mínimo permitido +InitialBankBalance=Balance inicial +EndBankBalance=Balance final +CurrentBalance=Balance Actual +FutureBalance=Balance futuro +ShowAllTimeBalance=Mostrar balance desde el inicio +AllTime=Desde el principio +RIB=Numero de cuenta +SwiftValid=BIC / SWIFT válido +SwiftVNotalid=BIC / SWIFT no válido +StandingOrders=Órdenes de débito automático +StandingOrder=Órden de débito automático +PaymentByDirectDebit=Pago por débito automático +AccountStatement=Estado de cuenta +AccountStatementShort=Estado +AccountStatements=Estados de cuenta +LastAccountStatements=Últimos estados de cuenta +IOMonthlyReporting=Informes mensuales +BankAccountDomiciliation=Dirección del banco +BankAccountOwner=Nombre del propietario de la cuenta +BankAccountOwnerAddress=Dirección del propietario de la cuenta +RIBControlError=La verificación de integridad de los valores falló. Esto significa que la información de este número de cuenta no está completa o es incorrecta (verifique el país, los números y el IBAN). +MenuNewFinancialAccount=Nueva cuenta financiera +EditFinancialAccount=Editar cuenta +LabelBankCashAccount=Etiqueta de banco o efectivo +BankType0=Cuenta de ahorros +BankType1=Cuenta Corriente o de tarjeta de crédito +BankType2=Cuenta de efectivo +AccountsArea=Área de cuentas +AccountCard=Tarjeta de cuenta +DeleteAccount=Eliminar cuenta +ConfirmDeleteAccount=Esta seguro de querer eliminar esta cuenta? +BankTransactionByCategories=Entradas bancarias por categorías +BankTransactionForCategory=Entradas bancarias para la categoría %s +RemoveFromRubrique=Eliminar link con categoría +RemoveFromRubriqueConfirm=¿Está seguro de que desea eliminar el vínculo entre la entrada y la categoría? +ListBankTransactions=Lista de entradas bancarias +IdTransaction=# de transacción +BankTransactions=Entradas bancarias +BankTransaction=Entrada bancaria +ListTransactions=Entradas de lista +ListTransactionsByCategory=Lista de entradas / categoría +TransactionsToConciliate=Entradas a conciliar +TransactionsToConciliateShort=Para conciliar +Conciliable=Se puede conciliar +SaveStatementOnly=Guardar solo estado de cuenta +OnlyOpenedAccount=Solo cuentas abiertas +AccountToCredit=Cuenta a acreditar +AccountToDebit=Cuenta para debitar +DisableConciliation=Deshabilitar la función de conciliación para esta cuenta +ConciliationDisabled=Función de conciliación inhabilitada +LinkedToAConciliatedTransaction=Vinculado a una entrada conciliada StatusAccountOpened=Activo StatusAccountClosed=Cerrado +LineRecord=Transacción +AddBankRecord=Añadir entrada +AddBankRecordLong=Agregar entrada manualmente +Conciliated=Conciliado +DateConciliating=Conciliar fecha +BankLineConciliated=Entrada conciliada con recibo bancario +Reconciled=Conciliado +SupplierInvoicePayment=Pago de proveedor +WithdrawalPayment=Orden de pago de débito SocialContributionPayment=Pago de impuestos sociales / fiscales TransferTo=A -Graph=Graficas +TransferFromToDone=La transferencia de %s a %s de %s %s ha sido grabada +CheckTransmitter=Remitente +ValidateCheckReceipt=¿Validar este recibo de cheque? +ConfirmValidateCheckReceipt=¿Está seguro de que desea enviar este recibo de cheque para su validación? Despues no es posible realizar cambios. +DeleteCheckReceipt=¿Eliminar este recibo de cheque? +ConfirmDeleteCheckReceipt=¿Está seguro de que desea eliminar este recibo de cheque? +BankChecks=Cheques bancarios +BankChecksToReceipt=Cheques en espera de ser depositados +BankChecksToReceiptShort=Cheques en espera de ser depositados +ShowCheckReceipt=Mostrar recibo de depósito de cheque +NumberOfCheques=No. de cheque +DeleteTransaction=Eliminar entrada +ConfirmDeleteTransaction=¿Está seguro de que desea eliminar esta entrada? +ThisWillAlsoDeleteBankRecord=Esto también eliminará la entrada bancaria generada +PlannedTransactions=Entradas planificadas +ExportDataset_banque_1=Entradas bancarias y estado de cuenta +ExportDataset_banque_2=Comprobante de depósito +TransactionOnTheOtherAccount=Transacción en la otra cuenta +PaymentNumberUpdateFailed=No se pudo actualizar el número de pago +PaymentDateUpdateFailed=No se pudo actualizar la fecha de pago +BankTransactionLine=Entrada bancaria +AllAccounts=Todas las cuentas bancarias y en efectivo +FutureTransaction=Transacción futura. Incapaz de conciliarse. +SelectChequeTransactionAndGenerate=Seleccione / filtre los cheques que se incluirán en el recibo de depósito de cheques. Luego, haga clic en "Crear". +InputReceiptNumber=Elija el extracto bancario relacionado con la conciliación. Utilice un valor numérico ordenable: AAAAMM o AAAAMMDD (YYYYMM or YYYYMMDD) +EventualyAddCategory=Eventualmente, especifique una categoría en la que clasificar los registros +ToConciliate=¿Para conciliar? +ThenCheckLinesAndConciliate=Luego, verifique las líneas presentes en el extracto bancario y haga clic +DefaultRIB=BAN predeterminado +AllRIB=Todos los BAN +LabelRIB=Etiqueta BAN +NoBANRecord=Sin registro BAN +DeleteARib=Eliminar registro BAN +ConfirmDeleteRib=¿Está seguro de que desea eliminar este registro BAN? +ConfirmRejectCheck=¿Está seguro de que desea marcar este cheque como rechazado? +RejectCheckDate=Fecha en que se devolvió el cheque +CheckRejectedAndInvoicesReopened=Cheque devuelto y reapertura de facturas +BankAccountModelModule=Plantillas de documentos para cuentas bancarias +DocumentModelSepaMandate=Plantilla de mandato SEPA. Útil para países europeos en EEC únicamente. +DocumentModelBan=Plantilla para imprimir una página con información BAN. +NewVariousPayment=Nuevo pago misceláneo +VariousPayment=Pago misceláneo +ShowVariousPayment=Mostrar pago misceláneo +AddVariousPayment=Agregar pago misceláneo +VariousPaymentId=ID de pago misceláneo +ConfirmCloneVariousPayment=Confirmar el duplicado de un pago misceláneo +YourSEPAMandate=Tu mandato SEPA +FindYourSEPAMandate=Este es su mandato SEPA para autorizar a nuestra empresa a realizar una orden de domiciliación bancaria a su banco. Devuélvalo firmado (escaneado del documento firmado) o envíelo por correo a +AutoReportLastAccountStatement=Llene automáticamente el campo 'número de extracto bancario' con el último número de extracto al realizar la conciliación +CashControl=Control de caja POS +BankColorizeMovementDesc=Si esta función está habilitada, puede elegir un color de fondo específico para los movimientos de débito o crédito +BankColorizeMovementName2=Color de fondo para movimiento crediticio +IfYouDontReconcileDisableProperty=Si no realiza las conciliaciones bancarias en algunas cuentas bancarias, desactive la propiedad "%s" para eliminar esta advertencia. diff --git a/htdocs/langs/es_CO/bills.lang b/htdocs/langs/es_CO/bills.lang index 4b9cf5dc637..edc638321f6 100644 --- a/htdocs/langs/es_CO/bills.lang +++ b/htdocs/langs/es_CO/bills.lang @@ -4,6 +4,8 @@ BillsCustomer=Factura del cliente BillsSuppliers=Facturas de proveedores BillsCustomersUnpaid=Facturas impagas a clientes BillsCustomersUnpaidForCompany=Facturas impagas de clientes para %s +BillsSuppliersUnpaid=Facturas de proveedores sin pagar +BillsSuppliersUnpaidForCompany=Facturas de proveedores sin pagar para %s BillsLate=Pagos atrasados BillsStatistics=Estadística de facturas de clientes. DisabledBecauseDispatchedInBookkeeping=Deshabilitado porque la factura fue enviada a la contabilidad. @@ -18,8 +20,10 @@ InvoiceProFormaAsk=Factura de proforma InvoiceProFormaDesc= Factura proforma es una imagen de una factura real pero no tiene valor contable. InvoiceReplacement=Factura de reemplazo InvoiceReplacementAsk=Factura de reemplazo para la factura. +InvoiceReplacementDesc= La factura de reemplazo se utiliza para reemplazar completamente una factura sin pago recibido.

Nota: Solo se pueden reemplazar las facturas sin pago. Si la factura que reemplaza aún no está cerrada, se cerrará automáticamente como 'abandonada'. InvoiceAvoir=Nota de crédito InvoiceAvoirAsk=Nota de crédito para corregir factura +InvoiceAvoirDesc=La nota de crédito es una factura negativa que se utiliza para corregir el hecho de que una factura muestra una cantidad que difiere de la cantidad realmente pagada (por ejemplo, el cliente pagó demasiado por error o no pagará la cantidad completa porque se devolvieron algunos productos) . invoiceAvoirWithLines=Crear nota de crédito con líneas de la factura de origen. invoiceAvoirWithPaymentRestAmount=Crear una nota de crédito con la factura pendiente de origen restante invoiceAvoirLineWithPaymentRestAmount=Nota de crédito por importe restante pendiente de pago @@ -30,6 +34,7 @@ ReplacementByInvoice=Sustituido por factura CorrectInvoice=Factura correcta %s CorrectionInvoice=Factura de correccion UsedByInvoice=Se utiliza para pagar la factura %s +NoReplacableInvoice=Sin facturas reemplazables NoInvoiceToCorrect=No hay factura para corregir InvoiceHasAvoir=Fue fuente de una o varias notas de crédito. CardBill=Tarjeta de factura @@ -37,28 +42,44 @@ PredefinedInvoices=Facturas predefinidas InvoiceCustomer=Factura del cliente CustomerInvoice=Factura del cliente CustomersInvoices=Facturas de clientes +SupplierInvoice=Factura del proveedor SuppliersInvoices=Facturas de proveedores +SupplierInvoiceLines=Líneas de factura del proveedor +SupplierBill=Factura del proveedor SupplierBills=Facturas de proveedores +PaymentBack=Reembolso +CustomerInvoicePaymentBack=Reembolso paymentInInvoiceCurrency=en facturas moneda DeletePayment=Eliminar pago ConfirmDeletePayment=¿Estás seguro de que quieres eliminar este pago? +ConfirmConvertToReduc=¿Quieres convertir este %s en un crédito disponible? +ConfirmConvertToReduc2=El monto se guardará entre todos los descuentos y podría usarse como un descuento para una factura actual o futura para este cliente. +ConfirmConvertToReducSupplier=¿Quieres convertir este %s en un crédito disponible? +ConfirmConvertToReducSupplier2=La cantidad se guardará entre todos los descuentos y podría usarse como un descuento para una factura actual o futura para este proveedor. +SupplierPayments=Pagos a proveedores ReceivedCustomersPayments=Pagos recibidos de los clientes. ReceivedCustomersPaymentsToValid=Recibimos pagos de clientes para validar. PaymentsReportsForYear=Informes de pagos para %s PaymentsAlreadyDone=Pagos ya hechos +PaymentsBackAlreadyDone=Reembolsos ya relizados PaymentRule=Regla de pago PaymentTypeDC=Tarjeta de crédito débito +PaymentTerm=Plazo de pago +PaymentConditions=Términos de pago +PaymentConditionsShort=Términos de pago PaymentHigherThanReminderToPay=Pago más alto que el recordatorio de pago HelpPaymentHigherThanReminderToPay=Atención, el monto de pago de una o más facturas es mayor que el monto pendiente de pago.
Edite su entrada, de lo contrario confirme y considere crear una nota de crédito por el exceso recibido por cada factura pagada en exceso. HelpPaymentHigherThanReminderToPaySupplier=Atención, el monto de pago de una o más facturas es mayor que el monto pendiente de pago.
Edite su entrada, de lo contrario confirme y considere crear una nota de crédito por el exceso pagado por cada factura pagada en exceso. ClassifyPaid=Clasificar 'pagado' +ClassifyUnPaid=Marcar 'Sin Pagar' ClassifyUnBilled=Clasificar 'sin facturar' CreateCreditNote=Crear nota de credito AddBill=Crear factura o nota de crédito -AddToDraftInvoices=Añadir al proyecto de factura +AddToDraftInvoices=Añadir a la factura en borrador DeleteBill=Borrar factura SearchACustomerInvoice=Buscar una factura de cliente CancelBill=Cancelar una factura +SendRemindByMail=Enviar recordatorio por correo electrónico DoPayment=Introducir pago DoPaymentBack=Introducir reembolso ConvertToReduc=Marcar como crédito disponible @@ -90,10 +111,13 @@ BillShortStatusNotRefunded=No reembolsado BillShortStatusClosedUnpaid=Cerrado BillShortStatusClosedPaidPartially=Pagado (parcialmente) ErrorVATIntraNotConfigured=Número de IVA intracomunitario aún no definido +ErrorNoPaiementModeConfigured=No se ha definido ningún tipo de pago predeterminado. Vaya a la configuración del módulo de Factura para solucionar este problema. +ErrorCreateBankAccount=Cree una cuenta bancaria, luego vaya al panel Configuración del módulo Factura para definir los tipos de pago ErrorBillNotFound=La factura %s no existe ErrorInvoiceAlreadyReplaced=Error, intentó validar una factura para reemplazar la factura %s. Pero este ya ha sido reemplazado por la factura %s. ErrorDiscountAlreadyUsed=Error, descuento ya utilizado. ErrorInvoiceAvoirMustBeNegative=Error, la factura correcta debe tener un importe negativo. +ErrorInvoiceOfThisTypeMustBePositive=Error, este tipo de factura debe tener un monto sin impuestos positivo (o nulo) ErrorCantCancelIfReplacementInvoiceNotValidated=Error, no se puede cancelar una factura que ha sido reemplazada por otra factura que aún está en estado de borrador ErrorThisPartOrAnotherIsAlreadyUsedSoDiscountSerieCantBeRemoved=Esta parte u otra ya está en uso, por lo que no se pueden eliminar las series de descuento. BillFrom=De @@ -106,10 +130,13 @@ NotARecurringInvoiceTemplate=No es una factura de plantilla recurrente LastBills=Las últimas facturas %s LatestTemplateInvoices=Las últimas facturas de la plantilla %s LatestCustomerTemplateInvoices=Las últimas facturas de plantilla de cliente %s +LatestSupplierTemplateInvoices=Últimas facturas de plantilla de proveedor %s LastCustomersBills=Las últimas facturas de clientes %s +LastSuppliersBills=Últimas facturas de proveedores %s AllCustomerTemplateInvoices=Todas las facturas de plantilla -DraftBills=Proyectos de facturas -CustomersDraftInvoices=Facturas del proyecto al cliente +DraftBills=Facturas en borrador +CustomersDraftInvoices=Facturas en borrador del cliente +SuppliersDraftInvoices=Facturas en borrador del Proveedor Unpaid=No pagado ConfirmDeleteBill=¿Estás seguro de que quieres borrar esta factura? ConfirmValidateBill=¿Está seguro de que desea validar esta factura con la referencia %s ? @@ -118,6 +145,7 @@ ConfirmClassifyPaidBill=¿Está seguro de que desea cambiar la factura %s %s ? ConfirmCancelBillQuestion=¿Por qué quiere clasificar esta factura 'abandonada'? ConfirmClassifyPaidPartially=¿Está seguro de que desea cambiar la factura %s al estado pagado? +ConfirmClassifyPaidPartiallyQuestion=Esta factura no se ha pagado en su totalidad. ¿Cuál es el motivo para cerrar esta factura? ConfirmClassifyPaidPartiallyReasonAvoir=El resto no pagado (%s %s) es un descuento otorgado porque el pago se realizó antes del término. Regularizo el IVA con una nota de crédito. ConfirmClassifyPaidPartiallyReasonDiscount=El resto no pagado (%s %s) es un descuento otorgado porque el pago se realizó antes del término. ConfirmClassifyPaidPartiallyReasonDiscountNoVat=El resto no pagado (%s %s) es un descuento otorgado porque el pago se realizó antes del término. Acepto perder el IVA en este descuento. @@ -140,6 +168,17 @@ NumberOfBillsByMonth=Nº de facturas al mes. AmountOfBills=Cantidad de facturas AmountOfBillsHT=Importe de las facturas (neto de impuestos) AmountOfBillsByMonthHT=Monto de facturas por mes (neto de impuestos) +UseSituationInvoicesCreditNote=Permitir nota de crédito de factura de situación +RetainedwarrantyOnlyForSituation=Hacer que la "garantía retenida" esté disponible solo para facturas de situación +RetainedwarrantyOnlyForSituationFinal=En las facturas de situación, la deducción global por "garantía retenida" se aplica solo en la situación final. +toPayOn=para pagar en %s +PaymentConditionsShortRetainedWarranty=Condiciones de pago de garantía retenidas +DefaultPaymentConditionsRetainedWarranty=Condiciones de pago predeterminadas de la garantía retenida +setPaymentConditionsShortRetainedWarranty=Establecer las condiciones de pago de la garantía retenida +setretainedwarranty=Establecer garantía retenida +setretainedwarrantyDateLimit=Establecer límite de fecha de garantía retenida +RetainedWarrantyDateLimit=Límite de fecha de garantía retenida +RetainedWarrantyNeed100Percent=La factura de situación debe estar en 100%% de progreso para mostrarse en PDF AlreadyPaidBack=Ya pagado AlreadyPaidNoCreditNotesNoDeposits=Ya pagado (sin notas de crédito y pagos iniciales) Abandoned=Abandonado @@ -152,9 +191,9 @@ ExcessPaid=Exceso pagado EscompteOffered=Descuento ofrecido (pago antes de plazo) SendBillRef=Envío de factura %s SendReminderBillRef=Presentación de la factura %s (recordatorio) -NoDraftBills=No hay proyectos de facturas -NoOtherDraftBills=No hay otros proyectos de facturas -NoDraftInvoices=No hay proyectos de facturas +NoDraftBills=No hay facturas en borrador +NoOtherDraftBills=No hay otras facturas en borrador +NoDraftInvoices=No hay facturas en borrador RefBill=Factura ref ToBill=Cobrar RemainderToBill=Resto a facturar @@ -168,8 +207,11 @@ DateInvoice=Fecha de la factura DatePointOfTax=Punto de impuesto NoInvoice=Sin factura ClassifyBill=Clasificar factura +SupplierBillsToPay=Facturas de proveedores sin pagar CustomerBillsUnpaid=Facturas impagas a clientes NonPercuRecuperable=No recuperable +SetConditions=Establecer condiciones de pago +SetMode=Establecer tipo de pago SetRevenuStamp=Establecer sello de ingresos RepeatableInvoice=Factura de plantilla RepeatableInvoices=Facturas de plantillas @@ -180,12 +222,16 @@ CustomersInvoicesAndInvoiceLines=Facturas del cliente y detalles de la factura. CustomersInvoicesAndPayments=Facturas y pagos de clientes. ExportDataset_invoice_1=Facturas del cliente y detalles de la factura. ExportDataset_invoice_2=Facturas y pagos de clientes. +ReductionShort=Desct. Reductions=Reducciones +ReductionsShort=Desct. AddDiscount=Crear descuento AddGlobalDiscount=Crear descuento absoluto EditGlobalDiscounts=Editar descuentos absolutos AddCreditNote=Crear nota de credito ShowDiscount=Mostrar descuento +ShowReduc=Mostrar el descuento +ShowSourceInvoice=Mostrar la factura de origen GlobalDiscount=Descuento global CreditNote=Nota de crédito CreditNotes=Notas de credito @@ -216,18 +262,25 @@ InvoiceRef=Factura ref. InvoiceDateCreation=Fecha de creación de la factura. InvoiceStatus=Estado de la factura InvoiceNote=Nota de factura +InvoicePaidCompletely=Pagado completamente +InvoicePaidCompletelyHelp=Factura que se paga íntegramente. Esto excluye las facturas que se pagan parcialmente. Para obtener una lista de todas las facturas 'Cerradas' o no 'Cerradas', prefiera utilizar un filtro en el estado de la factura. +OrderBilled=Orden facturada PaymentNumber=Numero de pago -WatermarkOnDraftBill=Marca de agua en el proyecto de facturas (nada si está vacío) +WatermarkOnDraftBill=Marca de agua en facturas en borrador (nada si está vacío) InvoiceNotChecked=Ninguna factura seleccionada ConfirmCloneInvoice=¿Está seguro de que desea clonar esta factura %s ? DisabledBecauseReplacedInvoice=Acción deshabilitada porque la factura ha sido sustituida. +DescTaxAndDividendsArea=Esta área presenta un resumen de todos los pagos realizados por gastos especiales. Aquí solo se incluyen los registros con pagos durante el año fijo. NbOfPayments=No. de pagos SplitDiscount=Descuento dividido en dos +ConfirmSplitDiscount=¿Está seguro de que desea dividir este descuento de %s %s en dos descuentos más pequeños? TypeAmountOfEachNewDiscount=Cantidad de entrada para cada una de dos partes: +TotalOfTwoDiscountMustEqualsOriginal=El total de los dos nuevos descuentos debe ser igual al monto del descuento original. ConfirmRemoveDiscount=¿Estás seguro de que quieres eliminar este descuento? RelatedBill=Factura relacionada RelatedBills=Facturas relacionadas RelatedCustomerInvoices=Facturas de clientes relacionadas +RelatedSupplierInvoices=Facturas de proveedores relacionadas WarningBillExist=Advertencia, una o más facturas ya existen MergingPDFTool=Fusionando herramienta PDF AmountPaymentDistributedOnInvoice=Importe del pago distribuido en factura. @@ -246,12 +299,15 @@ NextDateToExecution=Fecha para la próxima generación de facturas. NextDateToExecutionShort=Fecha siguiente gen. DateLastGeneration=Fecha de última generación. DateLastGenerationShort=Fecha ultima gen. +MaxPeriodNumber=Número máximo de generación de facturas NbOfGenerationDone=Número de generación de facturas ya realizada. +NbOfGenerationOfRecordDone=Número de generación de registros ya realizados NbOfGenerationDoneShort=Número de generación realizada MaxGenerationReached=Número máximo de generaciones alcanzadas GeneratedFromRecurringInvoice=Generado a partir de plantilla factura recurrente %s DateIsNotEnough=Fecha no alcanzada todavía InvoiceGeneratedFromTemplate=Factura %s generada a partir de la factura recurrente de la plantilla %s +GeneratedFromTemplate=Generado a partir de la plantilla de factura %s WarningInvoiceDateInFuture=Advertencia, la fecha de la factura es mayor que la fecha actual WarningInvoiceDateTooFarInFuture=Advertencia, la fecha de la factura está demasiado lejos de la fecha actual ViewAvailableGlobalDiscounts=Ver descuentos disponibles @@ -274,7 +330,9 @@ 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 - 1 línea con etiqueta '%s' VarAmount=Cantidad variable (%% tot.) +VarAmountAllLines=Cantidad variable (%% tot.): Todas las líneas desde el origen PaymentTypeVIR=transferencia bancaria PaymentTypeShortVIR=transferencia bancaria PaymentTypePRE=Orden de pago de domiciliación bancaria @@ -288,16 +346,23 @@ PaymentTypeShortTIP=TIP Pago PaymentTypeTRA=giro bancario BankDetails=Cuentas bancarias BankCode=codigo bancario +DeskCode=Código de sucursal BankAccountNumber=Número de cuenta +BankAccountNumberKey=Suma de comprobación +CustomerIBAN=IBAN de cliente BIC=BIC / SWIFT ExtraInfos=Infos extra RegulatedOn=Regulado en ChequeNumber=Compruebe N ° ChequeOrTransferNumber=Cheque / Transferencia N ° ChequeBordereau=Consultar horario -ChequeMaker=Comprobar / transferir transmisor +ChequeMaker=Verificar / Transferir remitente ChequeBank=Banco de cheques PrettyLittleSentence=Acepte la cantidad de pagos adeudados por cheques emitidos en mi nombre como Miembro de una asociación contable aprobada por la Administración Fiscal. +IntracommunityVATNumber=ID de IVA intracomunitario +PaymentByChequeOrderedTo=Los pagos con cheque (impuestos incluidos) deben pagarse a %s, enviar a +PaymentByChequeOrderedToShort=Los pagos con cheque (impuestos incluidos) se pagan a +PaymentByTransferOnThisBankAccount=Pago mediante transferencia a la siguiente cuenta bancaria VATIsNotUsedForInvoice=* IVA no aplicable art-293B de CGI LawApplicationPart1=Por aplicación de la ley 80.335 de 12/05/80. LawApplicationPart2=los bienes siguen siendo propiedad de @@ -307,10 +372,16 @@ LimitedLiabilityCompanyCapital=SARL con Capital de UseDiscount=Usar descuento UseCredit=Usar credito UseCreditNoteInInvoicePayment=Reducir la cantidad a pagar con este crédito. +MenuChequeDeposits=Verificar depósitos MenuCheques=Cheques +MenuChequesReceipts=Verificar recibos NewChequeDeposit=Nuevo deposito +ChequesReceipts=Verificar recibos +ChequesArea=Consultar área de depósitos +ChequeDeposits=Depósitos de cheques DepositId=Depósito de identificación CreditNoteConvertedIntoDiscount=Este %s se ha convertido en %s +UsBillingContactAsIncoiveRecipientIfExist=Utilice el contacto / dirección con el tipo 'contacto de facturación' en lugar de la dirección de un tercero como destinatario de las facturas ShowUnpaidAll=Mostrar todas las facturas pendientes de pago ShowUnpaidLateOnly=Mostrar solo las facturas atrasadas sin pagar PaymentInvoiceRef=Factura de pago %s @@ -318,21 +389,41 @@ ValidateInvoices=Validar facturas Reported=Retrasado DisabledBecausePayments=No es posible ya que hay algunos pagos. CantRemovePaymentWithOneInvoicePaid=No se puede eliminar el pago ya que hay al menos una factura clasificada pagada +CantRemovePaymentVATPaid=No se puede eliminar el pago porque la declaración de IVA esta marcada como pagada +CantRemovePaymentSalaryPaid=No puede eliminar el pago porque el salario esta marcado como pagado ExpectedToPay=Pago esperado CantRemoveConciliatedPayment=No se puede eliminar el pago reconciliado PayedByThisPayment=Pagado por este pago +ClosePaidInvoicesAutomatically=Marca automáticamente todas las facturas estándar, de anticipo o de reemplazo como "Pagadas" cuando el pago se haya realizado en su totalidad. +ClosePaidCreditNotesAutomatically=Marca automáticamente todas las notas de crédito como "Pagadas" cuando el reembolso se realiza en su totalidad. +ClosePaidContributionsAutomatically=Marca automáticamente todas las contribuciones fiscales como "Pagadas" cuando el pago se realiza en su totalidad. +ClosePaidVATAutomatically=Marca automáticamente la declaración de IVA como "Pagada" cuando el pago se realiza en su totalidad. +ClosePaidSalaryAutomatically=Marca automáticamente el salario como "Pagado" cuando el pago se realiza en su totalidad. +AllCompletelyPayedInvoiceWillBeClosed=Todas las facturas sin remanente por pagar se cerrarán automáticamente con el estado "Pagado". ToMakePayment=Paga ToMakePaymentBack=Pagar 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 impuestos +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 PDF Crabe. Una plantilla de factura completa (implementación antigua de la plantilla Sponge) 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=Devuelve un número con el formato %syymm-nnnn para facturas estándar y %syymm-nnnn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 +MarsNumRefModelDesc1=Devuelve un número con el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para facturas de reemplazo, %syymm-nnnn para facturas de anticipos y %s yymm-nn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 TerreNumRefModelError=Ya existe una factura que comienza con $ syymm y no es compatible con este modelo de secuencia. Quítalo o renómbrelo para activar este módulo. -TypeContact_facture_internal_SALESREPFOLL=Representante de seguimiento de la factura del cliente. +CactusNumRefModelDesc1=Devuelve un número con el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para notas de crédito y %syymm-nnnn para facturas de anticipo donde yy es año, mm es un mes y nnnnn es un número secuencial de incremento automático sin interrupción ni retorno a 0 +EarlyClosingReason=Razón de cierre anticipado +TypeContact_facture_internal_SALESREPFOLL=Representante en seguimiento de la factura del cliente. TypeContact_facture_external_BILLING=Contacto factura cliente TypeContact_facture_external_SHIPPING=Contacto de envío del cliente TypeContact_facture_external_SERVICE=Contacto de servicio al cliente +TypeContact_invoice_supplier_internal_SALESREPFOLL=Representante en seguimiento de factura de proveedor +TypeContact_invoice_supplier_external_BILLING=Contacto de facturación del proveedor +TypeContact_invoice_supplier_external_SHIPPING=Contacto de despacho del proveedor +TypeContact_invoice_supplier_external_SERVICE=Contacto del proveedor de servicio InvoiceFirstSituationAsk=Primera situación factura InvoiceFirstSituationDesc=Las facturas de situación están vinculadas a situaciones relacionadas con una progresión, por ejemplo, la progresión de una construcción. Cada situación está vinculada a una factura. InvoiceSituation=Factura de situacion @@ -356,13 +447,17 @@ InvoiceSituationLast=Factura final y general. PDFCrevetteSituationNumber=Situación N ° %s PDFCrevetteSituationInvoiceLineDecompte=Factura situación - COUNT PDFCrevetteSituationInvoiceTitle=Factura de situacion +PDFCrevetteSituationInvoiceLine=Situación N ° %s: Inv. N ° %s en %s TotalSituationInvoice=Situación total invoiceLineProgressError=El progreso de la línea de factura no puede ser mayor o igual que la línea de factura siguiente -ToCreateARecurringInvoice=Para crear una factura recurrente para este contrato, primero cree esta factura borrador, luego conviértala en una plantilla de factura y defina la frecuencia para la generación de facturas futuras. +updatePriceNextInvoiceErrorUpdateline=Error: actualizar el precio en la línea %s de la factura +ToCreateARecurringInvoice=Para crear una factura recurrente para este contrato, primero cree esta factura en borrador, luego conviértala en una plantilla de factura y defina la frecuencia para la generación de facturas futuras. ToCreateARecurringInvoiceGene=Para generar facturas futuras de forma regular y manual, simplemente vaya al menú %s - %s - %s . +ToCreateARecurringInvoiceGeneAuto=Si necesita que dichas facturas se generen automáticamente, solicite a su administrador que habilite y configure el módulo %s . Tenga en cuenta que ambos métodos (manual y automático) se pueden utilizar juntos sin riesgo de duplicación. DeleteRepeatableInvoice=Eliminar factura de plantilla ConfirmDeleteRepeatableInvoice=¿Está seguro de que desea eliminar la plantilla de factura? CreateOneBillByThird=Cree una factura por tercero (de lo contrario, una factura por pedido) +BillCreated=%s factura(s) generada(s) StatusOfGeneratedDocuments=Estado de generación de documentos AutogenerateDoc=Auto generar archivo de documento AutoFillDateFrom=Establecer fecha de inicio para línea de servicio con fecha de factura @@ -370,3 +465,5 @@ AutoFillDateFromShort=Establecer fecha de inicio AutoFillDateTo=Establecer la fecha de finalización de la línea de servicio con la próxima fecha de factura AutoFillDateToShort=Fijar fecha de finalización MaxNumberOfGenerationReached=Número máximo de gen. alcanzado +CustomersInvoicesArea=Área de facturación de clientes +SituationTotalRayToRest=Restante a pagar sin impuestos diff --git a/htdocs/langs/es_CO/bookmarks.lang b/htdocs/langs/es_CO/bookmarks.lang new file mode 100644 index 00000000000..671225fc022 --- /dev/null +++ b/htdocs/langs/es_CO/bookmarks.lang @@ -0,0 +1,11 @@ +# Dolibarr language file - Source file is en_US - bookmarks +AddThisPageToBookmarks=Agregar la página actual a los marcadores +ListOfBookmarks=Lista de marcadores +EditBookmarks=Listar / editar marcadores +ShowBookmark=Mostrar marcador +ReplaceWindow=Reemplazar pestaña actual +BehaviourOnClick=Comportamiento cuando se selecciona una URL de marcador +SetHereATitleForLink=Establecer un nombre para el marcador +UseAnExternalHttpLinkOrRelativeDolibarrLink=Utilice un enlace externo/absoluto (https://URL) o un enlace interno/relativo (/DOLIBARR_ROOT/htdocs /...) +ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Elija si la página vinculada debe abrirse en la pestaña actual o en una nueva pestaña +BookmarksMenuShortCut=Ctrl + Mayús + m diff --git a/htdocs/langs/es_CO/companies.lang b/htdocs/langs/es_CO/companies.lang index a36f326f311..51c444c4d9b 100644 --- a/htdocs/langs/es_CO/companies.lang +++ b/htdocs/langs/es_CO/companies.lang @@ -1,22 +1,124 @@ # Dolibarr language file - Source file is en_US - companies -ConfirmDeleteContact=Está seguro de borrar este contacto y todas la información relacionada? +MenuNewProspect=Nuevo prospecto NewCompany=Nueva compañía (prospecto, cliente, vendedor) CreateDolibarrThirdPartySupplier=Crear un tercero (vendedor) +CreateThirdPartyAndContact=Crear un contacto de terceros + un contact vinculado +ThirdPartyContacts=Contactos de terceros +ThirdPartyContact=Contacto / dirección de terceros +AliasNames=Nombre de alias (comercial, marca registrada, ...) +AliasNameShort=Alias +CountryIsInEEC=El país está dentro de la Comunidad Económica Europea +PriceFormatInCurrentLanguage=Formato de visualización de precios en el idioma y la moneda actuales +ThirdPartyName=Nombre de terceros +ThirdPartyEmail=Correo electrónico de terceros +ThirdPartyType=Tipo de terceros +ToCreateContactWithSameName=Creará automáticamente un contacto/dirección con la misma información que el tercero bajo el tercero. En la mayoría de los casos, incluso si su tercero es una persona física, crear un tercero solo es suficiente. ParentCompany=Sede principal Subsidiaries=Sucursales RegisteredOffice=Domicilio principal State=Departamento +StateCode=Siglas del Departamento +StateShort=Departamento +Region-State=Región +PhonePro=Autobús. teléfono PhonePerso=Teléf. personal +No_Email=Rechazar correos electrónicos masivos +VATIsUsed=Impuesto sobre las ventas utilizado +VATIsUsedWhenSelling=Define si este tercero incluye un impuesto a las ventas o no cuando realiza una factura a sus propios clientes. VATIsNotUsed=No sujeto a IVA +CopyAddressFromSoc=Copiar dirección de los datos de un tercero +ThirdpartyNotCustomerNotSupplierSoNoRef=Tercero (cliente o proveedor), sin objetos de referencia disponibles +ThirdpartyIsNeitherCustomerNorClientSoCannotHaveDiscounts=Tercero (cliente o proveedor), sin descuentos disponibles +PaymentBankAccount=Pago cuenta bancaria OverAllProposals=Propuestas +OverAllOrders=Ordenes +OverAllSupplierProposals=Solicitudes de precio +LocalTax1IsUsed=Utilice el segundo impuesto +LocalTax2IsUsed=Utilice el tercer impuesto +WrongSupplierCode=Código de proveedor no válido +SupplierCodeModel=Modelo de código de proveedor ProfId1AT=Id prof. 1 (USt.-IdNr) ProfId2AT=Id prof. 2 (USt.-Nr) ProfId3AT=Id prof. 3 (Handelsregister-Nr.) ProfId2CO=Identificación (CC, NIT, CE) ProfId3CO=CIIU +ProfId1ShortFR=SIRENA +ProfId1LU=Identificación. profe. 1 (R.C.S. Luxemburgo) +ProfId2LU=Identificación. profe. 2 (permiso comercial) +ProfId2DZ=Arte. +VATIntra=RUT +VATIntraShort=RUT +VATReturn=Devolución de IVA +SupplierRelativeDiscount=Descuento relativo del proveedor +HasRelativeDiscountFromSupplier=Tiene un descuento predeterminado de %s%% de este proveedor +HasNoRelativeDiscountFromSupplier=No tiene ningún descuento relativo predeterminado de este proveedor +CompanyHasAbsoluteDiscount=Este cliente tiene descuentos disponibles (notas de crédito o anticipos) para %s %s +CompanyHasDownPaymentOrCommercialDiscount=Este cliente tiene descuentos disponibles (comerciales, anticipos) para %s %s CompanyHasCreditNote=Este cliente tiene %s %s anticipos disponibles +HasNoAbsoluteDiscountFromSupplier=No tiene crédito de descuento disponible de este proveedor +HasAbsoluteDiscountFromSupplier=Tiene descuentos disponibles (notas de crédito o anticipos) para %s %s de este proveedor +HasDownPaymentOrCommercialDiscountFromSupplier=Tiene descuentos disponibles (comerciales, anticipos) para %s %s de este proveedor +HasCreditNoteFromSupplier=Tiene notas de crédito para %s %s de este proveedor +CustomerAbsoluteDiscountAllUsers=Descuentos absolutos para los clientes (otorgados por todos los usuarios) +CustomerAbsoluteDiscountMy=Descuentos absolutos para clientes (otorgados por usted mismo) +SupplierAbsoluteDiscountAllUsers=Descuentos absolutos de proveedores (ingresados por todos los usuarios) +SupplierAbsoluteDiscountMy=Descuentos absolutos de proveedores (ingresados por usted mismo) +Contact=Dirección de contacto +ContactId=ID de contacto +ContactByDefaultFor=Contacto/dirección predeterminada para +CustomerCode=Código de cliente +SupplierCode=Código de proveedor +CustomerCodeShort=Código de cliente +SupplierCodeShort=Código de proveedor +CustomerCodeDesc=Código de cliente, único para todos los clientes +SupplierCodeDesc=Código de proveedor, único para todos los proveedores +RequiredIfSupplier=Requerido si el tercero es un proveedor +ValidityControledByModule=Validez controlada por el módulo +ThisIsModuleRules=Reglas para este módulo +ListOfThirdParties=Lista de terceros +ShowContact=Dirección de contacto +ContactForOrdersOrShipments=Contacto del pedido o del envío +NoContactForAnyOrderOrShipments=Este contacto no es un contacto para ningún pedido o envío. NoContactForAnyProposal=Este contacto no es contacto de ningúna cotización +NewContactAddress=Nuevo contacto/dirección +ThisUserIsNot=Este usuario no es un cliente potencial, cliente o proveedor. +VATIntraCheckDesc=El número de identificación fiscal debe incluir el prefijo del país. El enlace %s utiliza el servicio de verificación de IVA europeo (VIES) que requiere acceso a Internet desde el servidor Dolibarr. VATIntraCheckURL=http://www.rues.org.co/RUES_Web/Consultas#tabs-3 +VATIntraCheckableOnEUSite=Verifique el ID de IVA intracomunitario en el sitio web de la Comisión Europea +VATIntraManualCheck=También puede consultar manualmente en el sitio web de la Comisión Europea %s +NorProspectNorCustomer=No prospecto, ni cliente +StatusProspect1=Para ser contactado +ChangeToContact=Cambiar el estado a 'Para ser contactado' +ExportDataset_company_1=Terceros (empresas / fundaciones / personas físicas) y sus propiedades +ImportDataset_company_1=Terceros y sus propiedades +ImportDataset_company_2=Contactos/direcciones y atributos adicionales de terceros +ImportDataset_company_4=Representantes de ventas de terceros (asignar representantes de ventas / usuarios a las empresas) +PriceLevelLabels=Etiquetas de nivel de precio ConfirmDeleteFile=¿Está seguro que quiere eliminar este archivo? +AllocateCommercial=Asignado al representante de ventas +FiscalYearInformation=Año fiscal +SocialNetworksYoutubeURL=URL de Youtube +YouMustAssignUserMailFirst=Debe crear un correo electrónico para este usuario antes de poder agregar una notificación por correo electrónico. +YouMustCreateContactFirst=Para poder agregar notificaciones por correo electrónico, primero debe definir contactos con correos electrónicos válidos para el tercero +ListSuppliersShort=Lista de proveedores +ListProspectsShort=Lista de prospectos +ListCustomersShort=Lista de clientes +ThirdPartiesArea=Terceros / Contactos +ThirdPartyIsClosed=Tercero está cerrado +OutstandingBillReached=Max. alcanzado por factura pendiente +OrderMinAmount=Importe mínimo por pedido +MonkeyNumRefModelDesc=Devuelve un número con el formato %syymm-nnnn para el código de cliente y %syymm-nnnn para el código de proveedor donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción y sin retorno a 0. ManagingDirectors=Administrador(es) (CEO, gerente, director, presidente, etc.) +MergeOriginThirdparty=Tercero duplicado (tercero que desea eliminar) +ConfirmMergeThirdparties=¿Está seguro de que desea fusionar el tercero elegido con el actual? Todos los objetos vinculados (facturas, ordenes, ...) se moverán al tercero actual, después de lo cual se eliminará el tercero elegido. +ThirdpartiesMergeSuccess=Los terceros se han fusionado +SaleRepresentativeLogin=Inicio de sesión del representante de ventas +SaleRepresentativeFirstname=Nombre del representante de ventas +SaleRepresentativeLastname=Apellido del representante de ventas +ErrorThirdpartiesMerge=Hubo un error al eliminar a los terceros. Por favor revise el registro. Se han revertido los cambios. +KeepEmptyIfGenericAddress=Mantenga este campo vacío si esta dirección es una dirección genérica +PaymentTermsSupplier=Plazo de pago - Proveedor +PaymentTypeBoth=Tipo de pago - Cliente y proveedor +MulticurrencyUsed=Usar multidivisa MulticurrencyCurrency=Moneda +CurrentOutstandingBillLate=Factura por pagar: Atrasada diff --git a/htdocs/langs/es_CO/compta.lang b/htdocs/langs/es_CO/compta.lang index 0b16bb527cd..6fd29d19db3 100644 --- a/htdocs/langs/es_CO/compta.lang +++ b/htdocs/langs/es_CO/compta.lang @@ -52,10 +52,12 @@ LT2CustomerES=Ventas de IRPF LT2SupplierES=Compras IRPF VATCollected=IVA recaudado SpecialExpensesArea=Área para todos los pagos especiales. +VATExpensesArea=Área para todos los pagos de TVA SocialContribution=Impuesto social o fiscal SocialContributions=Impuestos sociales o fiscales. SocialContributionsDeductibles=Impuestos sociales o fiscales deducibles. SocialContributionsNondeductibles=Impuestos sociales o fiscales no deducibles. +DateOfSocialContribution=Fecha de impuesto fiscal LabelContrib=Contribución de la etiqueta TypeContrib=Tipo de contribución MenuSpecialExpenses=Gastos especiales @@ -93,6 +95,7 @@ NewLocalTaxPayment=Nuevo pago de impuestos %s Refund=Reembolso SocialContributionsPayments=Pago de impuestos sociales / fiscales ShowVatPayment=Mostrar pago del IVA +BalanceVisibilityDependsOnSortAndFilters=El saldo es visible en esta lista solo si la tabla está ordenada en %s y filtrada en 1 cuenta bancaria (sin otros filtros) CustomerAccountancyCode=Código de contabilidad del cliente SupplierAccountancyCode=Código contable del proveedor CustomerAccountancyCodeShort=Cust. cuenta. código @@ -110,10 +113,11 @@ NewCheckReceipt=Nuevo descuento NewCheckDeposit=Depósito de cheque nuevo NewCheckDepositOn=Crear un recibo para el depósito en cuenta: %s NoWaitingChecks=No hay cheques a la espera de depósito. -DateChequeReceived=Verifique la fecha de recepción NbOfCheques=No. de cheques PaySocialContribution=Pagar un impuesto social / fiscal +ConfirmPaySocialContribution=¿Seguro que quiere clasificar este impuesto fiscal como pagado? DeleteSocialContribution=Eliminar un pago fiscal social o fiscal. +ConfirmDeleteSocialContribution=¿Está seguro de que desea eliminar este pago de impuestos fiscales? ExportDataset_tax_1=Impuestos y pagos sociales y fiscales. CalcModeVATDebt=Modo %sVAT en contabilidad de compromiso%s . CalcModeVATEngagement=Modo %sVAT en ingresos-expenses%s . @@ -130,6 +134,9 @@ AnnualSummaryInputOutputMode=Balance de ingresos y gastos, resumen anual. AnnualByCompanies=Saldo de ingresos y gastos, por grupos de cuentas predefinidos. AnnualByCompaniesDueDebtMode=Balance de ingresos y gastos, detalle por grupos predefinidos, modo %sClaims-Debts%s dijo Contabilidad de compromisos . AnnualByCompaniesInputOutputMode=Balance de ingresos y gastos, detalle por grupos predefinidos, modo %sIncomes-Expenses%s , dijo contabilidad de caja . +SeeReportInInputOutputMode=Consulte %sanálisis de pagos%s para obtener un cálculo basado en pagos registrados realizados incluso si aún no están contabilizados en el libro mayor +SeeReportInDueDebtMode=Consulte %sanálisis de documentos registrados%s para obtener un cálculo basado en documentos registrados conocidos incluso si aún no están contabilizados en el libro mayor +SeeReportInBookkeepingMode=Consulte %sanálisis de la tabla de contabilidad contable%s para obtener un informe basado en Tabla de contabilidad contable RulesAmountWithTaxIncluded=- Las cantidades mostradas están con todos los impuestos incluidos. RulesResultDue=- Incluye facturas pendientes, gastos, IVA, donaciones ya sean pagadas o no. También incluye salarios pagados.
- Se basa en la fecha de facturación de las facturas y en la fecha de vencimiento de los gastos o pagos de impuestos. Para los salarios definidos con el módulo Salario, se utiliza la fecha de pago del valor. RulesResultInOut=- Incluye los pagos reales realizados en facturas, gastos, IVA y salarios.
- Se basa en las fechas de pago de las facturas, gastos, IVA y salarios. La fecha de donación para la donación. @@ -148,6 +155,7 @@ LT1ReportByCustomersES=Reporte por parte de terceros RE LT2ReportByCustomersES=Reporte por parte de terceros IRPF VATReport=Informe de impuestos de venta VATReportByPeriods=Informe de impuestos de venta por periodo +VATReportByMonth=Informe de impuestos sobre las ventas por mes VATReportByRates=Informe fiscal de venta por tasas. VATReportByThirdParties=Informe fiscal de venta por terceros. VATReportByCustomers=Informe fiscal de venta por cliente. @@ -196,6 +204,8 @@ ACCOUNTING_ACCOUNT_CUSTOMER_Desc=La cuenta contable dedicada definida en la tarj ACCOUNTING_ACCOUNT_SUPPLIER=Cuenta contable utilizada para terceros proveedores. ACCOUNTING_ACCOUNT_SUPPLIER_Desc=La cuenta de contabilidad dedicada definida en la tarjeta de un tercero se usará solo para la contabilidad del Libro auxiliar. Este se usará para el Libro mayor y como valor predeterminado de la contabilidad del libro auxiliar si no se define la cuenta de contabilidad del proveedor dedicada en un tercero. ConfirmCloneTax=Confirmar el clon de un impuesto social / fiscal. +ConfirmCloneVAT=Confirmar el duplicado de una declaración de IVA +ConfirmCloneSalary=Confirmar el duplicado de un salario CloneTaxForNextMonth=Clonala para el mes que viene. SimpleReport=Informe simple AddExtraReport=Informes adicionales (agregar informe de clientes extranjeros y nacionales) diff --git a/htdocs/langs/es_CO/deliveries.lang b/htdocs/langs/es_CO/deliveries.lang index 9e1379e60f9..6c1d382341d 100644 --- a/htdocs/langs/es_CO/deliveries.lang +++ b/htdocs/langs/es_CO/deliveries.lang @@ -1,3 +1,25 @@ # Dolibarr language file - Source file is en_US - deliveries Delivery=Entrega +DeliveryRef=Ref de entrega +DeliveryCard=Tarjeta de recibo +DeliveryOrder=Recibo de entrega +CreateDeliveryOrder=Generar recibo de entrega +SetDeliveryDate=Establecer fecha de envío +ValidateDeliveryReceipt=Validar recibo de entrega +ValidateDeliveryReceiptConfirm=¿Está seguro de que desea validar este recibo de entrega? +DeleteDeliveryReceipt=Eliminar recibo de entrega +DeleteDeliveryReceiptConfirm=¿Está seguro de que desea eliminar el recibo de entrega %s ? +DeliveryMethod=Método de entrega +TrackingNumber=El número de rastreo +DeliveryNotValidated=Entrega no validada StatusDeliveryCanceled=Cancelado +NameAndSignature=Nombre y firma: +ToAndDate=Para___________________________________ el ____ / _____ / __________ +GoodStatusDeclaration=Haber recibido los productos anteriores en buenas condiciones, +Deliverer=Quien entrega: +Sender=Remitente +Recipient=Recipiente +NonShippable=No se puede enviar +ShowShippableStatus=Mostrar estado de envío +ShowReceiving=Mostrar recibo de entrega +NonExistentOrder=Orden inexistente diff --git a/htdocs/langs/es_CO/donations.lang b/htdocs/langs/es_CO/donations.lang index c1000d846ef..10bcd81f206 100644 --- a/htdocs/langs/es_CO/donations.lang +++ b/htdocs/langs/es_CO/donations.lang @@ -1,4 +1,17 @@ # Dolibarr language file - Source file is en_US - donations +DonationRef=Ref. de Donación +ConfirmDeleteADonation=¿Estás seguro de que deseas eliminar esta donación? +DonationStatusPromiseNotValidated=Borrador de promesa +DonationStatusPaid=Donación recibida DonationStatusPromiseNotValidatedShort=Borrador DonationStatusPromiseValidatedShort=Validado DonationStatusPaidShort=Recibido +DonationsModels=Modelos de documentos para recibos de donaciones +LastModifiedDonations=Últimas donaciones modificadas %s +DonationRecipient=Destinatario de la donación +IConfirmDonationReception=El destinatario declara haber recibido, como donación, la siguiente cantidad +MinimumAmount=La cantidad mínima es %s +FreeTextOnDonations=Texto libre para mostrar en pie de página +DONATION_ART200=Muestre el artículo 200 de CGI si está preocupado +DONATION_ART238=Muestre el artículo 238 de CGI si está preocupado +DONATION_ART885=Muestre el artículo 885 de CGI si está preocupado diff --git a/htdocs/langs/es_CO/errors.lang b/htdocs/langs/es_CO/errors.lang new file mode 100644 index 00000000000..de15fc3fbda --- /dev/null +++ b/htdocs/langs/es_CO/errors.lang @@ -0,0 +1,234 @@ +# Dolibarr language file - Source file is en_US - errors +NoErrorCommitIsDone=Sin error, nos comprometemos +ErrorButCommitIsDone=Errores encontrados pero validamos a pesar de esto +ErrorBadValueForParamNotAString=Mal valor para su parámetro. Generalmente se adjunta cuando falta la traducción. +ErrorRefAlreadyExists=La referencia %s ya existe. +ErrorLoginAlreadyExists=El inicio de sesión %s ya existe. +ErrorRecordNotFound=Registro no encontrado. +ErrorFailToCopyFile=Error al copiar el archivo ' %s ' en ' %s '. +ErrorFailToCopyDir=Error al copiar el directorio ' %s ' en ' %s '. +ErrorFailToRenameFile=No se pudo cambiar el nombre del archivo ' %s ' a ' %s '. +ErrorFailToDeleteFile=Error al eliminar el archivo ' %s '. +ErrorFailToCreateFile=Error al crear el archivo ' %s '. +ErrorFailToRenameDir=No se pudo cambiar el nombre del directorio ' %s ' a ' %s '. +ErrorFailToCreateDir=Error al crear el directorio ' %s '. +ErrorFailToDeleteDir=Error al eliminar el directorio ' %s '. +ErrorFailToMakeReplacementInto=No se pudo realizar el reemplazo en el archivo ' %s '. +ErrorFailToGenerateFile=Error al generar el archivo ' %s '. +ErrorCashAccountAcceptsOnlyCashMoney=Esta cuenta bancaria es una cuenta de efectivo, por lo que acepta pagos de tipo efectivo únicamente. +ErrorFromToAccountsMustDiffers=Las cuentas bancarias de origen y destino deben ser diferentes. +ErrorBadThirdPartyName=Valor incorrecto para el nombre de un tercero +ErrorBadCustomerCodeSyntax=Sintaxis incorrecta para el código del cliente +ErrorBadBarCodeSyntax=Sintaxis incorrecta para el código de barras. Puede ser que haya configurado un tipo de código de barras incorrecto o haya definido una máscara de código de barras para la numeración que no coincide con el valor escaneado. +ErrorCustomerCodeRequired=Se requiere código de cliente +ErrorBarCodeRequired=Se requiere código de barras +ErrorBarCodeAlreadyUsed=Código de barras ya utilizado +ErrorPrefixRequired=Prefijo requerido +ErrorBadSupplierCodeSyntax=Sintaxis incorrecta para el código de proveedor +ErrorSupplierCodeRequired=Se requiere el código de proveedor +ErrorSupplierCodeAlreadyUsed=El código de proveedor ya se usó +ErrorBadParameters=Malos parámetros +ErrorWrongParameters=Parámetros incorrectos o faltantes +ErrorBadValueForParameter=Valor incorrecto '%s' para el parámetro '%s' +ErrorBadImageFormat=El archivo de imagen no tiene un formato compatible (su PHP no admite funciones para convertir imágenes de este formato) +ErrorBadDateFormat=El valor '%s' tiene un formato de fecha incorrecto +ErrorFailedToWriteInDir=No se pudo escribir en el directorio %s +ErrorFoundBadEmailInFile=Se encontró una sintaxis de correo electrónico incorrecta para las líneas %s en el archivo (línea de ejemplo %s con email = %s) +ErrorUserCannotBeDelete=No se puede eliminar al usuario. Quizás esté asociado a entidades Dolibarr. +ErrorFailedToCreateDir=No se pudo crear un directorio. Compruebe que el usuario del servidor web tenga permisos para escribir en el directorio de documentos de Dolibarr. Si el parámetro safe_mode está habilitado en este PHP, verifique que los archivos php de Dolibarr sean propiedad del usuario (o grupo) del servidor web. +ErrorNoMailDefinedForThisUser=No hay correo definido para este usuario +ErrorSetupOfEmailsNotComplete=La configuración de los correos electrónicos no está completa +ErrorFeatureNeedJavascript=Esta característica necesita javascript para estar activada para funcionar. Cambie esto en la configuración - pantalla. +ErrorTopMenuMustHaveAParentWithId0=Un menú de tipo 'Arriba' no puede tener un menú principal. Ponga 0 en el menú principal o elija un menú de tipo 'Izquierda'. +ErrorLeftMenuMustHaveAParentId=Un menú de tipo 'Izquierda' debe tener una identificación de padre. +ErrorFileNotFound=Archivo %s no encontrado (ruta incorrecta, permisos incorrectos o acceso denegado por PHP openbasedir o parámetro safe_mode) +ErrorDirNotFound=Directorio %s no encontrado (Ruta incorrecta, permisos incorrectos o acceso denegado por PHP openbasedir o parámetro safe_mode) +ErrorFunctionNotAvailableInPHP=La función %s es necesaria para esta función, pero no está disponible en esta versión / configuración de PHP. +ErrorDirAlreadyExists=Ya existe un directorio con este nombre. +ErrorPartialFile=Archivo no recibido completamente por el servidor. +ErrorNoTmpDir=La directiva temporal %s no existe. +ErrorUploadBlockedByAddon=Carga bloqueada por un complemento PHP / Apache. +ErrorFileSizeTooLarge=El tamaño del archivo es demasiado grande. +ErrorSizeTooLongForIntType=Tamaño demasiado largo para el tipo int (%s dígitos como máximo) +ErrorSizeTooLongForVarcharType=Tamaño demasiado largo para el tipo de cadena (%s caracteres como máximo) +ErrorNoValueForSelectType=Por favor complete el valor de la lista de selección +ErrorNoValueForCheckBoxType=Por favor, complete el valor de la lista de casillas de verificación +ErrorNoValueForRadioType=Por favor complete el valor de la lista de radio +ErrorBadFormatValueList=El valor de la lista no puede tener más de una coma: %s , pero necesita al menos una: clave, valor +ErrorFieldCanNotContainSpecialCharacters=El campo %s no debe contener caracteres especiales. +ErrorFieldCanNotContainSpecialNorUpperCharacters=El campo %s no debe contener caracteres especiales, ni mayúsculas y no puede contener solo números. +ErrorNoAccountancyModuleLoaded=Ningún módulo de contabilidad activado +ErrorExportDuplicateProfil=Este nombre de perfil ya existe para este conjunto de exportación. +ErrorLDAPSetupNotComplete=La coincidencia Dolibarr-LDAP no está completa. +ErrorLDAPMakeManualTest=Se ha generado un archivo .ldif en el directorio %s. Intente cargarlo manualmente desde la línea de comandos para tener más información sobre los errores. +ErrorCantSaveADoneUserWithZeroPercentage=No se puede guardar una acción con "estado no iniciado" si el campo "realizado por" también está lleno. +ErrorPleaseTypeBankTransactionReportName=Ingrese el nombre del extracto bancario donde se debe informar la entrada (formato AAAAMM o AAAAMMDD) +ErrorRecordHasChildren=No se pudo borrar el registro porque tiene algunos registros secundarios. +ErrorRecordHasAtLeastOneChildOfType=El objeto tiene al menos un hijo de tipo %s +ErrorRecordIsUsedCantDelete=No se puede borrar el registro. Ya está usado o incluido en otro objeto. +ErrorModuleRequireJavascript=Javascript no debe estar deshabilitado para que esta característica funcione. Para habilitar / deshabilitar Javascript, vaya al menú Inicio-> Configuración-> Pantalla. +ErrorPasswordsMustMatch=Ambas contraseñas escritas deben coincidir +ErrorContactEMail=Ocurrió un error técnico. Por favor, comuníquese con el administrador al siguiente correo electrónico %s y proporcione el código de error %s en su mensaje, o agregue una copia de pantalla de esta página. +ErrorFieldValueNotIn=El campo %s : ' %s ' no es un valor que se encuentra en el campo %s de %s +ErrorFileIsInfectedWithAVirus=El programa antivirus no pudo validar el archivo (el archivo podría estar infectado por un virus) +ErrorSpecialCharNotAllowedForField=No se permiten caracteres especiales para el campo "%s" +ErrorNumRefModel=Existe una referencia en la base de datos (%s) y no es compatible con esta regla de numeración. Elimine el registro o la referencia renombrada para activar este módulo. +ErrorQtyTooLowForThisSupplier=Cantidad demasiado baja para este proveedor o ningún precio definido en este producto para este proveedor +ErrorOrdersNotCreatedQtyTooLow=Algunos pedidos no se han creado debido a cantidades demasiado bajas. +ErrorModuleSetupNotComplete=La configuración del módulo %s parece incompleta. Vaya a Inicio - Configuración - Módulos para completar. +ErrorBadMaskFailedToLocatePosOfSequence=Error, máscara sin número de secuencia +ErrorBadMaskBadRazMonth=Error, valor de reinicio incorrecto +ErrorCounterMustHaveMoreThan3Digits=El contador debe tener más de 3 dígitos +ErrorDeleteNotPossibleLineIsConsolidated=No es posible eliminar porque el registro está vinculado a una transacción bancaria que está conciliada +ErrorProdIdAlreadyExist=%s se asigna a otro tercio +ErrorFailedToSendPassword=No se pudo enviar la contraseña +ErrorFailedToLoadRSSFile=No se obtiene la fuente RSS. Intente agregar la constante MAIN_SIMPLEXMLLOAD_DEBUG si los mensajes de error no brindan suficiente información. +ErrorForbidden=Acceso denegado.
Intentas acceder a una página, área o característica de un módulo deshabilitado o sin estar en una sesión autenticada o que no está permitida para tu usuario. +ErrorForbidden2=El administrador de Dolibarr puede definir el permiso para este inicio de sesión desde el menú %s-> %s. +ErrorForbidden3=Parece que Dolibarr no se usa a través de una sesión autenticada. Eche un vistazo a la documentación de configuración de Dolibarr para saber cómo administrar las autenticaciones (htaccess, mod_auth u otro ...). +ErrorNoImagickReadimage=La clase Imagick no se encuentra en este PHP. No puede haber una vista previa disponible. Los administradores pueden desactivar esta pestaña desde el menú Configuración - Pantalla. +ErrorRecordAlreadyExists=El registro ya existe +ErrorCantReadFile=Error al leer el archivo '%s' +ErrorCantReadDir=No se pudo leer el directorio '%s' +ErrorBadLoginPassword=Valor incorrecto para inicio de sesión o contraseña +ErrorLoginDisabled=Tu cuenta ha sido inhabilitada +ErrorFailedToRunExternalCommand=No se pudo ejecutar el comando externo. Compruebe que esté disponible y que su servidor PHP pueda ejecutar. Si PHP Safe Mode está habilitado, verifique que el comando esté dentro de un directorio definido por el parámetro safe_mode_exec_dir . +ErrorFailedToChangePassword=No se pudo cambiar la contraseña +ErrorLoginDoesNotExists=No se pudo encontrar el usuario con inicio de sesión %s . +ErrorLoginHasNoEmail=Este usuario no tiene dirección de correo electrónico. Proceso abortado. +ErrorBadValueForCode=Mal valor para el código de seguridad. Inténtelo de nuevo con un nuevo valor ... +ErrorBothFieldCantBeNegative=Los campos %s y %s no pueden ser ambos negativos +ErrorFieldCantBeNegativeOnInvoice=El campo %s no puede ser negativo en este tipo de factura. Si necesita agregar una línea de descuento, simplemente cree el descuento primero (desde el campo '%s' en la tarjeta de terceros) y aplíquelo a la factura. +ErrorLinesCantBeNegativeForOneVATRate=El total de líneas (neto de impuestos) no puede ser negativo para una tasa de IVA no nula determinada (se encontró un total negativo para la tasa de IVA %s %%). +ErrorLinesCantBeNegativeOnDeposits=Las líneas no pueden ser negativas en un depósito. Tendrá problemas cuando necesite consumir el depósito en la factura final si lo hace. +ErrorQtyForCustomerInvoiceCantBeNegative=La cantidad de la línea en las facturas de los clientes no puede ser negativa +ErrorWebServerUserHasNotPermission=La cuenta de usuario %s utilizada para ejecutar el servidor web no tiene permiso para eso +ErrorNoActivatedBarcode=Ningún tipo de código de barras activado +ErrUnzipFails=Error al descomprimir %s con ZipArchive +ErrNoZipEngine=No hay motor para comprimir / descomprimir el archivo %s en este PHP +ErrorFileMustBeADolibarrPackage=El archivo %s debe ser un paquete zip Dolibarr +ErrorModuleFileRequired=Debe seleccionar un archivo de paquete de módulo Dolibarr +ErrorPhpCurlNotInstalled=El PHP CURL no está instalado, esto es fundamental para hablar con Paypal +ErrorFailedToAddToMailmanList=No se pudo agregar el registro %s a la lista de Mailman %s o la base SPIP +ErrorFailedToRemoveToMailmanList=No se pudo eliminar el registro %s a la lista Mailman %s o la base SPIP +ErrorNewValueCantMatchOldValue=El nuevo valor no puede ser igual al anterior +ErrorFailedToValidatePasswordReset=No se pudo reiniciar la contraseña. Puede que el reinicio ya se haya realizado (este enlace solo se puede usar una vez). Si no es así, intente reiniciar el proceso de reinicio. +ErrorToConnectToMysqlCheckInstance=La conexión a la base de datos falla. Verifique que el servidor de la base de datos se esté ejecutando (por ejemplo, con mysql / mariadb, puede iniciarlo desde la línea de comandos con 'sudo service mysql start'). +ErrorFailedToAddContact=No se pudo agregar el contacto +ErrorDateMustBeBeforeToday=La fecha debe ser menor que la de hoy. +ErrorDateMustBeInFuture=La fecha debe ser mayor que la de hoy. +ErrorPaymentModeDefinedToWithoutSetup=Se estableció un modo de pago para escribir %s, pero la configuración del módulo Factura no se completó para definir la información que se mostrará para este modo de pago. +ErrorPHPNeedModule=Error, su PHP debe tener el módulo %s instalado para usar esta función. +ErrorOpenIDSetupNotComplete=Configura el archivo de configuración Dolibarr para permitir la autenticación OpenID, pero la URL del servicio OpenID no está definida en la constante %s +ErrorWarehouseMustDiffers=Los almacenes de origen y destino deben diferir +ErrorBadFormat=¡Mal formato! +ErrorMemberNotLinkedToAThirpartyLinkOrCreateFirst=Error, este miembro aún no está vinculado a ningún tercero. Vincular al miembro a un tercero existente o crear un nuevo tercero antes de crear una suscripción con factura. +ErrorThereIsSomeDeliveries=Error, hay algunas entregas vinculadas a este envío. Eliminación rechazada. +ErrorCantDeletePaymentReconciliated=No se puede eliminar un pago que generó una entrada bancaria que se concilió +ErrorCantDeletePaymentSharedWithPayedInvoice=No se puede eliminar un pago compartido por al menos una factura con estado Pagado +ErrorPriceExpression3=Variable indefinida '%s' en la definición de función +ErrorPriceExpression4=Carácter ilegal '%s' +ErrorPriceExpression5='%s' inesperado +ErrorPriceExpression6=Número incorrecto de argumentos (%s dado, se esperaba %s) +ErrorPriceExpression8=Operador inesperado '%s' +ErrorPriceExpression9=Ocurrió un error inesperado +ErrorPriceExpression10=El operador '%s' carece de operando +ErrorPriceExpression11=Esperando '%s' +ErrorPriceExpression17=Variable indefinida '%s' +ErrorPriceExpression21=Resultado vacío '%s' +ErrorPriceExpression22=Resultado negativo '%s' +ErrorPriceExpression23=Variable desconocida o no definida '%s' en %s +ErrorSrcAndTargetWarehouseMustDiffers=Los almacenes de origen y destino deben diferir +ErrorTryToMakeMoveOnProductRequiringBatchData=Error, al intentar realizar un movimiento de stock sin información de lote / serie, en el producto '%s' que requiere información de lote / serie +ErrorCantSetReceptionToTotalDoneWithReceptionToApprove=Todas las recepciones registradas deben primero ser verificadas (aprobadas o denegadas) antes de que se les permita realizar esta acción. +ErrorCantSetReceptionToTotalDoneWithReceptionDenied=Todas las recepciones registradas primero deben ser verificadas (aprobadas) antes de que se les permita realizar esta acción. +ErrorGlobalVariableUpdater0=La solicitud HTTP falló con el error '%s' +ErrorGlobalVariableUpdater1=Formato JSON no válido '%s' +ErrorGlobalVariableUpdater3=Los datos solicitados no se encontraron en el resultado. +ErrorGlobalVariableUpdater4=El cliente SOAP falló con el error '%s' +ErrorGlobalVariableUpdater5=No se seleccionó ninguna variable global +ErrorFieldMustBeANumeric=El campo %s debe ser un valor numérico +ErrorMandatoryParametersNotProvided=Parámetro (s) obligatorio no proporcionado +ErrorOppStatusRequiredIfAmount=Establece una cantidad estimada para este cliente potencial. Por lo que también debe ingresar su estado. +ErrorFailedToLoadModuleDescriptorForXXX=No se pudo cargar la clase de descriptor de módulo para %s +ErrorBadDefinitionOfMenuArrayInModuleDescriptor=Definición incorrecta de la matriz de menús en el descriptor del módulo (valor incorrecto para la clave fk_menu) +ErrorWarehouseRequiredIntoShipmentLine=Se requiere un almacén en la línea para enviar +ErrorSupplierCountryIsNotDefined=El país de este proveedor no está definido. Corrija esto primero. +ErrorsThirdpartyMerge=No se pudieron combinar los dos registros. Solicitud cancelada. +ErrorStockIsNotEnoughToAddProductOnOrder=El stock no es suficiente para que el producto %s lo agregue a un nuevo pedido. +ErrorStockIsNotEnoughToAddProductOnInvoice=El stock no es suficiente para que el producto %s lo agregue a una nueva factura. +ErrorStockIsNotEnoughToAddProductOnShipment=El stock no es suficiente para que el producto %s lo agregue a un nuevo envío. +ErrorStockIsNotEnoughToAddProductOnProposal=El stock no es suficiente para que el producto %s lo agregue a una nueva propuesta. +ErrorFailedToLoadLoginFileForMode=No se pudo obtener la clave de inicio de sesión para el modo '%s'. +ErrorModuleNotFound=No se encontró el archivo del módulo. +ErrorFieldAccountNotDefinedForBankLine=Valor para la cuenta de contabilidad no definido para el ID de línea de origen %s (%s) +ErrorFieldAccountNotDefinedForInvoiceLine=Valor para la cuenta de contabilidad no definido para el ID de factura %s (%s) +ErrorFieldAccountNotDefinedForLine=Valor de la cuenta de contabilidad no definido para la línea (%s) +ErrorBankStatementNameMustFollowRegex=Error, el nombre del extracto bancario debe seguir la siguiente regla de sintaxis %s +ErrorPhpMailDelivery=Compruebe que no utiliza un número demasiado elevado de destinatarios y que el contenido de su correo electrónico no es similar a un correo no deseado. Pídale también a su administrador que verifique los archivos de registro del servidor y del firewall para obtener una información más completa. +ErrorUserNotAssignedToTask=El usuario debe estar asignado a la tarea para poder ingresar el tiempo consumido. +ErrorModuleFileSeemsToHaveAWrongFormat=El paquete del módulo parece tener un formato incorrecto. +ErrorModuleFileSeemsToHaveAWrongFormat2=Debe existir al menos un directorio obligatorio en el zip del módulo: %s o %s +ErrorFilenameDosNotMatchDolibarrPackageRules=El nombre del paquete del módulo ( %s ) no coincide con la sintaxis del nombre esperado: %s a0a65d071f6fc9fz0 +ErrorDuplicateTrigger=Error, nombre de disparador duplicado %s. Ya cargado desde %s. +ErrorNoWarehouseDefined=Error, no hay almacenes definidos. +ErrorBadLinkSourceSetButBadValueForRef=El enlace que usas no es válido. Se define una 'fuente' para el pago, pero el valor de 'ref' no es válido. +ErrorTooManyErrorsProcessStopped=Demasiados errores. El proceso se detuvo. +ErrorMassValidationNotAllowedWhenStockIncreaseOnAction=La validación masiva no es posible cuando la opción para aumentar / disminuir stock está configurada en esta acción (debe validar uno por uno para que pueda definir el almacén para aumentar / disminuir) +ErrorObjectMustHaveStatusDraftToBeValidated=El objeto %s debe tener el estado 'Borrador' para ser validado. +ErrorObjectMustHaveLinesToBeValidated=El objeto %s debe tener líneas para ser validado. +ErrorOnlyInvoiceValidatedCanBeSentInMassAction=Solo se pueden enviar facturas validadas mediante la acción masiva "Enviar por correo electrónico". +ErrorChooseBetweenFreeEntryOrPredefinedProduct=Debes elegir si el artículo es un producto predefinido o no +ErrorDiscountLargerThanRemainToPaySplitItBefore=El descuento que intenta aplicar es mayor de lo que queda por pagar. Divida el descuento en 2 descuentos más pequeños antes. +ErrorFileNotFoundWithSharedLink=No se encontró el archivo. Puede ser que la clave compartida se haya modificado o el archivo se haya eliminado recientemente. +ErrorDescRequiredForFreeProductLines=La descripción es obligatoria para las líneas con producto gratuito +ErrorAPageWithThisNameOrAliasAlreadyExists=La página / contenedor %s tiene el mismo nombre o alias alternativo que el que intentas usar +ErrorDuringChartLoad=Error al cargar el plan de cuentas. Si no se cargaron pocas cuentas, aún puede ingresarlas manualmente. +ErrorBadSyntaxForParamKeyForContent=Sintaxis incorrecta para param keyforcontent. Debe tener un valor que comience con %s o %s +ErrorVariableKeyForContentMustBeSet=Error, se debe establecer la constante con el nombre %s (con contenido de texto para mostrar) o %s (con URL externa para mostrar). +ErrorURLMustStartWithHttp=La URL %s debe comenzar con http: // o https: // +ErrorNewRefIsAlreadyUsed=Error, la nueva referencia ya se usa +ErrorDeletePaymentLinkedToAClosedInvoiceNotPossible=Error, no es posible eliminar el pago vinculado a una factura cerrada. +ErrorSearchCriteriaTooSmall=Criterios de búsqueda demasiado pequeños. +ErrorObjectMustHaveStatusDraftOrDisabledToBeActivated=Los objetos deben tener el estado 'Borrador' o 'Deshabilitado' para estar habilitados +ErrorNoFieldWithAttributeShowoncombobox=Ningún campo tiene la propiedad 'showoncombobox' en la definición del objeto '%s'. No hay forma de mostrar la combolista. +ProblemIsInSetupOfTerminal=El problema está en la configuración del terminal %s. +ErrorAddAtLeastOneLineFirst=Agregue al menos una línea primero +ErrorRecordAlreadyInAccountingDeletionNotPossible=Error, el registro ya se transfirió a la contabilidad, no es posible eliminarlo. +ErrorLanguageOfTranslatedPageIsSameThanThisPage=Error, el idioma de la página traducida es el mismo que éste. +ErrorBatchNoFoundForProductInWarehouse=No se encontró ningún lote / serie para el producto "%s" en el almacén "%s". +ErrorBatchNoFoundEnoughQuantityForProductInWarehouse=No hay cantidad suficiente para este lote / serie para el producto "%s" en el almacén "%s". +ErrorOnlyOneFieldForGroupByIsPossible=Solo es posible 1 campo para el 'Agrupar por' (los demás se descartan) +ErrorTooManyDifferentValueForSelectedGroupBy=Se encontraron demasiados valores diferentes (más de %s ) para el campo ' %s ', por lo que no podemos usarlo como un grupo de. Se ha eliminado el campo 'Agrupar por'. ¿Quizás quisiera usarlo como un eje X? +ErrorProductNeedBatchNumber=Error, el producto ' %s ' necesita un lote / número de serie +ErrorProductDoesNotNeedBatchNumber=Error, el producto ' %s ' no acepta un número de serie / lote +ErrorParameterMustBeEnabledToAllwoThisFeature=Error, el parámetro %s debe habilitarse en conf / conf.php para permitir el uso de la interfaz de línea de comandos por parte del programador de trabajos interno +ErrorValueLength=La longitud del campo ' %s ' debe ser mayor que ' %s ' +ErrorReservedKeyword=La palabra ' %s ' es una palabra clave reservada +ErrorLanguageMustNotBeSourceLanguageIfPageIsTranslationOfAnother=El idioma de la nueva página no debe ser el idioma de origen si está configurado como una traducción de otra página. +ErrorYouMustFirstSetupYourChartOfAccount=Primero debe configurar su plan de cuenta +WarningParamUploadMaxFileSizeHigherThanPostMaxSize=Su parámetro PHP upload_max_filesize (%s) es mayor que el parámetro PHP post_max_size (%s). Esta no es una configuración consistente. +WarningPasswordSetWithNoAccount=Se estableció una contraseña para este miembro. Sin embargo, no se creó ninguna cuenta de usuario. Por lo tanto, esta contraseña se almacena pero no se puede utilizar para iniciar sesión en Dolibarr. Puede ser utilizado por un módulo / interfaz externo, pero si no necesita definir ningún nombre de usuario o contraseña para un miembro, puede deshabilitar la opción "Administrar un inicio de sesión para cada miembro" desde la configuración del módulo Miembro. 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: El correo electrónico también se puede utilizar como inicio de sesión si el miembro está vinculado a un usuario. +WarningEnableYourModulesApplications=Haga clic aquí para habilitar sus módulos y aplicaciones +WarningSafeModeOnCheckExecDir=Advertencia, la opción PHP safe_mode está activada, por lo que el comando debe almacenarse dentro de un directorio declarado por el parámetro php safe_mode_exec_dir . +WarningBookmarkAlreadyExists=Ya existe un marcador con este título o este destino (URL). +WarningPassIsEmpty=Advertencia, la contraseña de la base de datos está vacía. Este es un agujero de seguridad. Debe agregar una contraseña a su base de datos y cambiar su archivo conf.php para reflejar esto. +WarningConfFileMustBeReadOnly=Advertencia, el servidor web puede sobrescribir su archivo de configuración ( htdocs / conf / conf.php ). Este es un grave agujero de seguridad. Modifique los permisos en el archivo para que estén en modo de solo lectura para el usuario del sistema operativo utilizado por el servidor web. Si usa Windows y el formato FAT para su disco, debe saber que este sistema de archivos no permite agregar permisos en el archivo, por lo que no puede ser completamente seguro. +WarningsOnXLines=Advertencias sobre %s registro (s) fuente +WarningNoDocumentModelActivated=No se ha activado ningún modelo para la generación de documentos. Se elegirá un modelo por defecto hasta que verifique la configuración de su módulo. +WarningLockFileDoesNotExists=Advertencia: una vez finalizada la instalación, debe deshabilitar las herramientas de instalación / migración agregando un archivo install.lock en el directorio %s . Omitir la creación de este archivo es un riesgo de seguridad grave. +WarningUntilDirRemoved=Todas las advertencias de seguridad (visibles solo para los usuarios administradores) permanecerán activas mientras la vulnerabilidad esté presente (o si se agrega la constante MAIN_REMOVE_INSTALL_WARNING en Configuración-> Otra configuración). +WarningCloseAlways=Advertencia, el cierre se realiza incluso si la cantidad difiere entre los elementos de origen y de destino. Habilite esta función con precaución. +WarningUsingThisBoxSlowDown=Advertencia, el uso de este cuadro ralentiza seriamente todas las páginas que muestran el cuadro. +WarningClickToDialUserSetupNotComplete=La configuración de la información de ClickToDial para su usuario no está completa (consulte la pestaña ClickToDial en su tarjeta de usuario). +WarningFeatureDisabledWithDisplayOptimizedForBlindNoJs=Característica desactivada cuando la configuración de la pantalla está optimizada para personas ciegas o navegadores de texto. +WarningPaymentDateLowerThanInvoiceDate=La fecha de pago (%s) es anterior a la fecha de la factura (%s) para la factura %s. +WarningTooManyDataPleaseUseMoreFilters=Demasiados datos (más de %s líneas). Utilice más filtros o establezca la constante %s en un límite superior. +WarningSomeLinesWithNullHourlyRate=Algunas veces fueron registradas por algunos usuarios mientras que su tarifa por hora no estaba definida. Se utilizó un valor de 0 %s por hora, pero esto puede resultar en una valoración incorrecta del tiempo empleado. +WarningYourLoginWasModifiedPleaseLogin=Se modificó su inicio de sesión. Por motivos de seguridad, deberá iniciar sesión con su nuevo inicio de sesión antes de la siguiente acción. +WarningNumberOfRecipientIsRestrictedInMassAction=Advertencia, el número de destinatarios diferentes está limitado a %s cuando se utilizan acciones masivas en listas +WarningProjectDraft=El proyecto todavía está en modo borrador. No olvides validarlo si planeas usar tareas. +WarningProjectClosed=Proyecto cerrado. Primero debes volver a abrirlo. +WarningSomeBankTransactionByChequeWereRemovedAfter=Algunas transacciones bancarias se eliminaron después de que se generó el recibo que las incluía. Por lo tanto, el número de cheques y el total del recibo pueden diferir del número y el total de la lista. +WarningFailedToAddFileIntoDatabaseIndex=Advertencia, no se pudo agregar la entrada de archivo en la tabla de índice de la base de datos de ECM +WarningAvailableOnlyForHTTPSServers=Disponible solo si se usa una conexión segura HTTPS. diff --git a/htdocs/langs/es_CO/externalsite.lang b/htdocs/langs/es_CO/externalsite.lang index 41f70db06fe..d29b234afae 100644 --- a/htdocs/langs/es_CO/externalsite.lang +++ b/htdocs/langs/es_CO/externalsite.lang @@ -1,2 +1,3 @@ # Dolibarr language file - Source file is en_US - externalsite +ExternalSiteURL=URL del sitio externo del iframe HTML ExampleMyMenuEntry=Mi entrada en el menú diff --git a/htdocs/langs/es_CO/ftp.lang b/htdocs/langs/es_CO/ftp.lang new file mode 100644 index 00000000000..f021b8f4b8b --- /dev/null +++ b/htdocs/langs/es_CO/ftp.lang @@ -0,0 +1,5 @@ +# Dolibarr language file - Source file is en_US - ftp +FTPFeatureNotSupportedByYourPHP=Su PHP no es compatible con las funciones FTP o SFTP +FailedToConnectToFTPServerWithCredentials=No se pudo ingresar al servidor con el usuario/contraseña definidos +FTPFailedToRemoveFile=No se pudo eliminar el archivo %s . +FTPFailedToRemoveDir=No se pudo eliminar el directorio %s : verifique los permisos y que el directorio esté vacío. diff --git a/htdocs/langs/es_CO/help.lang b/htdocs/langs/es_CO/help.lang new file mode 100644 index 00000000000..fc2607c0f94 --- /dev/null +++ b/htdocs/langs/es_CO/help.lang @@ -0,0 +1,21 @@ +# Dolibarr language file - Source file is en_US - help +CommunitySupport=Soporte de foro / wiki +EMailSupport=Soporte de correos electrónicos +RemoteControlSupport=Soporte en línea en tiempo real / remoto +OtherSupport=Otro apoyo +ToSeeListOfAvailableRessources=Para contactar / ver recursos disponibles: +HelpCenter=Centro de ayuda +DolibarrHelpCenter=Centro de ayuda y soporte técnico de Dolibarr +ToGoBackToDolibarr=De lo contrario, haga clic aquí para continuar usando Dolibarr . +TypeOfSupport=Tipo de apoyo +TypeSupportCommunauty=Comunidad (gratis) +NeedHelpCenter=¿Necesitas ayuda o apoyo? +Efficiency=Eficiencia +TypeHelpOnly=Solo ayuda +TypeHelpDev=Ayuda + Desarrollo +TypeHelpDevForm=Ayuda + Desarrollo + Formación +BackToHelpCenter=De lo contrario, vuelva a la página de inicio del Centro de ayuda . +LinkToGoldMember=Puede llamar a uno de los entrenadores preseleccionados por Dolibarr para su idioma (%s) haciendo clic en su Widget (el estado y el precio máximo se actualizan automáticamente): +PossibleLanguages=Idiomas admitidos +SubscribeToFoundation=Ayuda al proyecto Dolibarr, suscríbete a la fundación +SeeOfficalSupport=Para soporte oficial de Dolibarr en su idioma:
%s diff --git a/htdocs/langs/es_CO/hrm.lang b/htdocs/langs/es_CO/hrm.lang new file mode 100644 index 00000000000..e5230a6f0df --- /dev/null +++ b/htdocs/langs/es_CO/hrm.lang @@ -0,0 +1,9 @@ +# Dolibarr language file - Source file is en_US - hrm +HRM_EMAIL_EXTERNAL_SERVICE=Correo electrónico para evitar el servicio externo de HRM +ConfirmDeleteEstablishment=¿Estás seguro de que deseas eliminar este establecimiento? +OpenEtablishment=Establecimiento abierto +CloseEtablishment=Establecimiento cerrado +DictionaryPublicHolidays=HRM - Días festivos +DictionaryDepartment=HRM - Lista de departamentos +DictionaryFunction=HRM - Puestos de trabajo +ListOfEmployees=Lista de empleados diff --git a/htdocs/langs/es_CO/install.lang b/htdocs/langs/es_CO/install.lang index fe8e362f7ef..ecb5e3bc256 100644 --- a/htdocs/langs/es_CO/install.lang +++ b/htdocs/langs/es_CO/install.lang @@ -11,13 +11,18 @@ ConfFileReload=Recarga de parámetros desde archivo de configuración. PHPSupportPOSTGETOk=Este PHP soporta las variables POST y GET. PHPSupportPOSTGETKo=Es posible que su configuración de PHP no admita las variables POST y / o GET. Verifique el parámetro variables_order en php.ini. PHPSupportSessions=Este PHP soporta sesiones. +PHPSupport=Este PHP admite las funciones %s. PHPMemoryOK=La memoria de sesión de PHP max está configurada en %s . Esto debería ser suficiente. PHPMemoryTooLow=La memoria de sesión de PHP max está configurada en %s bytes. Esto es demasiado bajo. Cambie su php.ini para establecer el parámetro memory_limit en al menos %s bytes. Recheck=Haga clic aquí para una prueba más detallada ErrorPHPDoesNotSupportSessions=Su instalación de PHP no soporta sesiones. Esta función es necesaria para permitir que Dolibarr funcione. Compruebe su configuración de PHP y permisos del directorio de sesiones. ErrorPHPDoesNotSupportGD=Su instalación de PHP no soporta funciones gráficas de GD. No habrá gráficos disponibles. ErrorPHPDoesNotSupportCurl=Su instalación de PHP no es compatible con Curl. +ErrorPHPDoesNotSupportCalendar=Su instalación de PHP no admite extensiones de calendario php. ErrorPHPDoesNotSupportUTF8=Su instalación de PHP no es compatible con las funciones UTF8. Dolibarr no puede funcionar correctamente. Resuelve esto antes de instalar Dolibarr. +ErrorPHPDoesNotSupportIntl=Su instalación de PHP no es compatible con las funciones de Intl. +ErrorPHPDoesNotSupportxDebug=Su instalación de PHP no admite funciones de depuración extendidas. +ErrorPHPDoesNotSupport=Su instalación de PHP no es compatible con las funciones %s. ErrorDirDoesNotExists=El directorio %s no existe. ErrorGoBackAndCorrectParameters=Regresa y revisa / corrige los parámetros. ErrorWrongValueForParameter=Es posible que haya escrito un valor incorrecto para el parámetro '%s'. @@ -68,6 +73,7 @@ GoToDolibarr=Ir a dolibarr GoToSetupArea=Ir a Dolibarr (área de configuración) GoToUpgradePage=Ir a la página de actualización de nuevo WithNoSlashAtTheEnd=Sin la barra "/" al final +DirectoryRecommendation= IMPORTANTE : Debe usar un directorio que esté fuera de las páginas web (por lo tanto, no use un subdirectorio del parámetro anterior). AdminLoginAlreadyExists=La cuenta de administrador de Dolibarr ' %s ' ya existe. Vuelve si quieres crear otro. FailedToCreateAdminLogin=Error al crear la cuenta de administrador de Dolibarr. WarningRemoveInstallDir=Una advertencia, por razones de seguridad, una vez que se complete la instalación o actualización, debe agregar un archivo llamado install.lock en el directorio de documentos de Dolibarr para evitar nuevamente el uso accidental / malicioso de las herramientas de instalación. @@ -103,6 +109,7 @@ OpenBaseDir=Parámetro PHP openbasedir YouAskToCreateDatabaseSoRootRequired=Has marcado la casilla "Crear base de datos". Para esto, debe proporcionar el nombre de usuario / contraseña del superusuario (parte inferior del formulario). YouAskToCreateDatabaseUserSoRootRequired=Has marcado la casilla "Crear propietario de base de datos". Para esto, debe proporcionar el nombre de usuario / contraseña del superusuario (parte inferior del formulario). NextStepMightLastALongTime=El paso actual puede tardar varios minutos. Por favor, espere hasta que la siguiente pantalla se muestre completamente antes de continuar. +MigrationCustomerOrderShipping=Migrar el envío para el almacenamiento de pedidos de ventas MigrationShippingDelivery=Actualizar el almacenamiento de envío MigrationShippingDelivery2=Actualización de almacenamiento de envío 2 MigrationFinished=Migración terminada @@ -162,6 +169,7 @@ MigrationProjectTaskActors=Migración de datos para la tabla llx_projet_task_act MigrationProjectUserResp=Campo de migración de datos fk_user_resp de llx_projet a llx_element_contact MigrationProjectTaskTime=Tiempo de actualización gastado en segundos MigrationActioncommElement=Actualizar datos sobre acciones. +MigrationPaymentMode=Migración de datos por tipo de pago MigrationCategorieAssociation=Migración de categorías MigrationEvents=Migración de eventos para agregar el propietario del evento en la tabla de asignación MigrationEventsContact=Migración de eventos para agregar contactos de eventos a la tabla de asignación @@ -169,7 +177,10 @@ MigrationRemiseEntity=Actualizar el valor del campo de entidad de llx_societe_re MigrationRemiseExceptEntity=Actualizar el valor del campo de entidad de llx_societe_remise_except MigrationUserRightsEntity=Actualizar el valor del campo de entidad de llx_user_rights MigrationUserGroupRightsEntity=Actualizar el valor del campo de entidad de llx_usergroup_rights +MigrationUserPhotoPath=Migración de rutas de fotos para usuarios +MigrationFieldsSocialNetworks=Migración de campos de usuarios redes sociales (%s) MigrationResetBlockedLog=Restablecer módulo BlockedLog para algoritmo v7 ErrorFoundDuringMigration=Se informaron errores durante el proceso de migración, por lo que el siguiente paso no está disponible. Para ignorar los errores, puede hacer clic aquí , pero es posible que la aplicación o algunas funciones no funcionen correctamente hasta que se resuelvan los errores. YouTryInstallDisabledByDirLock=La aplicación intentó actualizarse automáticamente, pero las páginas de instalación / actualización se han deshabilitado por seguridad (directorio renombrado con el sufijo .lock).
YouTryInstallDisabledByFileLock=La aplicación intentó auto actualizarse, pero las páginas de instalación / actualización se han deshabilitado por seguridad (debido a la existencia de un archivo de bloqueo install.lock en el directorio de documentos de dolibarr).
+ClickOnLinkOrRemoveManualy=Si hay una actualización en curso, espere. Si no es así, haga clic en el siguiente enlace. Si siempre ve esta misma página, debe eliminar / cambiar el nombre del archivo install.lock en el directorio de documentos. diff --git a/htdocs/langs/es_CO/intracommreport.lang b/htdocs/langs/es_CO/intracommreport.lang index 76825d9b4ab..bb978f742ef 100644 --- a/htdocs/langs/es_CO/intracommreport.lang +++ b/htdocs/langs/es_CO/intracommreport.lang @@ -1,2 +1,7 @@ # Dolibarr language file - Source file is en_US - intracommreport -IntracommReportPeriod=Period of nalysis +Module68000Desc =Gestión de informes intracomunitarios (soporte para formato francés DEB / DES) +IntracommReportSetup =Configuración del módulo intracommreport +INTRACOMMREPORT_NIV_OBLIGATION_EXPEDITION=Nivel de obligación sobre los envíos +INTRACOMMREPORT_CATEG_FRAISDEPORT=Categoría de servicio del tipo "Gastos de envío" +IntracommReportTitle=Elaboración de un archivo XML en formato ProDouane +IntracommReportNumber=Numero de declaracion diff --git a/htdocs/langs/es_CO/knowledgemanagement.lang b/htdocs/langs/es_CO/knowledgemanagement.lang new file mode 100644 index 00000000000..ed6135a5669 --- /dev/null +++ b/htdocs/langs/es_CO/knowledgemanagement.lang @@ -0,0 +1,9 @@ +# Dolibarr language file - Source file is en_US - knowledgemanagement +ModuleKnowledgeManagementName =Sistema de gestión del conocimiento +ModuleKnowledgeManagementDesc=Gestionar una base de Gestión del conocimiento (KM- GC) o Mesa de ayuda +KnowledgeManagementSetup =Configuración del sistema de gestión del conocimiento +KnowledgeManagementSetupPage =Página de configuración del sistema de gestión del conocimiento +KnowledgeManagementAbout =Acerca de la gestión del conocimiento +KnowledgeManagementAboutPage =Gestión del conocimiento sobre la página +KnowledgeManagementArea =Conocimiento administrativo +MenuKnowledgeRecord =Base de conocimientos diff --git a/htdocs/langs/es_CO/ldap.lang b/htdocs/langs/es_CO/ldap.lang index 30b7d650292..b4f14135057 100644 --- a/htdocs/langs/es_CO/ldap.lang +++ b/htdocs/langs/es_CO/ldap.lang @@ -1,2 +1,17 @@ # Dolibarr language file - Source file is en_US - ldap +YouMustChangePassNextLogon=La contraseña para el usuario %s en el dominio %s debe cambiarse. +UserMustChangePassNextLogon=El usuario debe cambiar la contraseña en el dominio %s +LDAPInformationsForThisContact=Información en la base de datos LDAP para este contacto +LDAPInformationsForThisUser=Información en la base de datos LDAP para este usuario +LDAPInformationsForThisGroup=Información en la base de datos LDAP para este grupo +LDAPInformationsForThisMember=Información en la base de datos LDAP para este miembro +LDAPCard=Tarjeta LDAP LDAPFieldStatus=Estado +LDAPFieldFirstSubscriptionDate=Primera fecha de suscripción +LDAPFieldFirstSubscriptionAmount=Importe de la primera suscripción +LDAPFieldLastSubscriptionDate=Última fecha de suscripción +LDAPFieldLastSubscriptionAmount=Último monto de suscripción +LDAPFieldSkype=Cuenta de Skype +LDAPFieldSkypeExample=Ejemplo: skypeName +ErrorFailedToReadLDAP=No se pudo leer la base de datos LDAP. Verifique la configuración del módulo LDAP y la accesibilidad a la base de datos. +PasswordOfUserInLDAP=Contraseña de usuario en LDAP diff --git a/htdocs/langs/es_CO/link.lang b/htdocs/langs/es_CO/link.lang new file mode 100644 index 00000000000..3f1aa9375e2 --- /dev/null +++ b/htdocs/langs/es_CO/link.lang @@ -0,0 +1,9 @@ +# Dolibarr language file - Source file is en_US - link +LinkANewFile=Vincular un nuevo archivo / documento +NoLinkFound=No hay enlaces registrados +LinkComplete=El archivo se ha vinculado correctamente +ErrorFileNotLinked=El archivo no se pudo vincular +LinkRemoved=El enlace %s ha sido eliminado +ErrorFailedToDeleteLink=Error al eliminar el enlace ' %s ' +ErrorFailedToUpdateLink=Error al actualizar el enlace ' %s ' +URLToLink=URL para vincular diff --git a/htdocs/langs/es_CO/mailmanspip.lang b/htdocs/langs/es_CO/mailmanspip.lang new file mode 100644 index 00000000000..98090117641 --- /dev/null +++ b/htdocs/langs/es_CO/mailmanspip.lang @@ -0,0 +1,25 @@ +# Dolibarr language file - Source file is en_US - mailmanspip +MailmanTitle=Sistema de lista de correo Mailman +TestSubscribe=Comprobar la suscripción a las listas de Mailman +TestUnSubscribe=Comprobar la cancelación de suscripción de las listas de Mailman +MailmanCreationSuccess=La prueba de suscripción se ejecutó con éxito +MailmanDeletionSuccess=La prueba de cancelación de suscripción se ejecutó con éxito +SynchroMailManEnabled=Se realizará una actualización de Mailman +SynchroSpipEnabled=Se realizará una actualización de Spip +DescADHERENT_MAILMAN_ADMINPW=Contraseña de administrador de Mailman +DescADHERENT_MAILMAN_URL=URL de las suscripciones de Mailman +DescADHERENT_MAILMAN_UNSUB_URL=URL para darse de baja de Mailman +DescADHERENT_MAILMAN_LISTS=Lista(s) para la inscripción automática de nuevos miembros (separados por coma) +SPIPTitle=Sistema de gestión de contenido SPIP +DescADHERENT_SPIP_DB=Nombre de la base de datos SPIP +DescADHERENT_SPIP_USER=Inicio de sesión en la base de datos SPIP +DescADHERENT_SPIP_PASS=Contraseña de la base de datos SPIP +AddIntoSpip=Agregar a SPIP +AddIntoSpipConfirmation=¿Está seguro de que desea agregar este miembro a SPIP? +AddIntoSpipError=No se pudo agregar el usuario en SPIP +DeleteIntoSpip=Eliminar de SPIP +DeleteIntoSpipConfirmation=¿Está seguro de que desea eliminar a este miembro de SPIP? +DeleteIntoSpipError=No se pudo suprimir al usuario de SPIP +SPIPConnectionFailed=No se pudo conectar a SPIP +SuccessToAddToMailmanList=%s agregado exitosamente a la lista de mailman %s o base de datos SPIP +SuccessToRemoveToMailmanList=%s eliminado con éxito de la lista de mailman %s o base de datos SPIP diff --git a/htdocs/langs/es_CO/main.lang b/htdocs/langs/es_CO/main.lang index e50d0cad34a..26b4e7b349c 100644 --- a/htdocs/langs/es_CO/main.lang +++ b/htdocs/langs/es_CO/main.lang @@ -22,6 +22,7 @@ FormatDateHourText=%d %B %Y %H:%M NoTemplateDefined=No hay plantilla disponible para este tipo de correo electrónico. AvailableVariables=Variables de sustitución disponibles CurrentTimeZone=Zona horaria de PHP (servidor) +EmptySearchString=Ingrese criterios de búsqueda NoRecordFound=No se encontraron registros NoRecordDeleted=Ningún registro eliminado Errors=Los errores @@ -33,7 +34,10 @@ ErrorYourCountryIsNotDefined=Tu país no está definido. Vaya a Inicio-Configura ErrorRecordIsUsedByChild=Error al eliminar este registro. Este registro es utilizado por al menos un registro secundario. ErrorServiceUnavailableTryLater=Servicio no disponible en este momento. Inténtalo de nuevo más tarde. ErrorSomeErrorWereFoundRollbackIsDone=Se encontraron algunos errores. Los cambios se han revertido. +ErrorConfigParameterNotDefined=El parámetro %s no está definido en el archivo de configuración de Dolibarr conf.php . ErrorNoSocialContributionForSellerCountry=Error, no se ha definido ningún tipo de impuesto social / fiscal para el país '%s'. +ErrorCannotAddThisParentWarehouse=Está intentando agregar un almacén principal que ya es un elemento secundario de un almacén existente. +MaxNbOfRecordPerPage=Max. número de registros por página NotAuthorized=No estás autorizado para hacer eso. SeeHere=Ver aquí ClickHere=haga clic aquí @@ -46,10 +50,13 @@ FilesDeleted=Archivo (s) eliminado exitosamente FileWasNotUploaded=Un archivo ha sido seleccionado para adjuntarlo, pero aún no se ha subido. Haga clic en "Adjuntar este archivo". NbOfEntries=Numero de entradas GoToWikiHelpPage=Lea la ayuda en línea (se necesita acceso a Internet) +HomePage=Pagina de inicio DolibarrInHttpAuthenticationSoPasswordUseless=El modo de autenticación de Dolibarr se establece en %s en el archivo de configuración conf.php .
Esto significa que la base de datos de contraseñas es externa a Dolibarr, por lo que cambiar este campo puede no tener efecto. . PasswordForgotten=¿Contraseña olvidada? NoAccount=No cuenta SeeAbove=Ver arriba +LastConnexion=Último acceso +PreviousConnexion=Inicio de sesión anterior PreviousValue=Valor anterior AuthenticationMode=Modo de autenticación RequestLastAccessInError=Último error de solicitud de acceso a la base de datos @@ -58,6 +65,8 @@ InformationLastAccessInError=Información para el último error de solicitud de YouCanSetOptionDolibarrMainProdToZero=Puede leer el archivo de registro o configurar la opción $ dolibarr_main_prod en '0' en su archivo de configuración para obtener más información. InformationToHelpDiagnose=Esta información puede ser útil para fines de diagnóstico (puede configurar la opción $ dolibarr_main_prod en '1' para eliminar dichos avisos) TechnicalID=Identificación técnica +LineID=Identificación de línea +WarningYouHaveAtLeastOneTaskLate=Advertencia, tiene al menos un elemento que ha excedido el tiempo de tolerancia. NotClosed=No se ha cerrado Enable=Habilitar RemoveLink=Remover enlace @@ -66,16 +75,26 @@ CloseBox=Eliminar widget de tu panel de control ConfirmSendCardByMail=¿Realmente desea enviar el contenido de esta tarjeta por correo a %s ? Resiliate=Terminar ValidateAndApprove=Validar y aprobar +SaveAndStay=Guardar y quedarse +ConfirmClone=Elija los datos que desea duplicar: Hide=Esconder +SearchMenuShortCut=Ctrl + Mayús + F +QuickAdd=Adición rápida +QuickAddMenuShortCut=Ctrl + Mayús + l +Upload=Subir ResizeOrCrop=Redimensionar o Recortar NoUserGroupDefined=No hay grupo de usuario definido +DescriptionOfLine=Descripción de la línea Model=Plantilla doc DefaultModel=Plantilla de documento predeterminada MenuWarnings=Las alertas +Deadline=Plazo DateToday=El día de hoy DateEnd=Fecha final DateCreationShort=Crea fecha +IPCreation=Creación de IP DateModificationShort=Fecha modificación +IPModification=Modificación de IP UserCreation=Usuario creacion UserModification=Usuario de modificacion UserValidation=Usuario de validación @@ -84,15 +103,27 @@ UserModificationShort=Modif. usuario UserValidationShort=Válido. usuario MinuteShort=Minnesota UseLocalTax=Incluir impuestos -UserModif=Usuario de la última actualización. DefaultValues=Valores predeterminados / filtros / clasificación +UnitPriceHT=Precio unitario (excl.) +UnitPriceHTCurrency=Precio unitario (excl.) (Moneda) +PriceUHTCurrency=U.P (neto) (moneda) PriceUTTC=ARRIBA. (inc. impuestos) +AmountInvoicedTTC=Importe facturado (impuestos inc.) +AmountHTShort=Importe (excl.) +AmountHT=Importe (sin impuestos) MulticurrencyAlreadyPaid=Ya pagado, moneda original. MulticurrencyRemainderToPay=Quedan por pagar, moneda original. +MulticurrencyAmountHT=Importe (sin impuestos), moneda original MulticurrencyAmountTTC=Importe (inc. De impuestos), moneda original MulticurrencyAmountVAT=Importe impuesto, moneda original +PriceQtyMinHT=Precio cantidad min. (sin impuestos) +PriceQtyMinHTCurrency=Precio cantidad min. (sin impuestos) (moneda) +TotalHTShortCurrency=Total (excl. En moneda) +TotalHT=Total (sin impuestos) +TotalHTforthispage=Total (sin impuestos) para esta página Totalforthispage=Total para esta página TotalLT1IN=CGST total +HT=Excl. impuesto INCVATONLY=IVA incluido INCT=Inc. todos los impuestos VATs=Impuestos de ventas @@ -100,6 +131,7 @@ LT1=Impuesto de ventas 2 LT1Type=Tipo de impuesto de ventas 2 LT2=Impuesto de ventas 3 LT2Type=Tipo de impuesto de ventas 3 +LT1GC=Centavos adicionales VATCode=Código de tasa de impuestos VATNPR=Tasa de Impuestos NPR DefaultTaxRate=Tasa impositiva por defecto @@ -112,12 +144,20 @@ CommercialProposalsShort=Cotizaciones LatestLinkedEvents=Los últimos eventos vinculados %s CompanyFoundation=Empresa / Organización Accountant=Contador +ActionsOnCompany=Eventos para este tercero +ActionsOnContact=Eventos para este contacto / dirección +ActionsOnContract=Eventos para este contrato Completed=Terminado RequestAlreadyDone=La solicitud ya ha sido procesada FilterOnInto=Los criterios de búsqueda ' %s ' en los campos %s +DolibarrWorkBoard=Artículos abiertos +NoOpenedElementToProcess=Ningún elemento abierto para procesar Categories=Etiquetas / categorías Category=Etiqueta / categoría +ValidatedToProduce=Validado (Para producir) +ClosedAll=Cerrado (todo) Topic=Tema +LateDesc=Un elemento se define como Retrasado según la configuración del sistema en el menú Inicio - Configuración - Alertas. NoItemLate=Sin artículo atrasado DeletePicture=Borrar imagen ConfirmDeletePicture=¿Confirmar eliminación de imagen? @@ -134,20 +174,27 @@ Uncheck=Desmarcar SupplierPreview=Vista previa del vendedor ShowSupplierPreview=Mostrar vista previa del vendedor Currency=Moneda +SendByMail=Enviar por correo electrónico SendAcknowledgementByMail=Enviar correo electrónico de confirmación SendMail=Enviar correo electrónico +AlreadyRead=Leído ValueIsNotValid=El valor no es valido RecordCreatedSuccessfully=Registro creado exitosamente MoveBox=Mover widget CompleteOrNoMoreReceptionExpected=Completo o nada más esperado. +ExpectedQty=Cant. esperada YouCanChangeValuesForThisListFromDictionarySetup=Puede cambiar los valores para esta lista desde el menú Configuración - Diccionarios YouCanChangeValuesForThisListFrom=Puede cambiar los valores para esta lista desde el menú %s YouCanSetDefaultValueInModuleSetup=Puede configurar el valor predeterminado utilizado al crear un nuevo registro en la configuración del módulo Layout=Diseño +RootOfMedias=Raíz de los medios públicos (/ medias) +FreeLineOfType=Elemento de texto libre, escriba: DocumentModelStandardPDF=Plantilla PDF estándar +WarningYouAreInMaintenanceMode=Advertencia, está en modo de mantenimiento: solo el usuario %s puede utilizar la aplicación en este modo. CoreErrorMessage=Disculpe, ocurrió un error. Póngase en contacto con el administrador del sistema para consultar los registros o deshabilite $ dolibarr_main_prod = 1 para obtener más información. FieldsWithIsForPublic=Los campos con %s se muestran en la lista pública de miembros. Si no quieres esto, desmarca la casilla "público". AccordingToGeoIPDatabase=(De acuerdo a la conversión de GeoIP) +ValidateBefore=El artículo debe estar validado antes de usar esta función. TotalizableDesc=Este campo es totalizable en lista. NewAttribute=Nuevo atributo AttributeCode=Código atributo @@ -156,8 +203,12 @@ LinkToProposal=Enlace a propuesta LinkToOrder=Enlace a pedido LinkToInvoice=Enlace a factura LinkToTemplateInvoice=Enlace a la factura de la plantilla +LinkToSupplierOrder=Enlace a la orden de compra +LinkToSupplierProposal=Enlace a la propuesta del proveedor +LinkToSupplierInvoice=Enlace a la factura del proveedor LinkToContract=Enlace al contrato LinkToIntervention=Enlace a la intervención +LinkToTicket=Enlace al ticket ClickToRefresh=Haga clic para actualizar EditHTMLSource=Editar código fuente HTML SystemTools=Herramientas de sistema @@ -175,26 +226,38 @@ Deny=Negar Denied=Negado ListOfTemplates=Lista de plantillas Gender=Género +Genderman=Masculino +Genderwoman=Femenino ViewList=Vista de la lista Sincerely=Sinceramente +ConfirmDeleteObject=¿Está seguro de que desea eliminar este objeto? DeleteLine=Eliminar linea ConfirmDeleteLine=¿Estás seguro de que quieres eliminar esta línea? +ErrorPDFTkOutputFileNotFound=Error: no se generó el archivo. Verifique que el comando 'pdftk' esté instalado en un directorio incluido en la variable de entorno $PATH (solo linux/unix) o comuníquese con el administrador del sistema. NoPDFAvailableForDocGenAmongChecked=No hay PDF disponibles para la generación de documentos entre el registro verificado TooManyRecordForMassAction=Demasiados registros seleccionados para la acción de masas. La acción está restringida a una lista de registros %s. NoRecordSelected=Sin registro seleccionado MassFilesArea=Área para archivos construidos por acciones masivas. ShowTempMassFilesArea=Mostrar área de archivos construidos por acciones masivas. +ConfirmMassDeletion=Confirmación de eliminación masiva +ConfirmMassDeletionQuestion=¿Está seguro de que desea eliminar los registros seleccionados %s? ClassifyUnbilled=Clasificar sin facturar FrontOffice=Oficina frontal Exports=Las exportaciones ExportFilteredList=Exportar lista filtrada ExportList=Lista de exportación +ExportOfPiecesAlreadyExportedIsEnable=La exportación de piezas ya exportadas está habilitada. +ExportOfPiecesAlreadyExportedIsDisable=La exportación de piezas ya exportadas está deshabilitada. +AllExportedMovementsWereRecordedAsExported=Todos los movimientos exportados se registraron como exportados +NotAllExportedMovementsCouldBeRecordedAsExported=No todos los movimientos exportados se pueden registrar como exportados Miscellaneous=Diverso GroupBy=Agrupar por... SomeTranslationAreUncomplete=Algunos de los idiomas ofrecidos pueden estar solo parcialmente traducidos o pueden contener errores. Ayude a corregir su idioma registrándose en https://transifex.com/projects/p/dolibarr/ < / a> para añadir tus mejoras. DownloadDocument=Descargar documento ActualizeCurrency=Tasa de cambio de moneda +ModuleBuilder=Generador de módulos y aplicaciones ClickToShowHelp=Haga clic para mostrar la ayuda de ayuda. +WebSiteAccounts=Cuentas de sitios web ExpenseReport=Informe de gastos ExpenseReports=Reporte de gastos HR=HORA @@ -211,6 +274,12 @@ ListOpenLeads=Lista de clientes potenciales abiertos ListOpenProjects=Listar proyectos abiertos NewLeadOrProject=Nueva Iniciativa o proyecto LineNb=Línea no. +TabLetteringSupplier=Letras de proveedor +three=Tres +seven=Siete +thirteen=tercero +eighteen=Dieciocho +billion=mil millones SelectMailModel=Seleccione una plantilla de correo electrónico Select2ResultFoundUseArrows=Algunos resultados encontrados. Usa las flechas para seleccionar. Select2NotFound=No se han encontrado resultados @@ -222,6 +291,7 @@ Select2LoadingMoreResults=Cargando más resultados ... Select2SearchInProgress=Búsqueda en progreso ... SearchIntoCustomerInvoices=Facturas de clientes SearchIntoSupplierInvoices=Facturas de proveedores +SearchIntoCustomerOrders=Ordenes de venta SearchIntoSupplierOrders=Ordenes de compra SearchIntoCustomerProposals=Cotizaciones SearchIntoSupplierProposals=Propuestas de proveedores @@ -229,6 +299,7 @@ SearchIntoContracts=Los contratos SearchIntoCustomerShipments=Envios de clientes SearchIntoExpenseReports=Reporte de gastos SearchIntoLeaves=Salir +SearchIntoVendorPayments=Pagos a proveedores NbComments=Numero de comentarios Everybody=Todos PayedTo=Pagado para @@ -237,6 +308,31 @@ Deletedraft=Borrar borrador ConfirmMassDraftDeletion=Confirmación de borrado masivo borrador SelectAThirdPartyFirst=Seleccione un tercero primero ... YouAreCurrentlyInSandboxMode=Actualmente se encuentra en el modo "sandbox" %s +ShowCompanyInfos=Mostrar info de la empresa +ShowMoreInfos=Mostrar más info +NoFilesUploadedYet=Primero cargue un documento +ValidFrom=Válida desde +ToClose=Cerrar +ToProcess=Procesar +ToApprove=Aprobar +NoArticlesFoundForTheKeyword=No se ha encontrado ningún artículo para la palabra clave ' %s ' +NoArticlesFoundForTheCategory=No se ha encontrado ningún artículo para la categoría. +ToAcceptRefuse=Aceptar | Rechazar ContactDefault_agenda=Acción ContactDefault_commande=Orden +ContactDefault_invoice_supplier=Factura del proveedor +ContactDefault_order_supplier=Orden de compra ContactDefault_propal=Propuesta +ContactDefault_supplier_proposal=Propuesta de proveedor +ContactAddedAutomatically=Contacto agregado desde roles de terceros de contacto +DeleteFileHeader=Confirmar la eliminación del archivo +NotUsedForThisCustomer=No utilizado para este cliente +AmountMustBePositive=La cantidad debe ser positiva +ASAP=Lo antes posible +DefaultMailModel=Modelo de correo predeterminado +SecurityTokenHasExpiredSoActionHasBeenCanceledPleaseRetry=El token de seguridad ha caducado, por lo que se canceló la acción. Inténtalo de nuevo. +UpToDate=Al día +OutOfDate=Vencido +EventReminder=Recordatorio de evento +ConfirmAffectTag=Afectar etiqueta en masa +ConfirmAffectTagQuestion=¿Está seguro de que desea afectar las etiquetas a los registros seleccionados %s? diff --git a/htdocs/langs/es_CO/members.lang b/htdocs/langs/es_CO/members.lang index 463ed1141e9..a3f15fb02d8 100644 --- a/htdocs/langs/es_CO/members.lang +++ b/htdocs/langs/es_CO/members.lang @@ -1,3 +1,145 @@ # Dolibarr language file - Source file is en_US - members +MembersArea=Área de miembros +MemberCard=Tarjeta de miembro +SubscriptionCard=Tarjeta de suscripción +ShowMember=Mostrar tarjeta de miembro +ThirdpartyNotLinkedToMember=Tercero no vinculado a un miembro +MembersTickets=Entradas miembros +FundationMembers=Miembros de la fundación +ErrorUserPermissionAllowsToLinksToItselfOnly=Por razones de seguridad, se le deben otorgar permisos para editar todos los usuarios para poder vincular un miembro a un usuario que no es suyo. +SetLinkToUser=Enlace a un usuario de Dolibarr +SetLinkToThirdParty=Enlace a un tercero de Dolibarr +MembersList=Lista de miembros +MembersListToValid=Lista de miembros en borrador (por validar) +MembersListValid=Lista de miembros válidos +MembersListUpToDate=Lista de miembros válidos con suscripción actualizada +MembersListNotUpToDate=Lista de miembros válidos con suscripción desactualizada +MembersListResiliated=Lista de miembros cesados +MembersListQualified=Lista de miembros calificados +MenuMembersToValidate=Borradores de miembros +MenuMembersResiliated=Miembros terminados +MembersWithSubscriptionToReceive=Miembros con suscripción para recibir +MembersWithSubscriptionToReceiveShort=Suscripción para recibir +DateSubscription=Fecha de suscripción +DateEndSubscription=Fecha de finalización de la suscripción +SubscriptionId=ID de suscripción +MemberId=Identificación de miembro +MemberTypeId=ID de tipo de miembro +MemberTypeLabel=Etiqueta de tipo de miembro MemberStatusDraft=Borrador (necesita ser validado) +MemberStatusActive=Validado (suscripción en espera) +MemberStatusActiveLate=Subscripcion vencida +MemberStatusActiveLateShort=Caducado +MemberStatusPaid=Suscripción actualizada +MemberStatusPaidShort=A hoy +MemberStatusResiliated=Miembro rescindido +MemberStatusResiliatedShort=Terminado +MembersStatusToValid=Borradores de miembros +MembersStatusResiliated=Miembros terminados +NewCotisation=Nueva contribución +PaymentSubscription=Pago de nueva contribución +SubscriptionEndDate=Fecha de finalización de la suscripción +MembersTypeSetup=Configuración del tipo de miembros +ConfirmDeleteMemberType=¿Está seguro de que desea eliminar este tipo de miembro? +MemberTypeCanNotBeDeleted=El tipo de miembro no se puede eliminar +NewSubscription=Suscripción nueva +NewSubscriptionDesc=Este formulario le permite registrar su suscripción como nuevo miembro de la fundación. Si desea renovar su suscripción (si ya es miembro), comuníquese con la junta de la fundación por correo electrónico %s. +Subscription=Suscripción +Subscriptions=Suscripciones SubscriptionLate=Retraso +SubscriptionNotReceived=Suscripción nunca recibida +ListOfSubscriptions=Lista de suscripciones +SendCardByMail=Enviar tarjeta por correo electrónico +NoTypeDefinedGoToSetup=No se han definido tipos de miembros. Ir al menú "Tipos de miembros" +WelcomeEMail=Correo electrónico de bienvenida +SubscriptionRequired=Se requiere suscripción +VoteAllowed=Voto permitido +ResiliateMember=Terminar un miembro +ConfirmResiliateMember=¿Está seguro de que desea dar de baja a este miembro? +ConfirmDeleteMember=¿Está seguro de que desea eliminar este miembro (eliminar un miembro eliminará todas sus suscripciones)? +DeleteSubscription=Eliminar una suscripción +ConfirmDeleteSubscription=¿Está seguro de que desea eliminar esta suscripción? +Filehtpasswd=archivo htpasswd +ConfirmValidateMember=¿Está seguro de que desea validar este miembro? +FollowingLinksArePublic=Los siguientes enlaces son páginas abiertas no protegidas por ningún permiso de Dolibarr. No son páginas formateadas, proporcionadas como ejemplo para mostrar cómo enumerar la base de datos de miembros. +PublicMemberList=Lista pública de miembros +BlankSubscriptionForm=Formulario público de auto-suscripción +BlankSubscriptionFormDesc=Dolibarr puede proporcionarle una URL / sitio web público para permitir que los visitantes externos soliciten suscribirse a la fundación. Si se habilita un módulo de pago en línea, también se puede proporcionar un formulario de pago automáticamente. +EnablePublicSubscriptionForm=Habilite el sitio web público con el formulario de auto-suscripción +ExportDataset_member_1=Miembros y suscripciones +LastMembersModified=Últimos miembros modificados %s +LastSubscriptionsModified=Últimas suscripciones modificadas %s +Text=Texto +PublicMemberCard=Tarjeta pública de miembro +SubscriptionNotRecorded=Suscripción no registrada +AddSubscription=Crear suscripción +ShowSubscription=Mostrar suscripción +SendingAnEMailToMember=Envío de correo electrónico de información al miembro +SendingEmailOnAutoSubscription=Envío de correo electrónico en el registro automático +SendingEmailOnMemberValidation=Envío de correo electrónico sobre la validación de nuevos miembros +SendingEmailOnNewSubscription=Envío de correo electrónico con una nueva suscripción +SendingReminderForExpiredSubscription=Envío de recordatorio de suscripciones caducadas +SendingEmailOnCancelation=Envío de correo electrónico sobre cancelación +YourMembershipRequestWasReceived=Se recibió su membresía. +YourMembershipWasValidated=Tu membresía fue validada +YourSubscriptionWasRecorded=Se registró su nueva suscripción +YourMembershipWasCanceled=Tu membresía fue cancelada +CardContent=Contenido de su tarjeta de miembro +ThisIsContentOfYourMembershipRequestWasReceived=Queremos informarle que se recibió su solicitud de membresía.

+ThisIsContentOfYourMembershipWasValidated=Queremos informarle que su membresía fue validada con la siguiente información:

+ThisIsContentOfYourSubscriptionWasRecorded=Queremos informarle que se registró su nueva suscripción.

+ThisIsContentOfSubscriptionReminderEmail=Queremos informarle que su suscripción está a punto de caducar o que ya ha caducado (__MEMBER_LAST_SUBSCRIPTION_DATE_END__). Esperamos que lo renueve.

+ThisIsContentOfYourCard=Este es un resumen de la información que tenemos sobre usted. Por favor contáctenos si algo es incorrecto.

+DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=Asunto del correo electrónico de notificación recibido en caso de autoinscripción de un invitado +DescADHERENT_AUTOREGISTER_NOTIF_MAIL=Contenido del correo electrónico de notificación recibido en caso de autoinscripción de un invitado +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=Plantilla de correo electrónico que se utilizará para enviar un correo electrónico a un miembro con suscripción automática para miembros +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Plantilla de correo electrónico que se utilizará para enviar un correo electrónico a un miembro sobre la validación del miembro +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Plantilla de correo electrónico que se utilizará para enviar un correo electrónico a un miembro en la grabación de una nueva suscripción +DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Plantilla de correo electrónico que se utilizará para enviar un recordatorio por correo electrónico cuando la suscripción esté a punto de vencer +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Plantilla de correo electrónico que se utilizará para enviar un correo electrónico a un miembro sobre la cancelación de un miembro +DescADHERENT_MAIL_FROM=Correo electrónico del remitente para correos electrónicos automáticos +DescADHERENT_ETIQUETTE_TYPE=Formato de la página de etiquetas +DescADHERENT_ETIQUETTE_TEXT=Texto impreso en hojas de direcciones de miembros +DescADHERENT_CARD_TYPE=Formato de la página de tarjetas +DescADHERENT_CARD_HEADER_TEXT=Texto impreso en la parte superior de las tarjetas de miembro +DescADHERENT_CARD_TEXT=Texto impreso en tarjetas de miembro (alinear a la izquierda) +DescADHERENT_CARD_TEXT_RIGHT=Texto impreso en tarjetas de miembro (alinear a la derecha) +DescADHERENT_CARD_FOOTER_TEXT=Texto impreso en la parte inferior de las tarjetas de miembro +HTPasswordExport=generación de archivo htpassword +MembersAndSubscriptions=Miembros y suscripciones +MoreActions=Acción complementaria a la grabación +MoreActionsOnSubscription=Acción complementaria, sugerida por defecto al registrar una suscripción +MoreActionBankDirect=Cree una entrada directa en la cuenta bancaria +MoreActionBankViaInvoice=Crea una factura y un pago en cuenta bancaria +MoreActionInvoiceOnly=Crea una factura sin pago +LinkToGeneratedPages=Generar tarjetas de visita +LinkToGeneratedPagesDesc=Esta pantalla le permite generar archivos PDF con tarjetas de presentación para todos sus miembros o un miembro en particular. +DocForAllMembersCards=Genere tarjetas de presentación para todos los miembros +DocForOneMemberCards=Genere tarjetas de presentación para un miembro en particular +DocForLabels=Generar hojas de direcciones +SubscriptionPayment=Pago de suscripción +LastSubscriptionDate=Fecha del último pago de suscripción +LastSubscriptionAmount=Cantidad de la última suscripción +MembersStatisticsByState=Estadísticas de miembros por estado / provincia +MembersStatisticsByTown=Estadísticas de miembros por ciudad +NoValidatedMemberYet=No se encontraron miembros validados +MembersStatisticsDesc=Elija las estadísticas que desea leer ... +LatestSubscriptionDate=Última fecha de suscripción +NewMemberbyWeb=Nuevo miembro agregado. Esperando aprobacion +NewMemberForm=Formulario de nuevo miembro +NbOfSubscriptions=Numero de suscripciones +TurnoverOrBudget=Facturación (para una empresa) o Presupuesto (para una fundación) +DefaultAmount=Cantidad predeterminada de suscripción +CanEditAmount=El visitante puede elegir / editar el monto de su suscripción +MEMBER_NEWFORM_PAYONLINE=Ir a la página de pago en línea integrada +MembersStatisticsByProperties=Estadísticas de miembros por naturaleza +VATToUseForSubscriptions=Tasa de IVA a utilizar para las suscripciones +NoVatOnSubscription=Sin IVA para suscripciones +ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producto utilizado para la línea de suscripción en la factura: %s +SubscriptionRecorded=Suscripción registrada +NoEmailSentToMember=No se envió ningún correo electrónico al miembro +EmailSentToMember=Correo electrónico enviado al miembro %s +SendReminderForExpiredSubscriptionTitle=Envíe un recordatorio por correo electrónico para la suscripción caducada +SendReminderForExpiredSubscription=Envíe un recordatorio por correo electrónico a los miembros cuando la suscripción esté a punto de caducar (el parámetro es el número de días antes del final de la suscripción para enviar el recordatorio. Puede ser una lista de días separados por un punto y coma, por ejemplo, '10; 5; 0; -5 ') +YouMayFindYourInvoiceInThisEmail=Puede encontrar su factura adjunta a este correo electrónico +XMembersClosed=%s miembro (s) cerrado diff --git a/htdocs/langs/es_CO/modulebuilder.lang b/htdocs/langs/es_CO/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_CO/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_CO/orders.lang b/htdocs/langs/es_CO/orders.lang index c1a7be94092..2e3d92a6f6c 100644 --- a/htdocs/langs/es_CO/orders.lang +++ b/htdocs/langs/es_CO/orders.lang @@ -1,12 +1,153 @@ # Dolibarr language file - Source file is en_US - orders +OrdersArea=Área de pedidos de clientes +SuppliersOrdersArea=Área de órdenes de compra +OrderCard=Tarjeta de pedido +OrderId=Solicitar ID Order=Orden PdfOrderTitle=Orden +Orders=Ordenes +OrderLine=Fila para ordenar +OrderDateShort=Fecha de orden +OrderToProcess=Orden para procesar +NewOrder=Nuevo orden +NewOrderSupplier=Nueva orden de compra +ToOrder=Realizar orden +MakeOrder=Realizar orden +SupplierOrder=Orden de compra SuppliersOrders=Ordenes de compra +SuppliersOrdersRunning=Órdenes de compra actuales +CustomerOrder=Órdenes de venta +CustomersOrders=Órdenes de venta +CustomersOrdersRunning=Órdenes de venta actuales +CustomersOrdersAndOrdersLines=Órdenes de venta y detalles de la orden +OrdersDeliveredToBill=Órdenes de venta entregadas a la factura +OrdersToBill=Órdenes de venta entregadas +OrdersInProcess=Órdenes de venta en proceso +OrdersToProcess=Órdenes de venta a procesar +SuppliersOrdersToProcess=Órdenes de compra a procesar +SuppliersOrdersAwaitingReception=Órdenes de compra pendientes de recepción +AwaitingReception=Esperando recepción StatusOrderCanceledShort=Cancelado +StatusOrderSentShort=En proceso +StatusOrderSent=Envío en proceso +StatusOrderOnProcessShort=Ordenado +StatusOrderProcessedShort=Procesada +StatusOrderDelivered=Entregado +StatusOrderDeliveredShort=Entregado +StatusOrderToBillShort=Entregado +StatusOrderToProcessShort=Procesar StatusOrderCanceled=Cancelado StatusOrderDraft=Borrador (necesita ser validado) +StatusOrderOnProcess=Ordenado - recepción en espera +StatusOrderOnProcessWithValidation=Ordenado - recepción o validación en espera +StatusOrderProcessed=Procesada +StatusOrderToBill=Entregado +ShippingExist=Existe un envío +QtyOrdered=Cantidad pedida +ProductQtyInDraft=Cantidad de producto en Ordenes en borrador +ProductQtyInDraftOrWaitingApproved=Cantidad de producto en borradores o pedidos aprobados, aún no ordenados +MenuOrdersToBill=Órdenes entregadas +MenuOrdersToBill2=Órdenes facturables +CreateOrder=Crear orden +RefuseOrder=Rechazar orden +ApproveOrder=Aprobar orden +Approve2Order=Aprobar orden (segundo nivel) +ValidateOrder=Validar orden +UnvalidateOrder=Orden no validada +DeleteOrder=Eliminar orden +CancelOrder=Cancelar orden +OrderReopened=Orden %s re-abrir +AddOrder=Crear orden +AddPurchaseOrder=Crear orden de compra +AddToDraftOrders=Agregar a la orden en borrador +ShowOrder=Mostrar orden +OrdersOpened=Órdenes a procesar +NoDraftOrders=Sin órdenes en borrador +NoOrder=Sin orden +LastOrders=Últimas %s órdenes de venta +LastCustomerOrders=Últimas %s órdenes de venta +LastSupplierOrders=Últimas %s órdenes de compra +LastModifiedOrders=Últimas %s órdenes modificadas +AllOrders=Todas las órdenes +NbOfOrders=Numero de órdenes +OrdersStatistics=Estadísticas de órdenes +OrdersStatisticsSuppliers=Estadísticas de órdenes de compra +NumberOfOrdersByMonth=Número de órdenes por mes +AmountOfOrdersByMonthHT=Cantidad de órdenes por mes (sin impuestos) +ListOfOrders=Listado de órdenes +CloseOrder=Cerrar orden +ConfirmCloseOrder=¿Está seguro de que desea configurar esta orden como entregada? Una vez una orden es entregada, se puede facturar. +ConfirmDeleteOrder=¿Está seguro de que desea eliminar esta orden? +ConfirmValidateOrder=¿Está seguro de que desea validar esta orden bajo el nombre %s ? +ConfirmUnvalidateOrder=¿Está seguro de que desea restaurar la orden %s al estado de borrador? +ConfirmCancelOrder=¿Estás seguro de que deseas cancelar esta orden? +ConfirmMakeOrder=¿Está seguro de que desea confirmar que hizo esta orden en %s ? +GenerateBill=Generar factura +ClassifyShipped=Marcar como entregado +DraftOrders=Órdenes en borrador +DraftSuppliersOrders=Órdenes de compra en borrador +OnProcessOrders=Órdenes en proceso +RefOrder=Ref. de orden +RefCustomerOrder=Ref. de orden de cliente +RefOrderSupplier=Ref. de orden de proveedor +RefOrderSupplierShort=Ref. de orden de proveedor +SendOrderByMail=Enviar orden por correo +ActionsOnOrder=Eventos en la orden +NoArticleOfTypeProduct=Ningún artículo de tipo 'producto', por lo que no hay ningún artículo que se pueda enviar para esta orden +OrderMode=Método para ordenar +AuthorRequest=Autor de la solicitud +UserWithApproveOrderGrant=Usuarios con permiso de "aprobar ordenes". +PaymentOrderRef=Pago de la orden %s +ConfirmCloneOrder=¿Está seguro de que desea duplicar esta orden %s ? +DispatchSupplierOrder=Recibiendo orden de compra %s +FirstApprovalAlreadyDone=Primera aprobación ya hecha +SecondApprovalAlreadyDone=Segunda aprobación ya hecha +SupplierOrderReceivedInDolibarr=Orden de compra %s recibida %s +SupplierOrderSubmitedInDolibarr=Orden de compra %s enviada +SupplierOrderClassifiedBilled=Orden de compra %s conjunto facturado +OtherOrders=Otras ordenes +TypeContact_commande_internal_SALESREPFOLL=Representante en seguimiento de orden de venta +TypeContact_commande_internal_SHIPPING=Representante en seguimiento de envío TypeContact_commande_external_BILLING=Contacto factura cliente TypeContact_commande_external_SHIPPING=Contacto de envío del cliente +TypeContact_commande_external_CUSTOMER=Cliente en seguimiento de orden +TypeContact_order_supplier_internal_SALESREPFOLL=Representante en seguimiento de Orden de compra +TypeContact_order_supplier_internal_SHIPPING=Representante en seguimiento de envío +TypeContact_order_supplier_external_BILLING=Contacto de facturación del proveedor +TypeContact_order_supplier_external_SHIPPING=Contacto de despachos del proveedor +TypeContact_order_supplier_external_CUSTOMER=Contacto en seguimiento de orden de proveedor +Error_OrderNotChecked=No se seleccionaron ordenes para facturar +PDFEinsteinDescription=Un modelo de orden completo (implementación anterior de la plantilla Eratosthene) +PDFEratostheneDescription=Un modelo de orden completo +PDFEdisonDescription=Un modelo de orden simple +PDFProformaDescription=Una plantilla de factura proforma completa +CreateInvoiceForThisCustomer=Órdenes de facturación +CreateInvoiceForThisSupplier=Órdenes de facturación +NoOrdersToInvoice=No hay órdenes facturables +CloseProcessedOrdersAutomatically=Marcar como "Procesados" todos los pedidos seleccionados. +OrderCreation=Creación de órdenes +Ordered=Ordenado +OrderCreated=Tus órdenes han sido creadas +OrderFail=Error durante la creación de sus ordenes +CreateOrders=Crear órdenes +ToBillSeveralOrderSelectCustomer=Para crear una factura para varias órdenes, primero haga clic en cliente y luego seleccione "%s". +OptionToSetOrderBilledNotEnabled=La opción del módulo Workflow, para marcar la orden como 'Facturada' automáticamente cuando se valida la factura, no está habilitada, por lo que tendrá cambiar el estado de las órdenes a 'Facturado' manualmente después de que se haya generado la factura. +IfValidateInvoiceIsNoOrderStayUnbilled=Si la validación de la factura es 'No', la orden permanecerá en el estado de 'No facturado' hasta que se valide la factura. +CloseReceivedSupplierOrdersAutomatically=Cierre la orden al estado "%s" automáticamente si se reciben todos los productos. +SetShippingMode=Establecer modo de envío +WithReceptionFinished=Con recepción terminada StatusSupplierOrderCanceledShort=Cancelado +StatusSupplierOrderSentShort=En proceso +StatusSupplierOrderSent=Envío en proceso +StatusSupplierOrderOnProcessShort=Ordenado +StatusSupplierOrderProcessedShort=Procesada +StatusSupplierOrderDelivered=Entregado +StatusSupplierOrderDeliveredShort=Entregado +StatusSupplierOrderToBillShort=Entregado +StatusSupplierOrderToProcessShort=Procesar StatusSupplierOrderCanceled=Cancelado StatusSupplierOrderDraft=Borrador (necesita ser validado) +StatusSupplierOrderOnProcess=Pedido: recepción en espera +StatusSupplierOrderOnProcessWithValidation=Pedido: recepción o validación en espera +StatusSupplierOrderProcessed=Procesada +StatusSupplierOrderToBill=Entregado diff --git a/htdocs/langs/es_CO/other.lang b/htdocs/langs/es_CO/other.lang index e239e7114b3..2d8c44d561e 100644 --- a/htdocs/langs/es_CO/other.lang +++ b/htdocs/langs/es_CO/other.lang @@ -95,7 +95,6 @@ EnableGDLibraryDesc=Instale o habilite la biblioteca GD en su instalación de PH ProfIdShortDesc= La identificación del profesor %s es una información que depende del país tercero.
Por ejemplo, para el país %s , es el código %s . DolibarrDemo=Dolibarr ERP / CRM demo StatsByNumberOfUnits=Estadísticas por suma de cantidad de productos / servicios. -StatsByNumberOfEntities=Estadísticas en número de entidades referentes (n. ° de factura, o pedido ...) NumberOfProposals=Numero de propuestas NumberOfCustomerInvoices=Número de facturas de clientes NumberOfUnitsProposals=Número de unidades sobre propuestas. diff --git a/htdocs/langs/es_CO/partnership.lang b/htdocs/langs/es_CO/partnership.lang new file mode 100644 index 00000000000..bcb4f9e1365 --- /dev/null +++ b/htdocs/langs/es_CO/partnership.lang @@ -0,0 +1,12 @@ +# Dolibarr language file - Source file is en_US - partnership +ModulePartnershipName =Gestión de alianzas +PartnershipDescription =Módulo de gestión de asociaciones +PartnershipDescriptionLong=Módulo de gestión de asociaciones +NewPartnership =Nueva sociedad +ListOfPartnerships =Lista de asociación +PartnershipSetup =Configuración de la asociación +PartnershipAbout =Acerca de la asociación +PartnershipAboutPage =Página "acerca de" la asociación +DatePartnershipEnd=Fecha final +PartnershipCanceled =Cancelado +PartnershipManagedFor=Socios son diff --git a/htdocs/langs/es_CO/paybox.lang b/htdocs/langs/es_CO/paybox.lang index b5e026cdced..f9460c9eb45 100644 --- a/htdocs/langs/es_CO/paybox.lang +++ b/htdocs/langs/es_CO/paybox.lang @@ -1,2 +1,24 @@ # Dolibarr language file - Source file is en_US - paybox +PayBoxSetup=Configuración del módulo PayBox +PayBoxDesc=Este módulo ofrece páginas para permitir el pago en
Paybox por parte de los clientes. Esto se puede utilizar para un pago gratuito o para un pago en un objeto Dolibarr en particular (factura, pedido, ...) +FollowingUrlAreAvailableToMakePayments=Las siguientes URL están disponibles para ofrecer una página a un cliente para realizar un pago en objetos Dolibarr +WelcomeOnPaymentPage=Bienvenido a nuestro servicio de pago online +ThisScreenAllowsYouToPay=Esta pantalla le permite realizar un pago en línea a %s. +ThisIsInformationOnPayment=Esta es la información sobre el pago a realizar +ToComplete=Completar +YourEMail=Correo electrónico para recibir la confirmación del pago +Creditor=Acreedor +PayBoxDoPayment=Pagar con Paybox +YouWillBeRedirectedOnPayBox=Será redirigido a la página segura de Paybox para ingresar la información de su tarjeta de crédito Continue=Siguiente +SetupPayBoxToHavePaymentCreatedAutomatically=Configure su Paybox con la URL %s para que el pago se cree automáticamente cuando lo valide Paybox. +YourPaymentHasBeenRecorded=Esta página confirma que su pago ha sido registrado. Gracias. +YourPaymentHasNotBeenRecorded=Su pago NO ha sido registrado y la transacción ha sido cancelada. Gracias. +AccountParameter=Parámetros de cuenta +InformationToFindParameters=Ayuda para encontrar la información de su cuenta %s +PAYBOX_CGI_URL_V2=Url del módulo CGI de Paybox para pago +CSSUrlForPaymentForm=URL de la hoja de estilo CSS para el formulario de pago +NewPayboxPaymentReceived=Nuevo pago recibido de Paybox +NewPayboxPaymentFailed=Nuevo pago de Paybox intentado pero fallido +PAYBOX_PAYONLINE_SENDEMAIL=Notificación por correo electrónico después del intento de pago (éxito o fracaso) +PAYBOX_PBX_RANG=Valor para PBX Rang diff --git a/htdocs/langs/es_CO/productbatch.lang b/htdocs/langs/es_CO/productbatch.lang index c1aaffb3380..6099d17f0a1 100644 --- a/htdocs/langs/es_CO/productbatch.lang +++ b/htdocs/langs/es_CO/productbatch.lang @@ -1,5 +1,7 @@ # Dolibarr language file - Source file is en_US - productbatch ManageLotSerial=Use número de lote/serie +ProductStatusOnBatch=Si (se requiere lote) +ProductStatusOnSerial=Sí (número de serie único requerido) ProductStatusNotOnBatch=No (lote/serie no usado) atleast1batchfield=Fecha de consumo o fecha de venta o número de lote/serie batch_number=Número de lote/serie @@ -17,3 +19,6 @@ ProductLotSetup=Configuración de modulo lote/serie ShowCurrentStockOfLot=Mostrar valores actuales por pareja producto/lote ShowLogOfMovementIfLot=Mostrar registro de movimientos por pareja producto/lote StockDetailPerBatch=Valores detallados por lote +SerialNumberAlreadyInUse=El número de serie %s ya se usa para el producto %s +BatchLotNumberingModules=Opciones para generación automática en masa de productos gestionados por lotes +BatchSerialNumberingModules=Opciones para generación automática en masa de productos gestionados por números de serie diff --git a/htdocs/langs/es_CO/products.lang b/htdocs/langs/es_CO/products.lang index fa44c381e34..da4a5bc3613 100644 --- a/htdocs/langs/es_CO/products.lang +++ b/htdocs/langs/es_CO/products.lang @@ -79,9 +79,7 @@ ListProductServiceByPopularity=Lista de productos / servicios por popularidad ListProductByPopularity=Listado de productos por popularidad. ListServiceByPopularity=Listado de servicios por popularidad. ConfirmCloneProduct=¿Está seguro de que desea clonar el producto o servicio %s ? -CloneContentProduct=Clona toda la información principal del producto / servicio. ClonePricesProduct=Precios de clon -CloneCombinationsProduct=Variantes de productos clonados. ProductIsUsed=Este producto es usado NewRefForClone=Árbitro. de nuevo producto / servicio CustomerPrices=Precios al cliente diff --git a/htdocs/langs/es_CO/projects.lang b/htdocs/langs/es_CO/projects.lang index 9fff1ff1340..ffc9126eff3 100644 --- a/htdocs/langs/es_CO/projects.lang +++ b/htdocs/langs/es_CO/projects.lang @@ -7,18 +7,15 @@ ProjectsArea=Area de proyectos SharedProject=Todos PrivateProject=Contactos del proyecto AllAllowedProjects=Todo el proyecto que puedo leer (mío + público) -MyProjectsDesc=Esta vista se limita a los proyectos para los que es un contacto. ProjectsPublicDesc=Esta vista presenta todos los proyectos que se le permite leer. TasksOnProjectsPublicDesc=Esta vista presenta todas las tareas en los proyectos que se le permite leer. ProjectsPublicTaskDesc=Esta vista presenta todos los proyectos y tareas que puede leer. ProjectsDesc=Esta vista presenta todos los proyectos (sus permisos de usuario le otorgan permiso para ver todo). TasksOnProjectsDesc=Esta vista presenta todas las tareas en todos los proyectos (sus permisos de usuario le otorgan permiso para ver todo). -MyTasksDesc=Esta vista se limita a proyectos o tareas para las que es un contacto. OnlyOpenedProject=Solo los proyectos abiertos son visibles (los proyectos en estado borrador o cerrado no son visibles). TasksPublicDesc=Esta vista presenta todos los proyectos y tareas que puede leer. TasksDesc=Esta vista presenta todos los proyectos y tareas (sus permisos de usuario le otorgan permiso para ver todo). AllTaskVisibleButEditIfYouAreAssigned=Todas las tareas para proyectos calificados son visibles, pero puede ingresar el tiempo solo para la tarea asignada al usuario seleccionado. Asigne tarea si necesita ingresar tiempo en ella. -OnlyYourTaskAreVisible=Sólo las tareas asignadas a usted son visibles. Asigne una tarea a usted mismo si no está visible y necesita ingresar tiempo en ella. ProjectCategories=Etiquetas / categorías del proyecto DeleteAProject=Borrar un proyecto ConfirmDeleteAProject=¿Estás seguro de que quieres eliminar este proyecto? @@ -131,7 +128,6 @@ ResourceNotAssignedToProject=No asignado al proyecto. ResourceNotAssignedToTheTask=No asignado a la tarea. NoUserAssignedToTheProject=No hay usuarios asignados a este proyecto. TimeSpentBy=Tiempo pasado por -AssignTaskToMe=Asigname tarea AssignTaskToUser=Asignar tarea a %s SelectTaskToAssign=Seleccionar tarea para asignar ... ProjectOverview=Visión general diff --git a/htdocs/langs/es_CO/resource.lang b/htdocs/langs/es_CO/resource.lang new file mode 100644 index 00000000000..5c415f2894f --- /dev/null +++ b/htdocs/langs/es_CO/resource.lang @@ -0,0 +1,19 @@ +# Dolibarr language file - Source file is en_US - resource +ConfirmDeleteResourceElement=Confirma la eliminación del recurso para este elemento. +NoResourceInDatabase=Ningún recurso en la base de datos. +NoResourceLinked=Ningún recurso vinculado +ResourcePageIndex=Lista de recursos +ResourceCard=Tarjeta de recursos +AddResource=Crea un recurso +ResourceFormLabel_ref=Nombre del recurso +ResourceFormLabel_description=Descripción de recurso +ResourcesLinkedToElement=Recursos vinculados al elemento +ShowResource=Mostrar recurso +ResourceElementPage=Recursos de elementos +ResourceCreatedWithSuccess=Recurso creado con éxito +RessourceLineSuccessfullyDeleted=Línea de recursos eliminada correctamente +RessourceLineSuccessfullyUpdated=Línea de recursos actualizada correctamente +ResourceLinkedWithSuccess=Recurso vinculado con éxito +ConfirmDeleteResource=Confirmar para eliminar este recurso +IdResource=Identificación del recurso +ResourceTypeCode=Código del tipo de recurso diff --git a/htdocs/langs/es_CO/salaries.lang b/htdocs/langs/es_CO/salaries.lang index a4085292909..32462fd0221 100644 --- a/htdocs/langs/es_CO/salaries.lang +++ b/htdocs/langs/es_CO/salaries.lang @@ -1,3 +1,11 @@ # Dolibarr language file - Source file is en_US - salaries SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Cuenta contable utilizada para usuarios de terceros SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=La cuenta de contabilidad dedicada definida en la tarjeta de usuario se usará solo para la contabilidad del libro auxiliar. Este se usará para el Libro mayor y como valor predeterminado de la contabilidad del libro auxiliar si la cuenta de contabilidad del usuario dedicada no está definida. +NewSalaryPayment=Nueva tarjeta de salario +AddSalaryPayment=Agregar pago de salario +THM=Tarifa por hora promedio +TJM=Tarifa diaria promedio +THMDescription=Este valor puede usarse para calcular el costo de tiempo consumido en un proyecto ingresado por los usuarios si se usa el módulo proyecto +TJMDescription=Este valor es actualmente solo para información y no se usa para ningún cálculo. +LastSalaries=Últimos pagos de salario %s +AllSalaries=Todos los pagos de salario diff --git a/htdocs/langs/es_CO/stocks.lang b/htdocs/langs/es_CO/stocks.lang index 28b80e7fa90..e6aa9ec27df 100644 --- a/htdocs/langs/es_CO/stocks.lang +++ b/htdocs/langs/es_CO/stocks.lang @@ -1,7 +1,171 @@ # Dolibarr language file - Source file is en_US - stocks +WarehouseCard=Tarjeta de almacén +Warehouse=Depósito +ParentWarehouse=Almacén principal +NewWarehouse=Nuevo almacén / ubicación de stock +WarehouseEdit=Modificar almacén +MenuNewWarehouse=Almacén nuevo +WarehouseSource=Almacén de origen +WarehouseSourceNotDefined=Sin almacén definido +AddOne=Agrega uno +DefaultWarehouse=Almacén predeterminado +WarehouseTarget=Almacén de destino +ValidateSending=Eliminar envío +CancelSending=Cancelar el envío +MissingStocks=Existencias faltantes +StockAtDate=Existencias a la fecha +StocksByLotSerial=Existencias por lote / serie +LotSerial=Lotes / Series +LotSerialList=Lista de lotes / series +ErrorWarehouseRefRequired=Se requiere el nombre de referencia del almacén +ListOfWarehouses=Lista de almacenes +ListOfInventories=Lista de inventarios +MovementId=ID de movimiento +StockMovementForId=ID de movimiento %d +ListMouvementStockProject=Lista de movimientos de stock asociados al proyecto +StocksArea=Zona de almacenes +IncludeEmptyDesiredStock=Incluya también stock negativo con stock deseado indefinido +IncludeAlsoDraftOrders=Incluir también borradores de pedidos +Location=Localización +NumberOfProducts=Número total de productos +StockCorrection=Corrección de stock +CorrectStock=Stock correcto +StockTransfer=Transferencia de acciones +MassStockTransferShort=Transferencia masiva de existencias +StockMovement=Movimiento de valores +NumberOfUnit=Número de unidades UnitPurchaseValue=Precio unitario de compra +StockTooLow=Stock demasiado bajo +StockLowerThanLimit=Stock por debajo del límite de alerta (%s) PMPValue=Precio promedio ponderado +EnhancedValueOfWarehouses=Valor de los almacenes +UserWarehouseAutoCreate=Cree un almacén de usuarios automáticamente al crear un usuario +AllowAddLimitStockByWarehouse=Gestionar también el valor del stock mínimo y deseado por emparejamiento (producto-almacén) además del valor del stock mínimo y deseado por producto +WarehouseAskWarehouseDuringPropal=Establecer un almacén en propuestas comerciales +WarehouseAskWarehouseDuringOrder=Establecer un almacén en pedidos de venta +UserDefaultWarehouse=Establecer un almacén en los usuarios +MainDefaultWarehouse=Almacén predeterminado +MainDefaultWarehouseUser=Utilice un almacén predeterminado para cada usuario +MainDefaultWarehouseUserDesc=Al activar esta opción, durante la creación de un producto se definirá en éste el almacén asignado al producto. Si no se define ningún almacén en el usuario, se define el almacén predeterminado. +IndependantSubProductStock=El stock de productos y el stock de subproductos son independientes +QtyDispatched=Cantidad enviada +QtyDispatchedShort=Cantidad enviada +QtyToDispatchShort=Cantidad a enviar +OrderDispatch=Recibos de artículos +RuleForStockManagementDecrease=Elija Regla para la disminución automática de existencias (la disminución manual siempre es posible, incluso si está activada una regla de disminución automática) +RuleForStockManagementIncrease=Elija Regla para aumento automático de stock (el aumento manual siempre es posible, incluso si está activada una regla de aumento automático) +DeStockOnBill=Disminuir las existencias reales en la validación de la factura / nota de crédito del cliente +DeStockOnValidateOrder=Disminuir las existencias reales en la validación de la orden de venta. +DeStockOnShipment=Disminuir las existencias reales en la validación del envío +DeStockOnShipmentOnClosing=Disminuir las existencias reales cuando el envío está configurado como cerrado +ReStockOnBill=Aumente las existencias reales en la validación de la factura / nota de crédito del proveedor +ReStockOnValidateOrder=Aumentar las existencias reales tras la aprobación de la orden de compra +ReStockOnDispatchOrder=Aumente las existencias reales en el envío manual al almacén, después de la recepción de la orden de compra de las mercancías +StockOnReception=Incrementar las existencias reales tras la validación de la recepción. +StockOnReceptionOnClosing=Aumente las existencias reales cuando la recepción esté configurada como cerrada +OrderStatusNotReadyToDispatch=El pedido aún no tiene o no tiene un estado que permita el envío de productos en los almacenes de stock. +StockDiffPhysicTeoric=Explicación de la diferencia entre stock físico y virtual +NoPredefinedProductToDispatch=No hay productos predefinidos para este objeto. Por lo que no se requiere envío en stock. +DispatchVerb=Envío +StockLimitShort=Límite de alerta +StockLimit=Límite de stock para alerta +PhysicalStock=Inventario FISICO +RealStockDesc=El stock físico / real es el stock que se encuentra actualmente en los almacenes. +RealStockWillAutomaticallyWhen=El stock real se modificará de acuerdo con esta regla (según se define en el módulo Stock): +VirtualStockAtDate=Stock virtual a la fecha +VirtualStockDesc=El stock virtual es el stock calculado disponible una vez que se cierran todas las acciones abiertas / pendientes (que afectan a las existencias) (órdenes de compra recibidas, órdenes de venta enviadas, órdenes de fabricación producidas, etc.) +IdWarehouse=ID de almacén +LieuWareHouse=Almacén de localización +WarehousesAndProductsBatchDetail=Almacenes y productos (con detalle por lote / serie) AverageUnitPricePMPShort=Precio promedio ponderado +SellPriceMin=Precio unitario de venta +EstimatedStockValueShort=Valor de stock de entrada +EstimatedStockValue=Valor de stock de entrada +ConfirmDeleteWarehouse=¿Está seguro de que desea eliminar el almacén %s ? +PersonalStock=Acciones personales %s +SelectWarehouseForStockDecrease=Elija el almacén a utilizar para la disminución de existencias +SelectWarehouseForStockIncrease=Elija el almacén que desee utilizar para aumentar las existencias +NoStockAction=Sin acción de stock +DesiredStockDesc=Esta cantidad de stock será el valor utilizado para llenar el stock mediante la función de reabastecimiento. +StockToBuy=Ordenar +Replenishment=Reposición +ReplenishmentOrders=Órdenes de reabastecimiento +VirtualDiffersFromPhysical=Según el aumento / disminución de las opciones sobre acciones, el stock físico y el stock virtual (stock físico + órdenes abiertas) pueden diferir +UseRealStockByDefault=Utilice stock real, en lugar de stock virtual, para la función de reabastecimiento +UseVirtualStock=Utilizar stock virtual +UsePhysicalStock=Utilizar stock físico +CurentlyUsingPhysicalStock=Inventario FISICO +RuleForStockReplenishment=Regla para la reposición de existencias +SelectProductWithNotNullQty=Seleccione al menos un producto con una cantidad no nula y un proveedor +AlertOnly=Solo alertas +WarehouseForStockDecrease=El almacén %s se utilizará para la disminución de existencias +WarehouseForStockIncrease=El almacén %s se utilizará para aumentar las existencias +ReplenishmentStatusDesc=Esta es una lista de todos los productos con un stock inferior al stock deseado (o inferior al valor de alerta si la casilla de verificación "solo alerta" está marcada). Usando la casilla de verificación, puede crear órdenes de compra para cubrir la diferencia. +ReplenishmentOrdersDesc=Esta es una lista de todas las órdenes de compra abiertas, incluidos los productos predefinidos. Solo pedidos abiertos con productos predefinidos, por lo que los pedidos que pueden afectar a las existencias son visibles aquí. +Replenishments=Reabastecimientos +NbOfProductBeforePeriod=Cantidad de producto %s en stock antes del período seleccionado (<%s) +NbOfProductAfterPeriod=Cantidad de producto %s en stock después del período seleccionado (> %s) +MassMovement=Movimiento masivo +RecordMovement=Transferencia de registros +ReceivingForSameOrder=Recibos de este pedido +StockMovementRecorded=Movimientos de stock registrados +RuleForStockAvailability=Normas sobre requisitos de stock +StockMustBeEnoughForInvoice=El nivel de stock debe ser suficiente para agregar el producto / servicio a la factura (la verificación se realiza en el stock real actual al agregar una línea a la factura, cualquiera que sea la regla para el cambio automático de stock) +StockMustBeEnoughForOrder=El nivel de stock debe ser suficiente para agregar un producto / servicio al pedido (la verificación se realiza en el stock real actual al agregar una línea al pedido, cualquiera que sea la regla para el cambio automático de stock) +StockMustBeEnoughForShipment=El nivel de stock debe ser suficiente para agregar producto / servicio al envío (la verificación se realiza en el stock real actual cuando se agrega una línea al envío cualquiera que sea la regla para el cambio automático de stock) +MovementLabel=Etiqueta de movimiento +InventoryCode=Código de movimiento o inventario +IsInPackage=Contenido en paquete +WarehouseAllowNegativeTransfer=El stock puede ser negativo +qtyToTranferIsNotEnough=No tiene suficientes existencias de su almacén de origen y su configuración no permite existencias negativas. +qtyToTranferLotIsNotEnough=No tiene suficientes existencias, para este número de lote, de su almacén de origen y su configuración no permite existencias negativas (Cantidad para el producto '%s' con el lote '%s' es %s en el almacén '%s'). +MovementCorrectStock=Corrección de stock para el producto %s +MovementTransferStock=Traslado de stock del producto %s a otro almacén +InventoryCodeShort=Inv./Mov. código +NoPendingReceptionOnSupplierOrder=No hay recepción pendiente debido a una orden de compra abierta +OpenAll=Abierto a todas las acciones +OpenInternal=Abierto solo para acciones internas +UseDispatchStatus=Utilice un estado de envío (aprobar / rechazar) para las líneas de productos en la recepción de la orden de compra +OptionMULTIPRICESIsOn=La opción "varios precios por segmento" está activada. Significa que un producto tiene varios precios de venta, por lo que el valor de venta no se puede calcular. +ProductStockWarehouseCreated=Límite de stock para alerta y stock óptimo deseado creado correctamente +ProductStockWarehouseUpdated=Límite de stock para alerta y stock óptimo deseado actualizado correctamente +ProductStockWarehouseDeleted=Límite de stock para alerta y stock óptimo deseado eliminado correctamente +AddNewProductStockWarehouse=Establecer un nuevo límite de alerta y stock óptimo deseado +AddStockLocationLine=Disminuya la cantidad y luego haga clic para agregar otro almacén para este producto +InventoryDate=Fecha de inventario +inventorySetup =Configuración de inventario +inventoryListEmpty=No hay inventario en progreso +inventoryCreateDelete=Crear / eliminar inventario inventoryEdit=Editar +inventoryDraft=Corriendo +inventorySelectWarehouse=Elección de almacén +inventoryOfWarehouse=Inventario para almacén: %s +inventoryErrorQtyAdd=Error: una cantidad es menor que cero +inventoryWarningProductAlreadyExists=Este producto ya está en la lista SelectCategory=Filtro de categoria +SelectFournisseur=Filtro de proveedor +INVENTORY_USE_INVENTORY_DATE_FOR_DATE_OF_MVT=Los movimientos de stock tendrán la fecha del inventario (en lugar de la fecha de validación del inventario) +inventoryChangePMPPermission=Permitir cambiar el valor de PMP de un producto +ColumnNewPMP=Unidad nueva PMP +OnlyProdsInStock=No agregue producto sin stock +TheoricalQty=Cantidad teórica +TheoricalValue=Cantidad teórica +RealQty=Cantidad real +RealValue=Valor real +RegulatedQty=Cantidad regulada +AddInventoryProduct=Agregar producto al inventario +FlushInventory=Limpiar el inventario +ConfirmFlushInventory=¿Confirmas esta acción? +InventoryFlushed=Inventario descargado +ExitEditMode=Edición de salida inventoryDeleteLine=Eliminar linea +RegulateStock=Regular Stock +StockSupportServices=Servicios de soporte de gestión de stock +StockSupportServicesDesc=De forma predeterminada, solo puede almacenar productos del tipo "producto". También puede almacenar un producto de tipo "servicio" si tanto el módulo Servicios como esta opción están habilitados. +StockIncreaseAfterCorrectTransfer=Incrementar por corrección / transferencia +StockDecreaseAfterCorrectTransfer=Disminuir por corrección / transferencia +StockIncrease=Aumento de stock +StockDecrease=Disminución de stock +AlwaysShowFullArbo=Mostrar el árbol completo del almacén en la ventana emergente de los enlaces del almacén (Advertencia: esto puede disminuir drásticamente el rendimiento) +ImportFromCSV=Importar lista CSV de movimiento +InfoTemplateImport=El archivo cargado debe tener este formato (* son campos obligatorios):
Source Warehouse * | Almacén de destino * | Producto * | Cantidad * | Lote / número de serie
El separador de caracteres CSV debe ser " %s " diff --git a/htdocs/langs/es_CO/suppliers.lang b/htdocs/langs/es_CO/suppliers.lang index 004a8c759de..57b85a3e1eb 100644 --- a/htdocs/langs/es_CO/suppliers.lang +++ b/htdocs/langs/es_CO/suppliers.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - suppliers SupplierInvoices=Facturas de proveedores NewSupplier=Nuevo vendedor +SupplierPayment=Pago de proveedor RefSupplierShort=Árbitro. vendedor diff --git a/htdocs/langs/es_CO/ticket.lang b/htdocs/langs/es_CO/ticket.lang index e0099d503d0..8d0457e7d49 100644 --- a/htdocs/langs/es_CO/ticket.lang +++ b/htdocs/langs/es_CO/ticket.lang @@ -1,4 +1,155 @@ # Dolibarr language file - Source file is en_US - ticket +Module56000Desc=Sistema de tickets para la gestión de solicitudes o problemas +Permission56001=Ver entradas +Permission56004=Gestionar tickets +Permission56005=Ver tickets de todos los terceros (no efectivo para usuarios externos, siempre se limitará al tercero del que dependen) +TicketDictType=Ticket - Tipos +TicketDictCategory=Entrada - Groupes +TicketDictSeverity=Ticket - Severidades +TicketTypeShortISSUE=Problema, error o problema +MenuTicketMyAssign=Mis entradas +MenuTicketMyAssignNonClosed=Mis entradas abiertas +MenuListNonClosed=Entradas abiertas TypeContact_ticket_internal_CONTRIBUTOR=Contribuyente +TypeContact_ticket_external_SUPPORTCLI=Contacto con el cliente / seguimiento de incidentes +TypeContact_ticket_external_CONTRIBUTOR=Colaborador externo +OriginEmail=Fuente de correo electrónico +Notify_TICKET_SENTBYMAIL=Enviar mensaje de ticket por correo electrónico +Read=Leer +NeedMoreInformation=Esperando información +Waiting=Esperando Type=Tipo +MailToSendTicketMessage=Para enviar correo electrónico desde el mensaje del ticket +TicketSetup=Configuración del módulo de tickets +TicketSettings=Ajustes +TicketPublicAccess=Una interfaz pública que no requiere identificación está disponible en la siguiente URL +TicketSetupDictionaries=El tipo de ticket, severidad y códigos analíticos son configurables desde diccionarios +TicketParamModule=Configuración de variables de módulo +TicketParamMail=Configuración de correo electrónico +TicketEmailNotificationFrom=Correo electrónico de notificación de +TicketEmailNotificationFromHelp=Utilizado en la respuesta del mensaje de ticket por ejemplo +TicketEmailNotificationTo=Notificaciones por correo electrónico a +TicketEmailNotificationToHelp=Envíe notificaciones por correo electrónico a esta dirección. +TicketNewEmailBodyHelp=El texto especificado aquí se insertará en el correo electrónico confirmando la creación de un nuevo ticket desde la interfaz pública. La información sobre la consulta del ticket se agrega automáticamente. +TicketParamPublicInterface=Configuración de la interfaz pública +TicketsEmailMustExist=Requerir una dirección de correo electrónico existente para crear un ticket +TicketsEmailMustExistHelp=En la interfaz pública, la dirección de correo electrónico ya debería estar completa en la base de datos para crear un nuevo ticket. +PublicInterface=Interfaz pública +TicketUrlPublicInterfaceLabelAdmin=URL alternativa para la interfaz pública +TicketUrlPublicInterfaceHelpAdmin=Es posible definir un alias para el servidor web y así poner a disposición la interfaz pública con otra URL (el servidor debe actuar como proxy en esta nueva URL) +TicketPublicInterfaceTextHome=Puede crear un ticket de soporte o ver el existente desde su ticket de seguimiento de identificador. +TicketPublicInterfaceTopicLabelAdmin=Título de la interfaz +TicketPublicInterfaceTextHelpMessageLabelAdmin=Texto de ayuda para la entrada del mensaje +ExtraFieldsTicket=Atributos extra +TicketCkEditorEmailNotActivated=El editor HTML no está activado. Coloque el contenido de FCKEDITOR_ENABLE_MAIL en 1 para obtenerlo. +TicketsDisableEmail=No envíe correos electrónicos para la creación de tickets o la grabación de mensajes +TicketsDisableEmailHelp=De forma predeterminada, los correos electrónicos se envían cuando se crean nuevos tickets o mensajes. Habilite esta opción para deshabilitar * todas * las notificaciones por correo electrónico +TicketsLogEnableEmail=Habilitar registro por correo electrónico +TicketsLogEnableEmailHelp=Con cada cambio, se enviará un correo electrónico ** a cada contacto ** asociado con el ticket. +TicketsShowModuleLogo=Mostrar el logotipo del módulo en la interfaz pública. +TicketsShowModuleLogoHelp=Habilite esta opción para ocultar el módulo de logotipo en las páginas de la interfaz pública +TicketsShowCompanyLogo=Mostrar el logotipo de la empresa en la interfaz pública. +TicketsShowCompanyLogoHelp=Habilite esta opción para ocultar el logo de la empresa principal en las páginas de la interfaz pública +TicketsLimitViewAssignedOnly=Restringir la visualización a los tickets asignados al usuario actual (no es efectivo para usuarios externos, siempre se limitará al tercero del que dependen) +TicketsLimitViewAssignedOnlyHelp=Solo serán visibles los tickets asignados al usuario actual. No se aplica a un usuario con derechos de gestión de tickets. +TicketsActivatePublicInterface=Activar interfaz pública +TicketsActivatePublicInterfaceHelp=La interfaz pública permite que cualquier visitante cree entradas. +TicketsAutoAssignTicket=Asignar automáticamente el usuario que creó el ticket +TicketsAutoAssignTicketHelp=Al crear un ticket, el usuario puede ser asignado automáticamente al ticket. +TicketNotifyTiersAtCreation=Notificar a terceros en la creación +TicketsDisableCustomerEmail=Desactive siempre los correos electrónicos cuando se crea un ticket desde la interfaz pública +TicketsPublicNotificationNewMessageHelp=Enviar correo electrónico (s) cuando se agrega un nuevo mensaje desde la interfaz pública (al usuario asignado o el correo electrónico de notificaciones a (actualización) y / o el correo electrónico de notificaciones a) +TicketPublicNotificationNewMessageDefaultEmail=Notificaciones por correo electrónico a (actualización) +TicketsIndex=Zona de entradas +TicketList=Lista de tickets +TicketAssignedToMeInfos=Esta página muestra la lista de tickets creada por o asignada al usuario actual +NoTicketsFound=No se encontró ningún boleto +NoUnreadTicketsFound=No se encontró ningún ticket no leído +TicketViewAllTickets=Ver todas las entradas +TicketStatByStatus=Entradas por estado +ShowAsConversation=Mostrar como lista de conversaciones +MessageListViewType=Mostrar como lista de tablas +TicketCard=Tarjeta de entrada +CreateTicket=Crear Ticket +TicketsManagement=Gestión de entradas +NewTicket=Ticket nuevo +SubjectAnswerToTicket=Respuesta al ticket +SeeTicket=Ver boleto +TicketReadOn=Sigue leyendo +TicketHistory=Historial de entradas +TicketAssigned=El ticket ahora está asignado +TicketChangeType=Tipo de cambio +TicketChangeCategory=Cambiar el código analítico +TicketChangeSeverity=Cambiar la gravedad +TicketAddMessage=Añade un mensaje +AddMessage=Añade un mensaje +MessageSuccessfullyAdded=Ticket agregado +TicketMessageSuccessfullyAdded=Mensaje agregado exitosamente +TicketMessagesList=Lista de mensajes +NoMsgForThisTicket=No hay mensaje para este ticket +LatestNewTickets=Latest %s entradas más nuevas (no leídas) +ShowTicket=Ver boleto +RelatedTickets=Entradas relacionadas +ConfirmDeleteTicket=Confirma la eliminación del ticket +SendMessageByEmail=Enviar mensaje por correo electrónico +ErrorMailRecipientIsEmptyForSendTicketMessage=El destinatario está vacío. No enviar correo electrónico +TicketGoIntoContactTab=Vaya a la pestaña "Contactos" para seleccionarlos. +TicketMessageMailIntroHelp=Este texto se agrega solo al comienzo del correo electrónico y no se guardará. +TicketMessageMailIntroLabelAdmin=Introducción al mensaje al enviar correo electrónico +TicketMessageMailIntroText=Hola,
Se envió una nueva respuesta en un ticket con el que contactas. Aquí está el mensaje:
+TicketMessageMailSignatureHelp=Este texto se agrega solo al final del correo electrónico y no se guardará. +TicketMessageMailSignatureText=

Atentamente,

-

+TicketMessageMailSignatureLabelAdmin=Firma del correo electrónico de respuesta +TicketMessageHelp=Solo este texto se guardará en la lista de mensajes de la tarjeta del ticket. +TicketTimeToRead=Tiempo transcurrido antes de leer +TicketContacts=Ticket de contactos +TicketDocumentsLinked=Documentos vinculados al ticket +ConfirmReOpenTicket=¿Confirmar reabrir este boleto? +TicketAssignedEmailBody=Se le ha asignado el ticket # %s por %s +TicketMessagePrivateHelp=Este mensaje no se mostrará a los usuarios externos. +TicketEmailOriginIssuer=Emisor en origen de los billetes +LinkToAContract=Enlace a un contrato +UnableToCreateInterIfNoSocid=No se puede crear una intervención cuando no se define ningún tercero +TicketMailExchanges=Intercambios de correo +TicketChangeStatus=Cambiar Estado +TicketConfirmChangeStatus=Confirme el cambio de estado: %s? +TicketNotNotifyTiersAtCreate=No notificar a la empresa al crear +ErrorTicketRefRequired=Se requiere el nombre de referencia del ticket +TicketLogPropertyChanged=Ticket %s modificado: clasificación de %s a %s +TicketLogReopen=Ticket %s reabrir +ShowListTicketWithTrackId=Mostrar la lista de tickets desde el ID de la pista +ShowTicketWithTrackId=Mostrar ticket de ID de pista +TicketPublicDesc=Puede crear un ticket de soporte o verificar a partir de una identificación existente. +YourTicketSuccessfullySaved=¡El ticket se ha guardado correctamente! +PleaseRememberThisId=Conserve el número de seguimiento que podríamos pedirle más tarde. +TicketNewEmailSubject=Confirmación de creación de ticket - Ref %s (ID de ticket público %s) +TicketNewEmailBody=Este es un correo electrónico automático para confirmar que ha registrado un nuevo ticket. +TicketNewEmailBodyCustomer=Este es un correo electrónico automático para confirmar que se acaba de crear un nuevo ticket en su cuenta. +TicketNewEmailBodyInfosTicket=Información para el seguimiento del ticket +TicketNewEmailBodyInfosTrackUrl=Puede ver el progreso del ticket haciendo clic en el enlace de arriba. +TicketEmailPleaseDoNotReplyToThisEmail=¡Por favor no responda directamente a este correo! Utilice el enlace para responder a la interfaz. +TicketPublicInfoCreateTicket=Este formulario le permite registrar un ticket de soporte en nuestro sistema de gestión. +TicketPublicPleaseBeAccuratelyDescribe=Describe el problema con precisión. Proporcione la mayor cantidad de información posible que nos permita identificar correctamente su solicitud. +TicketPublicMsgViewLogIn=Ingrese el ID de seguimiento del boleto +TicketTrackId=ID de seguimiento público +OneOfTicketTrackId=Uno de sus ID de seguimiento +ErrorTicketNotFound=¡Ticket con ID de seguimiento %s no encontrado! Subject=Tema +ViewMyTicketList=Ver mi lista de boletos +ErrorEmailMustExistToCreateTicket=Error: dirección de correo electrónico no encontrada en nuestra base de datos +TicketNewEmailSubjectAdmin=Nuevo ticket creado - Ref %s (ID de ticket público %s) +TicketNewEmailBodyAdmin=

El ticket se acaba de crear con ID # %s, ver información:

+SeeThisTicketIntomanagementInterface=Ver ticket en la interfaz de gestión +ErrorEmailOrTrackingInvalid=Valor incorrecto para el ID de seguimiento o el correo electrónico +NewUser=Nuevo Usuario +NbOfTickets=Numero de tickets +TicketNotificationRecipient=Destinatario de la notificación +TicketNotificationEmailBodyInfosTrackUrlinternal=Ver el ticket en la interfaz +TicketNotificationNumberEmailSent=Correo electrónico de notificación enviado: %s +ActionsOnTicket=Eventos en el boleto +BoxLastTicket=Entradas más recientes creadas +BoxLastTicketDescription=Últimas entradas creadas %s +BoxLastTicketNoRecordedTickets=No hay tickets recientes no leídos +BoxLastModifiedTicketDescription=Últimos tickets modificados %s +BoxNoTicketSeverity=No se abrieron boletos +TicketClosedToday=Boleto cerrado hoy diff --git a/htdocs/langs/es_CO/website.lang b/htdocs/langs/es_CO/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_CO/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_CO/withdrawals.lang b/htdocs/langs/es_CO/withdrawals.lang index 33ea339dcd8..c1004f1fd1a 100644 --- a/htdocs/langs/es_CO/withdrawals.lang +++ b/htdocs/langs/es_CO/withdrawals.lang @@ -1,6 +1,122 @@ # Dolibarr language file - Source file is en_US - withdrawals -StandingOrderPayment=Orden de pago de domiciliación bancaria -WithdrawalsReceipts=Órdenes de débito directo -WithdrawalReceipt=Orden de domiciliación bancaria +CustomersStandingOrdersArea=Pagos mediante débito automático +StandingOrdersPayment=Órdenes de pago por débito automático +StandingOrderPayment=Orden de pago por débito automático +NewStandingOrder=Nueva orden de débito automático +NewPaymentByBankTransfer=Nuevo pago mediante transferencia bancaria +WithdrawalsReceipts=Órdenes de débito automático +WithdrawalReceipt=Orden de débito automático +LatestBankTransferReceipts=Últimas órdenes de transferencia bancaria %s +LastWithdrawalReceipts=Archivos de débito automático %s más recientes +WithdrawalsLine=Línea de orden de débito automático +WithdrawalsLines=Líneas de orden de débito automático +RequestStandingOrderToTreat=Solicitudes para procesar una orden de pago mediante débito automático +RequestStandingOrderTreated=Solicitudes de orden de pago mediante débito automático procesadas +RequestPaymentsByBankTransferToTreat=Solicitudes de transferencia bancaria para procesar +RequestPaymentsByBankTransferTreated=Solicitudes de transferencia bancaria procesadas +NotPossibleForThisStatusOfWithdrawReceiptORLine=Aún no es posible. El estado de retiro debe establecerse en 'acreditado' antes de declarar rechazo en líneas específicas. +NbOfInvoiceToWithdraw=No. de facturas de clientes calificadas con orden de débito automático en espera +NbOfInvoiceToWithdrawWithInfo=Número de factura de cliente con órdenes de pago mediante débito automático que tienen información de cuenta bancaria definida +NbOfInvoiceToPayByBankTransfer=No. de facturas de proveedores calificados en espera de un pago mediante transferencia bancaria +SupplierInvoiceWaitingWithdraw=Factura de proveedor en espera de pago mediante transferencia bancaria +InvoiceWaitingWithdraw=Factura en espera de débito automático +AmountToWithdraw=Cantidad a retirar +NoInvoiceToWithdraw=No hay ninguna factura abierta para '%s' esperando. Vaya a la pestaña '%s' en la tarjeta de factura para realizar una solicitud. +NoSupplierInvoiceToWithdraw=No se espera ninguna factura de proveedor con 'Solicitudes de débito automático' abiertas. Vaya a la pestaña '%s' en la tarjeta de factura para realizar una solicitud. +ResponsibleUser=Usuario responsable +WithdrawalsSetup=Configuración de pago por débito automático +CreditTransferSetup=Configuración de transferencia bancaria +WithdrawStatistics=Estadísticas de pagos por débito automático +CreditTransferStatistics=Estadísticas de transferencia bancaria +LastWithdrawalReceipt=Últimos recibos de débito automático %s +MakeWithdrawRequest=Realizar una solicitud de pago mediante débito automático +WithdrawRequestsDone=%s solicitudes de pago por débito automático registradas +BankTransferRequestsDone=%s solicitudes de transferencia bancaria registradas +ThirdPartyBankCode=Código de banco de terceros +NoInvoiceCouldBeWithdrawed=Ninguna factura se debitó correctamente. Verifique que las facturas sean de compañías con un IBAN válido y que el IBAN tenga un UMR (Referencia de mandato único) con el modo %s . +ClassCredited=Clasificar acreditado +ClassCreditedConfirm=¿Está seguro de que desea clasificar este recibo de retiro como acreditado en su cuenta bancaria? +TransData=Fecha de transmisión +TransMetod=Método de transmisión +StandingOrderReject=Emitir un rechazo +WithdrawsRefused=Débito automático rechazado +WithdrawalRefused=Retiro rechazado +CreditTransfersRefused=Transferencias de crédito rechazadas +WithdrawalRefusedConfirm=¿Estás seguro de que deseas ingresar a un rechazo de retiro para la sociedad? +RefusedData=Fecha de rechazo +RefusedReason=Motivo del rechazo +RefusedInvoicing=Facturar el rechazo +NoInvoiceRefused=No cargues el rechazo +InvoiceRefused=Factura rechazada (cargue el rechazo al cliente) +StatusDebitCredit=Estado débito / crédito +StatusWaiting=Esperando +StatusTrans=Enviado +StatusDebited=Debitado +StatusCredited=Acreditado StatusPaid=Pagado StatusRefused=Rechazado +StatusMotif0=Sin especificar +StatusMotif1=Fondos insuficientes +StatusMotif2=Solicitud impugnada +StatusMotif3=Sin orden de pago por débito automático +StatusMotif4=Órdenes de venta +StatusMotif5=RIB inutilizable +StatusMotif8=Otra razon +CreateForSepaFRST=Crear archivo de débito automático (SEPA FRST) +CreateForSepaRCUR=Crear archivo de débito automático (SEPA RCUR) +CreateAll=Crear archivo de débito automático (todos) +CreateGuichet=Solo oficina +CreateBanque=Solo banco +OrderWaiting=Esperando tratamiento +NotifyTransmision=Registro de transmisión de archivo de orden +NotifyCredit=Registro de crédito de orden +NumeroNationalEmetter=Número de transmisor nacional +WithBankUsingRIB=Para cuentas bancarias que utilizan RIB +WithBankUsingBANBIC=Para cuentas bancarias que utilizan IBAN / BIC / SWIFT +BankToReceiveWithdraw=Recibir cuenta bancaria +BankToPayCreditTransfer=Cuenta bancaria utilizada como fuente de pagos +CreditDate=Crédito en +WithdrawalFileNotCapable=No se puede generar el archivo de recibo de retiro para su país %s (Su país no es compatible) +ShowWithdraw=Mostrar orden de débito automático +IfInvoiceNeedOnWithdrawPaymentWontBeClosed=Sin embargo, si la factura tiene al menos una orden de pago por débito automático que aún no se ha procesado, no se establecerá como pagada para permitir la gestión previa de retiros. +DoStandingOrdersBeforePayments=Esta pestaña le permite solicitar una orden de pago mediante débito automático. Una vez hecho esto, acceda al menú Banco->Pago por débito automático para generar y gestionar la orden de débito automático. Cuando se cierra la orden de débito automático, el pago de las facturas se registrará automáticamente y las facturas se cerrarán si el resto a pagar es nulo. +DoCreditTransferBeforePayments=Esta pestaña le permite solicitar una orden de transferencia bancaria. Una vez hecho esto, vaya al menú Banco-> Pago por transferencia bancaria para generar y administrar la orden de transferencia bancaria. Cuando se cierra la orden de transferencia bancaria, el pago de las facturas se registrará automáticamente y las facturas se cerrarán si el resto a pagar es nulo. +WithdrawalFile=Archivo de orden de débito +SetToStatusSent=Establecer en estado "Archivo enviado" +ThisWillAlsoAddPaymentOnInvoice=Esto también registrará los pagos en las facturas y los clasificará como "Pagados" si el resto por pagar es nulo. +StatisticsByLineStatus=Estadísticas por estado de líneas +DateRUM=Fecha de la firma del mandato +RUMLong=Referencia de mandato única +RUMWillBeGenerated=Si está vacío, se generará una UMR (referencia de mandato único) una vez que se guarde la información de la cuenta bancaria. +WithdrawMode=Modo de débito automático (FRST o RECUR) +WithdrawRequestAmount=Monto de la solicitud de débito automático: +BankTransferAmount=Monto de la solicitud de transferencia bancaria: +WithdrawRequestErrorNilAmount=No se puede crear una solicitud de débito automático por un monto vacío. +SepaMandate=Mandato de débito automático SEPA +PleaseReturnMandate=Envíe este formulario de mandato por correo electrónico a %s o por correo postal a +SEPALegalText=Al firmar este formulario de mandato, usted autoriza a (A) %s a enviar instrucciones a su banco para debitar su cuenta y (B) a su banco para debitar su cuenta de acuerdo con las instrucciones de %s. Como parte de sus derechos, tiene derecho a un reembolso de su banco según los términos y condiciones de su acuerdo con su banco. Se debe reclamar un reembolso dentro de las 8 semanas a partir de la fecha en que se debitó su cuenta. Sus derechos con respecto al mandato anterior se explican en una declaración que puede obtener de su banco. +CreditorIdentifier=Identificador del acreedor (CI) +CreditorName=Nombre del acreedor +SEPAFillForm=(B) Por favor complete todos los campos marcados * +SEPAFormYourBAN=Su nombre de cuenta bancaria (IBAN) +SEPAFormYourBIC=Su código de identificación bancaria (BIC) +PleaseCheckOne=Marque solo uno +CreditTransferOrderCreated=Se ha creado la orden de transferencia bancaria %s +DirectDebitOrderCreated=Se ha creado la orden de débito automático %s +AmountRequested=Monto solicitado +CreateForSepa=Crear archivo de débito automático +ICS=Identificador de acreedor (IA o CI en inglés) para débito automático +ICSTransfer=Identificador de acreedor (CI) para transferencia bancaria +END_TO_END=Etiqueta XML SEPA "EndToEndId": identificación única asignada por transacción +USTRD=Etiqueta XML SEPA "no estructurada" +ADDDAYS=Agregar días a la fecha de ejecución +InfoCreditSubject=Pago de la orden de pago mediante débito automático %s por parte del banco +InfoCreditMessage=La orden de pago mediante débito automático %s ha sido pagada por el banco
Datos de pago: %s +InfoTransSubject=Transmisión de la orden de pago mediante débito automático %s al banco +InfoTransMessage=La orden de pago mediante débito automático %s ha sido enviada al banco por %s %s.

+InfoTransData=Cantidad: %s
Método: %s
Fecha: %s +InfoRejectSubject=Orden de pago por débito automático rechazada +InfoRejectMessage=Hola,

la orden de pago por débito automático de la factura %s relacionada con la empresa %s, con un monto de %s ha sido rechazada por el banco.

-
%s +ModeWarning=La opción para el modo real no se configuró, nos detenemos después de esta simulación. +ErrorCompanyHasDuplicateDefaultBAN=La empresa con la identificación %s tiene más de una cuenta bancaria predeterminada. No hay forma de saber cuál usar. +TotalAmountOfdirectDebitOrderDiffersFromSumOfLines=El monto total de la orden de débito automático difiere de la suma de líneas diff --git a/htdocs/langs/es_CO/workflow.lang b/htdocs/langs/es_CO/workflow.lang index ae09b907f97..60f75ed2ff8 100644 --- a/htdocs/langs/es_CO/workflow.lang +++ b/htdocs/langs/es_CO/workflow.lang @@ -13,3 +13,5 @@ descWORKFLOW_INVOICE_CLASSIFY_BILLED_ORDER=Clasifique el pedido de ventas de ori descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Clasifique el pedido de ventas de origen vinculado como enviado cuando se valida un envío (y si la cantidad enviada por todos los envíos es la misma que en el pedido para actualizar) descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Clasifique la propuesta del proveedor de origen vinculado como facturada cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total de la propuesta vinculada) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Clasifique el pedido de compra de origen vinculado como facturado cuando se valida la factura del proveedor (y si el monto de la factura es el mismo que el monto total del pedido vinculado) +descWORKFLOW_BILL_ON_RECEPTION=Clasifique las recepciones como "facturadas" cuando un pedido de proveedor vinculado is validado +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Clasifique el envío de origen vinculado como cerrado cuando se valida la factura del cliente diff --git a/htdocs/langs/es_DO/accountancy.lang b/htdocs/langs/es_DO/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_DO/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_DO/admin.lang b/htdocs/langs/es_DO/admin.lang index ceed7fa3336..6dbaf311a2a 100644 --- a/htdocs/langs/es_DO/admin.lang +++ b/htdocs/langs/es_DO/admin.lang @@ -5,7 +5,6 @@ Permission91=Consultar impuestos e ITBIS Permission92=Crear/modificar impuestos e ITBIS Permission93=Eliminar impuestos e ITBIS DictionaryVAT=Tasa de ITBIS (Impuesto sobre ventas en EEUU) -ShowBugTrackLink=Show link "%s" UnitPriceOfProduct=Precio unitario sin ITBIS de un producto OptionVatMode=Opción de carga de ITBIS OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. diff --git a/htdocs/langs/es_DO/cron.lang b/htdocs/langs/es_DO/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/es_DO/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/es_DO/modulebuilder.lang b/htdocs/langs/es_DO/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_DO/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_DO/website.lang b/htdocs/langs/es_DO/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_DO/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_EC/accountancy.lang b/htdocs/langs/es_EC/accountancy.lang index 262f54e0a6e..5315299f9bc 100644 --- a/htdocs/langs/es_EC/accountancy.lang +++ b/htdocs/langs/es_EC/accountancy.lang @@ -183,7 +183,6 @@ NoNewRecordSaved=No más registro para calendarizar ListOfProductsWithoutAccountingAccount=Lista de productos no vinculados a ninguna cuenta contable ChangeBinding=Cambiar la encuadernación Accounted=Contabilizado en el libro mayor -NotYetAccounted=Aún no contabilizado en el libro mayor ShowTutorial=Tutorial de presentación NotReconciled=No conciliado ApplyMassCategories=Aplicar categorías de masas diff --git a/htdocs/langs/es_EC/admin.lang b/htdocs/langs/es_EC/admin.lang index efcb38d1779..d12b5c4f9ee 100644 --- a/htdocs/langs/es_EC/admin.lang +++ b/htdocs/langs/es_EC/admin.lang @@ -815,7 +815,6 @@ LogoSquarredDesc=Debe ser un icono cuadriculado (ancho = alto). Este logotipo se DoNotSuggestPaymentMode=No sugiera OwnerOfBankAccount=Dueño de una cuenta bancaria %s BankModuleNotActive=Módulo Cuentas bancarias no habilitado. -ShowBugTrackLink=Mostrar enlace " %s " DelaysOfToleranceDesc=Establezca el retraso antes de que aparezca un ícono de alerta %s en la pantalla para el elemento tardío. Delays_MAIN_DELAY_ORDERS_TO_PROCESS=Orden no procesada Delays_MAIN_DELAY_SUPPLIER_ORDERS_TO_PROCESS=Orden de compra no procesada diff --git a/htdocs/langs/es_EC/banks.lang b/htdocs/langs/es_EC/banks.lang index 94929d9f3b4..ce6d36a87f0 100644 --- a/htdocs/langs/es_EC/banks.lang +++ b/htdocs/langs/es_EC/banks.lang @@ -69,12 +69,10 @@ Reconciled=Conciliado SupplierInvoicePayment=Pago del proveedor WithdrawalPayment=Orden de pago de débito SocialContributionPayment=Pago de impuestos sociales y fiscales -TransferDesc=Transferencia de una cuenta a otra, Dolibarr escribirá dos registros (un débito en la cuenta de origen y un crédito en la cuenta de destino). Se utilizará la misma cantidad (excepto el signo), la etiqueta y la fecha para esta transacción) TransferTo=A TransferFromToDone=Se ha registrado una transferencia de %s to %s of %s %s. -CheckTransmitter=Transmisor +CheckTransmitter=Remitente ValidateCheckReceipt=¿Validar este recibo de cheque? -ConfirmValidateCheckReceipt=¿Está seguro de que desea validar este recibo de cheque, no se podrá realizar ningún cambio una vez hecho esto? DeleteCheckReceipt=¿Eliminar este recibo de cheque? ConfirmDeleteCheckReceipt=¿Seguro que desea eliminar este recibo de cheque? BankChecks=Cheques bancarios @@ -95,7 +93,6 @@ BankTransactionLine=Transacción bancaria AllAccounts=Todas las cuentas bancarias y de efectivo ShowAllAccounts=Mostrar todas las cuentas FutureTransaction=Transacción futura Incapaz de conciliar. -SelectChequeTransactionAndGenerate=Seleccione/filtrar cheques para incluir en el recibo de depósito de cheques y haga clic en "Crear". InputReceiptNumber=Elija el estado de cuenta bancario relacionado con la conciliación. Utilice un valor numérico clasificable: MMYYYY o DDMMYYYY EventualyAddCategory=Eventualmente, especifique una categoría en la que clasificar los registros ToConciliate=¿Para conciliar? diff --git a/htdocs/langs/es_EC/bills.lang b/htdocs/langs/es_EC/bills.lang index 0028e2a141b..840bf78cd07 100644 --- a/htdocs/langs/es_EC/bills.lang +++ b/htdocs/langs/es_EC/bills.lang @@ -87,7 +87,6 @@ ConvertExcessPaidToReduc=Convierte el exceso pagado en descuento disponible EnterPaymentReceivedFromCustomer=Introduzca el pago recibido del cliente EnterPaymentDueToCustomer=Realizar el pago debido al cliente DisabledBecauseRemainderToPayIsZero=Discapacitados porque el resto del pago es cero -PriceBase=Base de precios BillStatusDraft=Proyecto (necesita ser validado) BillStatusPaid=Pagado BillStatusPaidBackOrConverted=Reembolso de nota de crédito o marcado como crédito disponible @@ -338,7 +337,6 @@ RegulatedOn=Regulado en ChequeNumber=Verificar N ° ChequeOrTransferNumber=N ° de cheque/transferencia ChequeBordereau=Ver calendario -ChequeMaker=Comprobar/transferir el transmisor ChequeBank=Banco de Cheques CheckBank=Comprobar PhoneNumber=Teléfono diff --git a/htdocs/langs/es_EC/boxes.lang b/htdocs/langs/es_EC/boxes.lang index 6ae463eaff3..e2bea2bccc8 100644 --- a/htdocs/langs/es_EC/boxes.lang +++ b/htdocs/langs/es_EC/boxes.lang @@ -30,8 +30,6 @@ BoxMyLastBookmarks=Marcadores: último %s BoxOldestExpiredServices=Servicios expirados más antiguos BoxLastExpiredServices=Últimos %s contactos más antiguos con servicios activos expirados BoxTitleLastActionsToDo=Últimas %s acciones para hacer -BoxTitleLatestModifiedBoms=Últimas BOMs modificadas %s -BoxTitleLatestModifiedMos=Últimas órdenes de fabricación modificadas %s BoxGlobalActivity=Actividad global (facturas, propuestas, pedidos) BoxTitleGoodCustomers=%s Buenos clientes BoxScheduledJobs=Trabajos programados diff --git a/htdocs/langs/es_EC/cashdesk.lang b/htdocs/langs/es_EC/cashdesk.lang index 91bfc85b052..c519dedfc0a 100644 --- a/htdocs/langs/es_EC/cashdesk.lang +++ b/htdocs/langs/es_EC/cashdesk.lang @@ -35,7 +35,6 @@ NbOfInvoices=Nb de facturas Paymentnumpad=Tipo de Pad para ingresar el pago Numberspad=Pad de números BillsCoinsPad=Pad de monedas y billetes -TakeposNeedsCategories=TakePOS necesita categorías de productos para funcionar CashDeskBankAccountFor=Cuenta predeterminada para usar para pagos en NoPaimementModesDefined=No hay modo de pavimento definido en la configuración de TakePOS TicketVatGrouped=IVA grupal por tasa en tickets recibos diff --git a/htdocs/langs/es_EC/categories.lang b/htdocs/langs/es_EC/categories.lang index 4aa11eeaa7d..542df116501 100644 --- a/htdocs/langs/es_EC/categories.lang +++ b/htdocs/langs/es_EC/categories.lang @@ -1,15 +1,7 @@ # Dolibarr language file - Source file is en_US - categories Rubriques=Etiquetas/Categorías -NoCategoryYet=No se ha creado ninguna etiqueta/categoría de este tipo AddIn=Añadir CategoriesArea=Etiquetas/Categorías área -ProductsCategoriesArea=Área de etiquetas/categorías de productos/servicios -SuppliersCategoriesArea=Área de etiquetas / categorías de proveedores -CustomersCategoriesArea=Categorías de etiquetas/categorías de clientes -MembersCategoriesArea=Miembros tags/categories area -ContactsCategoriesArea=Zona de etiquetas/categorías de contactos -ProjectsCategoriesArea=Área de etiquetas/categorías de proyectos -UsersCategoriesArea=Etiquetas de usuarios / área de categorías CatList=Lista de etiquetas/categorías CreateThisCat=Crea esta etiqueta/categoría NoSubCat=No subcategoría. diff --git a/htdocs/langs/es_EC/companies.lang b/htdocs/langs/es_EC/companies.lang index b55655122e9..175716bb4b7 100644 --- a/htdocs/langs/es_EC/companies.lang +++ b/htdocs/langs/es_EC/companies.lang @@ -2,9 +2,7 @@ ErrorCompanyNameAlreadyExists=El nombre de la empresa %s ya existe. Elija otro. ErrorSetACountryFirst=Establecer primero el país SelectThirdParty=Seleccione un cliente/proveedor -ConfirmDeleteCompany=¿Está seguro de que desea eliminar esta empresa y toda la información heredada? DeleteContact=Eliminar un contacto / dirección -ConfirmDeleteContact=¿Está seguro de que desea eliminar este contacto y toda la información heredada? MenuNewThirdParty=Nuevo Cliente/Proveedore MenuNewProspect=Nuevo prospecto NewCompany=Nueva compañía (prospecto, cliente, vendedor) @@ -48,7 +46,6 @@ Region-State=Región - Provincia CountryCode=Código de país CountryId=ID del país Call=Llamada -PhonePro=Teléfono Trabajo PhonePerso=Teléfono Personal PhoneMobile=Celular No_Email=Rechazar correos masivos @@ -178,7 +175,6 @@ CustomerCodeDesc=Código de cliente, único para todos los clientes. SupplierCodeDesc=Código de proveedor, único para todos los proveedores RequiredIfCustomer=Requerido si un cliente/proveedor es un cliente o un cliente potencial RequiredIfSupplier=Requerido si un tercero es un vendedor -ValidityControledByModule=Validez controlada por módulo ProspectToContact=Prospecto para contactar CompanyDeleted=Empresa "%s" eliminada de la base de datos. ListOfContacts=Lista de contactos / direcciones @@ -250,10 +246,8 @@ ListSuppliersShort=Lista de proveedores ListProspectsShort=Lista de prospectos ListCustomersShort=Lista de clientes ThirdPartiesArea=Clientes/Proveedores y Contactos -UniqueThirdParties=Total de clientes/proveedores InActivity=Abierto ThirdPartyIsClosed=El clientes/proveedores está cerrado -ProductsIntoElements=Lista de productos / servicios en %s CurrentOutstandingBill=Factura actual pendiente OutstandingBill=Max. Por factura pendiente OutstandingBillReached=Max. Para la factura pendiente alcanzada @@ -262,7 +256,6 @@ LeopardNumRefModelDesc=El código es gratuito. Este código se puede modificar e ManagingDirectors=Nombre del Gerente(s) (CEO, director, presidente ...) MergeOriginThirdparty=Duplicar clientes/proveedores (clientes/proveedores que desea eliminar) MergeThirdparties=Combinar clientes/proveedores -ConfirmMergeThirdparties=¿Está seguro de que desea fusionar este cliente/proveedor con el actual? Todos los objetos vinculados (facturas, pedidos, ...) se moverán al cliente/proveedor actual, luego se eliminará el cliente/proveedor. ThirdpartiesMergeSuccess=Los clientes/proveedores se han fusionado SaleRepresentativeLogin=Inicio de sesión del representante de ventas SaleRepresentativeFirstname=Nombre del representante de ventas diff --git a/htdocs/langs/es_EC/compta.lang b/htdocs/langs/es_EC/compta.lang index 6b24ea9e09b..9bb2961c42a 100644 --- a/htdocs/langs/es_EC/compta.lang +++ b/htdocs/langs/es_EC/compta.lang @@ -110,7 +110,6 @@ NewCheckReceipt=Nuevo descuento NewCheckDeposit=Nuevo depósito de cheques NewCheckDepositOn=Crear recibo para depósito en cuenta:%s NoWaitingChecks=No hay cheques a la espera de depósito. -DateChequeReceived=Consultar fecha de recepción NbOfCheques=No. de cheques PaySocialContribution=Pagar un impuesto social/fiscal DeleteSocialContribution=Eliminar un pago de impuestos sociales o fiscales diff --git a/htdocs/langs/es_EC/errors.lang b/htdocs/langs/es_EC/errors.lang index 50196eff061..07e30cff264 100644 --- a/htdocs/langs/es_EC/errors.lang +++ b/htdocs/langs/es_EC/errors.lang @@ -1,8 +1,6 @@ # Dolibarr language file - Source file is en_US - errors NoErrorCommitIsDone=No hay error, nos comprometemos ErrorButCommitIsDone=Errores encontrados pero validamos a pesar de esto -ErrorBadEMail=El correo electrónico %s está mal -ErrorBadUrl=La URL%s está incorrecta ErrorBadValueForParamNotAString=Valor incorrecto para su parámetro. Se anexa generalmente cuando falta la traducción. ErrorLoginAlreadyExists=La conexión%s ya existe. ErrorGroupAlreadyExists=El grupo%s ya existe. @@ -30,8 +28,6 @@ ErrorBadDateFormat=El valor '%s' tiene un formato de fecha incorrecto ErrorFailedToWriteInDir=Error al escribir en el directorio%s ErrorFoundBadEmailInFile=Se encontró una sintaxis de correo electrónico incorrecta para%s líneas en el archivo (ejemplo línea%s con correo electrónico ErrorUserCannotBeDelete=El usuario no puede ser eliminado. Tal vez esté asociado a entidades dolibarr. -ErrorFieldsRequired=Algunos campos requeridos no fueron llenados. -ErrorSubjectIsRequired=El tema del correo electrónico es obligatorio ErrorFailedToCreateDir=Error al crear un directorio. Compruebe que el usuario del servidor Web tiene permisos para escribir en el directorio de documentos de Dolibarr. Si el parámetro safe_mode está habilitado en este PHP, compruebe que los archivos php de Dolibarr pertenecen al usuario del servidor web (o grupo). ErrorNoMailDefinedForThisUser=No hay correo definido para este usuario ErrorFeatureNeedJavascript=Esta característica necesita javascript para ser activado para trabajar. Cambie esto en la pantalla de configuración. diff --git a/htdocs/langs/es_EC/eventorganization.lang b/htdocs/langs/es_EC/eventorganization.lang new file mode 100644 index 00000000000..e6b8e89584c --- /dev/null +++ b/htdocs/langs/es_EC/eventorganization.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - eventorganization +EvntOrgDone =Hecho diff --git a/htdocs/langs/es_EC/mails.lang b/htdocs/langs/es_EC/mails.lang index d726c01c4b9..46ccbb2fdf7 100644 --- a/htdocs/langs/es_EC/mails.lang +++ b/htdocs/langs/es_EC/mails.lang @@ -6,7 +6,6 @@ MailToUsers=Para el usuario(s) MailCC=Copiar a MailToCCUsers=Copiar a los usuario(s) MailCCC=Copia en caché a -MailTopic=Tema de correo electrónico MailFile=Archivos adjuntos MailMessage=Cuerpo del correo electronico SubjectNotIn=No en el tema diff --git a/htdocs/langs/es_EC/main.lang b/htdocs/langs/es_EC/main.lang index d3b588e3a6f..bf25355ae9c 100644 --- a/htdocs/langs/es_EC/main.lang +++ b/htdocs/langs/es_EC/main.lang @@ -118,7 +118,6 @@ SaveAs=Guardar como SaveAndStay=Salvar y quedarse TestConnection=Conexión de prueba ToClone=Clon -ConfirmClone=Elija los datos que desea clonar: NoCloneOptionsSpecified=No hay datos definidos para clonar. Of=De Run=Correr @@ -145,7 +144,6 @@ DateOfLine=Fecha de línea Model=Pantilla de documento DefaultModel=Pantilla de documento por defecto Action=Evento -NumberByMonth=Número por meses AmountByMonth=Monto por mes Limits=límites Logout=Cerrar sesión @@ -457,7 +455,6 @@ SetDemandReason=Establecer origen AccountCurrency=Moneda de la cuenta XMoreLines=%S línea(s) oculta(s) AddBox=Agregar cuadro -SelectElementAndClick=Seleccione un elemento y haga clic en %s PrintFile=Imprimir archivo %s ShowTransaction=Mostrar entrada en la cuenta bancaria ShowIntervention=Mostrar la intervención diff --git a/htdocs/langs/es_EC/members.lang b/htdocs/langs/es_EC/members.lang index 38de273817a..b713cbf4e3c 100644 --- a/htdocs/langs/es_EC/members.lang +++ b/htdocs/langs/es_EC/members.lang @@ -10,7 +10,6 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Otro miembro (nombre: %s, inic ErrorUserPermissionAllowsToLinksToItselfOnly=Por razones de seguridad, se le deben otorgar permisos para editar todos los usuarios para poder vincular un miembro a un usuario que no es suyo. SetLinkToUser=Enlace a un usuario de Dolibarr SetLinkToThirdParty=Enlace a un tercero de Dolibarr -MembersCards=Tarjetas de visita de los miembros MembersList=Lista de miembros MembersListToValid=Lista de proyectos de miembros (a validar) MembersListValid=Lista de miembros válidos @@ -22,7 +21,6 @@ MembersWithSubscriptionToReceive=Miembros con suscripción para recibir MembersWithSubscriptionToReceiveShort=Suscripción para recibir DateSubscription=Fecha de suscripción DateEndSubscription=Fecha de finalización de la suscripción -EndSubscription=Suscripción final SubscriptionId=ID de suscripción MemberId=Identificación de miembro MemberTypeId=ID del tipo de miembro @@ -56,8 +54,6 @@ NoTypeDefinedGoToSetup=No se han definido tipos de miembros. Ir al menú "Tipos WelcomeEMail=Correo electrónico de bienvenida SubscriptionRequired=Se requiere suscripción VoteAllowed=Voto permitido -Physical=Natural -Moral=Juridica ResiliateMember=Terminar un miembro ConfirmResiliateMember=¿Estás seguro de que quieres terminar este miembro? ConfirmDeleteMember=¿Está seguro de que desea eliminar este miembro (la eliminación de un miembro eliminará todas sus suscripciones)? @@ -126,25 +122,17 @@ MembersStatisticsByState=Estadísticas de los miembros por estado / provincia MembersStatisticsByTown=Estadísticas de los miembros por ciudad MembersStatisticsByRegion=Estadísticas de los miembros por región NoValidatedMemberYet=No se han encontrado miembros validados -MembersByCountryDesc=Esta pantalla muestra estadísticas de los miembros por países. Gráfico depende sin embargo en el servicio de graficas en línea de Google y está disponible sólo si una conexión a Internet está funcionando. -MembersByStateDesc=Esta pantalla muestra estadísticas sobre los miembros por estado / provincias / cantón. -MembersByTownDesc=Esta pantalla muestra estadísticas sobre los miembros por ciudad. MembersStatisticsDesc=Elija las estadísticas que desea leer ... MenuMembersStats=Estadística LatestSubscriptionDate=Última fecha de suscripción -Public=La información es pública NewMemberbyWeb=Nuevo miembro añadido. Esperando aprobacion NewMemberForm=Formulario para nuevos miembros -SubscriptionsStatistics=Estadísticas de suscripciones NbOfSubscriptions=Número de suscripciones -AmountOfSubscriptions=Cantidad de suscripciones TurnoverOrBudget=Facturación (para una empresa) o Presupuesto (para una fundación) DefaultAmount=Cantidad predeterminada de suscripción CanEditAmount=El visitante puede elegir / editar el importe de su suscripción MEMBER_NEWFORM_PAYONLINE=Ir a la página de pago en línea integrada MembersStatisticsByProperties=Estadísticas de miembros por naturaleza -MembersByNature=Esta pantalla muestra estadísticas sobre miembros por naturaleza. -MembersByRegion=Esta pantalla muestra las estadísticas de los miembros por región. VATToUseForSubscriptions=Tasa del IVA a utilizar para las suscripciones NoVatOnSubscription=Sin IVA para suscripciones ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producto utilizado para la línea de suscripción en la factura: %s diff --git a/htdocs/langs/es_EC/modulebuilder.lang b/htdocs/langs/es_EC/modulebuilder.lang index 3c61371c2a3..94ea76dc5f4 100644 --- a/htdocs/langs/es_EC/modulebuilder.lang +++ b/htdocs/langs/es_EC/modulebuilder.lang @@ -53,7 +53,6 @@ ListOfPermissionsDefined=Lista de permisos definidos SeeExamples=Ver ejemplos aquí EnabledDesc=Condición para tener este campo activo (Ejemplos:1 o $conf->global->MYMODULE_MYOPTION) VisibleDesc=¿Es visible el campo? (Ejemplos: 0=Nunca visible, 1=Visible en la lista y crear / actualizar / ver formularios, 2=Visible solo en la lista, 3=Visible solo en el formulario crear / actualizar / ver (no en la lista), 4=Visible en la lista y actualizar / ver solo el formulario (no crear), 5=Visible solo en el formulario de vista final de la lista (no crear, no actualizar)

El uso de un valor negativo significa que el campo no se muestra de forma predeterminada en la lista, pero puede seleccionarse para verlo).

Puede ser una expresión, por ejemplo:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Muestre este campo en documentos PDF compatibles, puede administrar la posición con el campo "Posición".
Actualmente, conocidos modelos compatibles PDF son: Eratóstenes (orden), espadon (nave), esponja (facturas), cian (propal / cita), Cornas (orden de proveedor)

Para documento:
0 = No se ven las
1 = display
2 = sólo si no está vacío

Para las líneas de documentos:
0 = no se ven las
1 = muestran en una columna
3 = display en la columna de descripción de línea después de la descripción
4 = display en la columna de descripción después de la descripción solo si no está vacía IsAMeasureDesc=¿Se puede acumular el valor de campo para obtener un total en la lista? (Ejemplos: 1 o 0) SearchAllDesc=¿Se utiliza el campo 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 no está definido por otras pestañas. Puede usar .md o mejor, la rica sintaxis .asciidoc. diff --git a/htdocs/langs/es_EC/other.lang b/htdocs/langs/es_EC/other.lang index 48461bc5410..7d8c9ca8f16 100644 --- a/htdocs/langs/es_EC/other.lang +++ b/htdocs/langs/es_EC/other.lang @@ -114,7 +114,6 @@ EnableGDLibraryDesc=Instale o active la biblioteca GD en su instalación de PHP ProfIdShortDesc=
Prof Id%s
es una información que depende de un tercer país.
Por ejemplo, para el país %s, es el código %s. DolibarrDemo=Demostración de ERP/CRM de Dolibarr StatsByNumberOfUnits=Estadísticas de suma de cantidad de productos/servicios -StatsByNumberOfEntities=Estadísticas en número de entidades referentes (n.° de factura, o pedido ...) NumberOfProposals=Número de propuestas NumberOfCustomerOrders=Número de pedidos de ventas NumberOfCustomerInvoices=Número de facturas de clientes diff --git a/htdocs/langs/es_EC/partnership.lang b/htdocs/langs/es_EC/partnership.lang new file mode 100644 index 00000000000..0e3f1df1b9c --- /dev/null +++ b/htdocs/langs/es_EC/partnership.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - partnership +DatePartnershipEnd=Fecha final +PartnershipCanceled =Cancelado diff --git a/htdocs/langs/es_EC/products.lang b/htdocs/langs/es_EC/products.lang index 150d9069c25..e85678b9e7a 100644 --- a/htdocs/langs/es_EC/products.lang +++ b/htdocs/langs/es_EC/products.lang @@ -39,11 +39,9 @@ UpdateDefaultPrice=Actualizar precio predeterminado UpdateLevelPrices=Actualizar precios para cada nivel SellingPriceHT=Precio de venta (sin impuestos) SellingPriceTTC=Precio de venta (impuestos incluidos) -CostPriceDescription=Este campo de precio (sin impuestos) se puede utilizar para almacenar la cantidad promedio que este producto le cuesta a su empresa. Puede ser cualquier precio que calcule usted mismo, por ejemplo, a partir del precio promedio de compra más el costo promedio de producción y distribución. CostPriceUsage=Este valor podría utilizarse para el cálculo del margen. SoldAmount=Cantidad vendida PurchasedAmount=Cantidad comprada -MinPrice=Min. precio de venta EditSellingPriceLabel=Editar etiqueta de precio de venta CantBeLessThanMinPrice=El precio de venta no puede ser inferior al mínimo permitido para este producto (%s sin impuestos). Este mensaje también puede aparecer si escribe un descuento demasiado importante. ErrorProductAlreadyExists=Ya existe un producto con la referencia %s. @@ -93,16 +91,11 @@ ListProductServiceByPopularity=Lista de productos/servicios por popularidad ListProductByPopularity=Lista de productos por popularidad ListServiceByPopularity=Lista de servicios por popularidad ConfirmCloneProduct=¿Está seguro de que desea clonar el producto o servicio %s? -CloneContentProduct=Clonar toda la información principal del producto/servicio. -CloneCategoriesProduct=Clonar etiquetas / categorías vinculadas -CloneCompositionProduct=Clonar producto / servicio virtual -CloneCombinationsProduct=Variantes del producto clon ProductIsUsed=Este producto se utiliza NewRefForClone=Árbitro. de nuevo producto/servicio CustomerPrices=Precios de los clientes SuppliersPrices=Precios del proveedor SuppliersPricesOfProductsOrServices=Precios de proveedor (de productos o servicios) -Nature=Naturaleza del producto (material / acabado) g=gramo m=metro unitD=Dia diff --git a/htdocs/langs/es_EC/projects.lang b/htdocs/langs/es_EC/projects.lang index 593d95f821b..bf86ffc8c2f 100644 --- a/htdocs/langs/es_EC/projects.lang +++ b/htdocs/langs/es_EC/projects.lang @@ -6,18 +6,15 @@ ProjectsArea=Área de Proyectos SharedProject=Todos PrivateProject=Contactos del proyecto AllAllowedProjects=Todo el proyecto que puedo leer (mio + público) -MyProjectsDesc=Esta vista está limitada a los proyectos para los que se le asignaron ProjectsPublicDesc=Esta vista presenta todos los proyectos que se le permite leer. TasksOnProjectsPublicDesc=Esta vista presenta todas las tareas de los proyectos que se le permite leer. ProjectsPublicTaskDesc=Esta vista presenta todos los proyectos y tareas que se le permite leer. ProjectsDesc=Esta vista presenta todos los proyectos (los permisos de usuario le otorgan permiso para ver todo). TasksOnProjectsDesc=Esta vista presenta todas las tareas de todos los proyectos (los permisos de usuario le otorgan permiso para ver todo). -MyTasksDesc=Esta vista se limita a proyectos o tareas para los que se le asignaron OnlyOpenedProject=Sólo los proyectos abiertos son visibles (los proyectos en borrador o estado cerrado no son visibles). TasksPublicDesc=Esta vista presenta todos los proyectos y tareas que se le permite leer. TasksDesc=Esta vista presenta todos los proyectos y tareas (los permisos de usuario le otorgan permiso para ver todo). AllTaskVisibleButEditIfYouAreAssigned=Todas las tareas para proyectos calificados son visibles, pero puede ingresar solo el timepo para la tarea asignada al usuario seleccionado. Si necesita ingresar tiempo en la tarea debe asignarle un usuario. -OnlyYourTaskAreVisible=Sólo las tareas asignadas a usted son visibles. Asigne la tarea a sí mismo si no está visible y necesita introducir tiempo en ella. ImportDatasetTasks=Tareas de los proyectos ConfirmDeleteAProject=¿Está seguro de que desea eliminar este proyecto? ConfirmDeleteATask=¿Seguro que desea eliminar esta tarea? @@ -136,7 +133,6 @@ InputDetail=Detalle de entradas TimeAlreadyRecorded=Este es el tiempo gastado ya registrado para esta tarea/día y el usuario%s NoUserAssignedToTheProject=No hay usuarios asignados a este proyecto. TimeSpentBy=Tiempo invertido por -AssignTaskToMe=Asignar tarea a mí AssignTaskToUser=Asignar tarea a%s SelectTaskToAssign=Seleccione tarea para asignar ... ProjectOverview=Visión de conjunto diff --git a/htdocs/langs/es_EC/sendings.lang b/htdocs/langs/es_EC/sendings.lang index db824ebf01e..4822c17a70f 100644 --- a/htdocs/langs/es_EC/sendings.lang +++ b/htdocs/langs/es_EC/sendings.lang @@ -28,7 +28,6 @@ ConfirmValidateSending=¿Está seguro de que desea validar este envío con la re ConfirmCancelSending=¿Seguro que desea cancelar este envío? DocumentModelMerou=Modelo A5 de Merou WarningNoQtyLeftToSend=Advertencia, ningunos productos que esperan para ser enviados. -StatsOnShipmentsOnlyValidated=Las estadísticas realizadas sobre envíos sólo se validan. La fecha utilizada es la fecha de validación del envío (no siempre se conoce la fecha de entrega planeada). RefDeliveryReceipt=Recibo de entrega de ref StatusReceipt=Recibo de entrega de estado DateReceived=Fecha de entrega recibida diff --git a/htdocs/langs/es_EC/stocks.lang b/htdocs/langs/es_EC/stocks.lang index 355b8ac0592..8c4ec56e517 100644 --- a/htdocs/langs/es_EC/stocks.lang +++ b/htdocs/langs/es_EC/stocks.lang @@ -60,7 +60,6 @@ NoPredefinedProductToDispatch=No hay productos predefinidos para este objeto. Po DispatchVerb=Envío StockLimitShort=Límite para la alerta StockLimit=Límite de Inventario para alerta -StockLimitDesc=(vacío) significa que no hay advertencia.
0 se puede utilizar para una advertencia tan pronto como el inventario esté vacío. PhysicalStock=Inventario FISICO RealStock=Inventario Real RealStockDesc=El stock físico / real es el stock actualmente en los almacenes. diff --git a/htdocs/langs/es_EC/users.lang b/htdocs/langs/es_EC/users.lang index 420d41e9997..338829dfa75 100644 --- a/htdocs/langs/es_EC/users.lang +++ b/htdocs/langs/es_EC/users.lang @@ -73,7 +73,6 @@ DontDowngradeSuperAdmin=Sólo una superadmin puede degradar una superadmin UseTypeFieldToChange=Utilice el campo Tipo para cambiar OpenIDURL=URL de OpenID LoginUsingOpenID=Utilice OpenID para iniciar sesión -ExpectedWorkedHours=Horas trabajadas esperadas por semana ColorUser=Color del usuario DisabledInMonoUserMode=Desactivado en el modo de mantenimiento UserAccountancyCode=Código de contabilidad de usuario diff --git a/htdocs/langs/es_EC/website.lang b/htdocs/langs/es_EC/website.lang index ca551418689..6aa45d5656f 100644 --- a/htdocs/langs/es_EC/website.lang +++ b/htdocs/langs/es_EC/website.lang @@ -61,5 +61,3 @@ EditInLineOnOff=El modo 'Editar en línea' es %s ShowSubContainersOnOff=El modo para ejecutar 'contenido dinámico' es %s UseManifest=Proporcione un archivo manifest.json RSSFeed=RSS -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_ES/accountancy.lang b/htdocs/langs/es_ES/accountancy.lang index 9be21f76a86..93faa22f85e 100644 --- a/htdocs/langs/es_ES/accountancy.lang +++ b/htdocs/langs/es_ES/accountancy.lang @@ -202,14 +202,14 @@ Docref=Referencia LabelAccount=Descripción LabelOperation=Etiqueta operación Sens=Dirección -AccountingDirectionHelp=Para una cuenta contable de un cliente, use Crédito para registrar un pago que recibió
Para una cuenta contable de un proveedor, use Débito para registrar un pago que usted realice +AccountingDirectionHelp=Para una cuenta contable de un cliente, use Crédito para registrar un pago que ha recibido
Para una cuenta contable de un proveedor, use Débito para registrar un pago que realizó LetteringCode=Cogido de letras Lettering=Letras Codejournal=Diario JournalLabel=Etiqueta del diario NumPiece=Apunte TransactionNumShort=Núm. transacción -AccountingCategory=Custom group +AccountingCategory=Grupo personalizado GroupByAccountAccounting=Agrupar por cuenta del Libro Mayor GroupBySubAccountAccounting=Agrupar por cuenta de libro mayor auxiliar AccountingAccountGroupsDesc=Puedes definir aquí algunos grupos de cuentas contables. Se usarán para informes de contabilidad personalizados. @@ -297,7 +297,7 @@ NoNewRecordSaved=No hay más registros para el diario ListOfProductsWithoutAccountingAccount=Listado de productos sin cuentas contables ChangeBinding=Cambiar la unión Accounted=Contabilizada en el Libro Mayor -NotYetAccounted=Aún no contabilizada en el Libro Mayor +NotYetAccounted=Aún no contabilizado en el libro mayor ShowTutorial=Ver Tutorial NotReconciled=No reconciliado WarningRecordWithoutSubledgerAreExcluded=Advertencia, todas las operaciones sin una cuenta de libro mayor auxiliar definida se filtran y excluyen de esta vista @@ -427,4 +427,4 @@ WarningReportNotReliable=Advertencia, este informe no se basa en el Libro mayor, ExpenseReportJournal=Informe de gastos diario InventoryJournal=Inventario -NAccounts=%s accounts +NAccounts=%s cuentas diff --git a/htdocs/langs/es_ES/admin.lang b/htdocs/langs/es_ES/admin.lang index 6f3f04104c8..0c5f9b62812 100644 --- a/htdocs/langs/es_ES/admin.lang +++ b/htdocs/langs/es_ES/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Elimine o renombre el archivo %s, si existe, para permitir el RestoreLock=Restaure el archivo %s , solo con permiso de lectura, para deshabilitar cualquier uso posterior de la herramienta Actualización/Instalación. SecuritySetup=Configuración de la seguridad PHPSetup=Configuración de PHP +OSSetup=Configuración del sistema operativo SecurityFilesDesc=Defina aquí las opciones de seguridad relacionadas con la subida de archivos. ErrorModuleRequirePHPVersion=Error, este módulo requiere una versión %s o superior de PHP ErrorModuleRequireDolibarrVersion=Error, este módulo requiere una versión %s o superior de Dolibarr @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=No sugerir NoActiveBankAccountDefined=Ninguna cuenta bancaria activa definida OwnerOfBankAccount=Titular de la cuenta %s BankModuleNotActive=Módulo cuentas bancarias no activado -ShowBugTrackLink=Mostrar enlace "%s" +ShowBugTrackLink=Definir el enlace " %s " (vacío para no mostrar este enlace, 'github' para el enlace al proyecto Dolibarr o definir directamente una url 'https: // ...') Alerts=Alertas DelaysOfToleranceBeforeWarning=Retraso antes de mostrar una alerta de advertencia para: DelaysOfToleranceDesc=Esta pantalla permite configura los retrasos antes de que se alerte con el símbolo %s, sobre cada elemento en retraso. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Debe ejecutar el comando desde YourPHPDoesNotHaveSSLSupport=Funciones SSL no disponibles en su PHP DownloadMoreSkins=Más temas para descargar SimpleNumRefModelDesc=Devuelve el número de referencia en el formato %syymm-nnnn donde aa es el año, mm es el mes y nnnn es un número secuencial que se incrementa automáticamente sin reinicio. +SimpleNumRefNoDateModelDesc=Devuelve el número de referencia en el formato %s-nnnn donde nnnn es un número secuencial que se incrementa automáticamente sin reinicio ShowProfIdInAddress=Mostrar el identificador profesional en las direcciones ShowVATIntaInAddress=Ocultar el identificador IVA Intracomunitario en las direcciones TranslationUncomplete=Traducción parcial @@ -1751,7 +1753,7 @@ CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Mantenga la casilla de verificación "Crear ##### Agenda ##### AgendaSetup=Módulo configuración de acciones y agenda PasswordTogetVCalExport=Clave de autorización vcal export link -SecurityKey = Security Key +SecurityKey = Clave de seguridad PastDelayVCalExport=No exportar los eventos de más de AGENDA_USE_EVENT_TYPE=Usar tipos de evento (gestionados en el menú Configuración->Diccionarios->Tipos de eventos de la agenda) AGENDA_USE_EVENT_TYPE_DEFAULT=Establecer automáticamente este valor por defecto para el tipo de evento en la creación de un evento @@ -2062,11 +2064,11 @@ UseDebugBar=Usa la barra de debug DEBUGBAR_LOGS_LINES_NUMBER=Número de últimas líneas de registro para mantener en la consola. WarningValueHigherSlowsDramaticalyOutput=Advertencia, los valores altos ralentizan dramáticamente la salida. ModuleActivated=El módulo %s está activado y ralentiza dramáticamente la interfaz -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=El módulo %s está activado con un nivel de registro demasiado alto (intente utilizar un nivel más bajo para mejorar el rendimiento y la seguridad) ModuleSyslogActivatedButLevelNotTooVerbose=El módulo %s está activado y el nivel de registro (%s) es correcto (no demasiado detallado) IfYouAreOnAProductionSetThis=Si esta en un entorno de produccion, deberia establecer esta propiedad a %s AntivirusEnabledOnUpload=Antivirus habilitado en los ficheros subidos -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode +SomeFilesOrDirInRootAreWritable=Algunos archivos o directorios no están en modo de solo lectura EXPORTS_SHARE_MODELS=Los modelos de exportación son compartidos con todos. ExportSetup=Configuración del módulo de exportación. ImportSetup=Configuración del módulo Importar @@ -2119,6 +2121,11 @@ MailToSendEventOrganization=Organización de evento AGENDA_EVENT_DEFAULT_STATUS=Estado de evento predeterminado al crear un evento desde el formulario YouShouldDisablePHPFunctions=Deberías deshabilitar las funciones de PHP IfCLINotRequiredYouShouldDisablePHPFunctions=Excepto si necesita ejecutar comandos del sistema (para el módulo Trabajo programado o para ejecutar el antivirus de línea de comando externo, por ejemplo), debe deshabilitar las funciones de PHP -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -ARestrictedPath=A restricted path +NoWritableFilesFoundIntoRootDir=No se encontraron archivos o directorios grabables de los programas comunes en su directorio raíz (Bueno) +RecommendedValueIs=Recomendado: %s +ARestrictedPath=Una ruta restringida +CheckForModuleUpdate=Compruebe si hay actualizaciones de módulos externos +CheckForModuleUpdateHelp=Esta acción se conectará a los editores de módulos externos para comprobar si hay una nueva versión disponible. +ModuleUpdateAvailable=Hay una actualización disponible +NoExternalModuleWithUpdate=No se encontraron actualizaciones para módulos externos +SwaggerDescriptionFile=Archivo de descripción de la API de Swagger (para usar con redoc, por ejemplo) diff --git a/htdocs/langs/es_ES/banks.lang b/htdocs/langs/es_ES/banks.lang index 596be0958d9..337f6d2063d 100644 --- a/htdocs/langs/es_ES/banks.lang +++ b/htdocs/langs/es_ES/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Pago impuesto social/fiscal BankTransfer=Transferencia bancaria BankTransfers=Transferencias bancarias MenuBankInternalTransfer=Transferencia interna -TransferDesc=Al crear una transferencia de una de sus cuentas bancarias hacia otra, Dolibarr crea dos registros contables (uno de débito en una cuenta y otro de crédito, del mismo importe, en la otra cuenta. Se utiliza para los dos registros la misma etiqueta de transferencia y la misma fecha) +TransferDesc=Utilice la transferencia interna para transferir de una cuenta a otra, la aplicación escribirá dos registros: un débito en la cuenta de origen y un crédito en la cuenta de destino. Se utilizará la misma cantidad, etiqueta y fecha para esta transacción. TransferFrom=De TransferTo=Hacia TransferFromToDone=La transferencia de %s hacia %s de %s %s se ha creado. CheckTransmitter=Emisor ValidateCheckReceipt=¿Validar esta remesa? -ConfirmValidateCheckReceipt=¿Está seguro de querer validar esta remesa (ninguna modificación será posible una vez la remesa esté validada)? +ConfirmValidateCheckReceipt=¿Está seguro de que desea enviar este recibo de cheque para su validación? No es posible realizar cambios, está hecho. DeleteCheckReceipt=¿Eliminar esta remesa? ConfirmDeleteCheckReceipt=¿Está seguro de querer eliminar esta remesa? BankChecks=Cheques @@ -142,7 +142,7 @@ AllAccounts=Todas las cuentas bancarias/de caja BackToAccount=Volver a la cuenta ShowAllAccounts=Mostrar para todas las cuentas FutureTransaction=Transacción futura. No es posible conciliar. -SelectChequeTransactionAndGenerate=Seleccione/filtre los cheques a incluir en la remesa y haga clic en "Crear". +SelectChequeTransactionAndGenerate=Seleccione/filtre los cheques que se incluirán en el recibo de depósito de cheques. Luego, haga clic en "Crear". InputReceiptNumber=Indique el extracto bancario relacionado con la conciliación. Utilice un valor numérico ordenable: YYYYMM o YYYYMMDD EventualyAddCategory=Eventualmente, indique una categoría en la que clasificar los registros ToConciliate=¿A conciliar? diff --git a/htdocs/langs/es_ES/bills.lang b/htdocs/langs/es_ES/bills.lang index d6ba3c3b0e3..3b5e6f584d0 100644 --- a/htdocs/langs/es_ES/bills.lang +++ b/htdocs/langs/es_ES/bills.lang @@ -454,7 +454,7 @@ RegulatedOn=Pagar el ChequeNumber=Cheque nº ChequeOrTransferNumber=Cheque/Transferencia nº ChequeBordereau=Comprobar agenda -ChequeMaker=Transmisor Cheque/Transferencia +ChequeMaker=Remitente Cheque/Transferencia ChequeBank=Banco del cheque CheckBank=Verificar NetToBePaid=Neto a pagar @@ -520,10 +520,10 @@ YouMustCreateStandardInvoiceFirstDesc=Tiene que crear una factura estandar antes PDFCrabeDescription=Factura PDF plantilla Crabe. Una plantilla de factura completa (antigua implementación de la plantilla Sponge) 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=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Devuelve el número en el formato %syymm-nnnn para facturas estándar y %syymm-nnnn para notas de crédito donde aa es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción y sin retorno a 0 +MarsNumRefModelDesc1=Número de devolución en el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para facturas de reemplazo, %syymm-nnnn para facturas de anticipo y %syymm-nnnn para notas de crédito donde yy es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin ruptura y sin retorno a 0 TerreNumRefModelError=Ya existe una factura con $syymm y no es compatible con este modelo de secuencia. Elimínela o renómbrela para poder activar este módulo -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Número de devolución en el formato %syymm-nnnn para facturas estándar, %syymm-nnnn para notas de crédito y %syymm-nnnn para facturas de pago inicial donde yy es un número de año de retorno y no es un mes de secuencia y nnnnn. 0 EarlyClosingReason=Motivo de cierre anticipado EarlyClosingComment=Nota de cierre anticipado ##### Types de contacts ##### diff --git a/htdocs/langs/es_ES/boxes.lang b/htdocs/langs/es_ES/boxes.lang index c4ce2bde6f0..fc3e239692d 100644 --- a/htdocs/langs/es_ES/boxes.lang +++ b/htdocs/langs/es_ES/boxes.lang @@ -112,9 +112,9 @@ BoxTitleLastCustomerShipments=Últimos %s envíos a clientes NoRecordedShipments=Ningún envío a clientes registrado BoxCustomersOutstandingBillReached=Clientes con límite pendiente alcanzado # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -TicketsHome=Home Tickets -AccountancyHome=Home Accountancy +UsersHome=Usuarios y grupos internos +MembersHome=Afiliados internos +ThirdpartiesHome=Terceros internos +TicketsHome=Tickets internos +AccountancyHome=Contabilidad interna ValidatedProjects=Proyectos validados diff --git a/htdocs/langs/es_ES/cashdesk.lang b/htdocs/langs/es_ES/cashdesk.lang index d9501021ef0..4122e27b7a3 100644 --- a/htdocs/langs/es_ES/cashdesk.lang +++ b/htdocs/langs/es_ES/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Piso AddTable=Agregar tabla Place=Lugar TakeposConnectorNecesary='Conector TakePOS' requerido -OrderPrinters=Impresoras de pedidos +OrderPrinters=Agregue un botón para enviar el pedido a algunas impresoras determinadas, sin pago (por ejemplo, para enviar un pedido a una cocina) +NotAvailableWithBrowserPrinter=No disponible cuando la impresora para recibos está configurada en el navegador: SearchProduct=Buscar producto Receipt=Orden Header=Cabecera @@ -56,8 +57,9 @@ Paymentnumpad=Tipo de Pad para introducir el pago. Numberspad=Teclado numérico BillsCoinsPad=Monedas y billetes de banco DolistorePosCategory=Módulos TakePOS y otras soluciones POS para Dolibarr -TakeposNeedsCategories=TakePOS necesita categorías de productos para trabajar -OrderNotes=Pedidos +TakeposNeedsCategories=TakePOS necesita al menos una categoría de producto para funcionar +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS necesita al menos 1 categoría de producto en la categoría %s para funcionar +OrderNotes=Puede agregar algunas notas a cada artículo pedido CashDeskBankAccountFor=Cuenta por defecto a usar para cobros en NoPaimementModesDefined=No hay modo de pago definido en la configuración de TakePOS TicketVatGrouped=Agrupar IVA por tipo en tickets/recibos @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=La factura ya está validada NoLinesToBill=No hay líneas para facturar CustomReceipt=Recibo personalizado ReceiptName=Nombre del recibo -ProductSupplements=Suplementos de producto +ProductSupplements=Gestionar suplementos de productos SupplementCategory=Categoría de suplemento ColorTheme=Tema de color Colorful=Colorido @@ -92,7 +94,7 @@ Browser=Navegador BrowserMethodDescription=Método de impresión básico. Pocos parámetros de personalización. Impresión con el navegador. TakeposConnectorMethodDescription=Módulo externo para impresión directa. PrintMethod=Método de impresión -ReceiptPrinterMethodDescription=Método potente con muchos parámetros. Completamente personalizable con plantillas. No se puede imprimir desde la nube. +ReceiptPrinterMethodDescription=Método potente con muchos parámetros. Totalmente personalizable con plantillas. El servidor que aloja la aplicación no puede estar en la nube (debe poder llegar a las impresoras de su red). ByTerminal=Por terminal TakeposNumpadUsePaymentIcon=Usar icono de pago en lugar del texto en los botones de pago del teclado numérico CashDeskRefNumberingModules=Módulo de numeración para el TPV @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Debe activarse primero el módulo de impresora AllowDelayedPayment=Permitir pago aplazado PrintPaymentMethodOnReceipts=Imprimir método de pago en tickets|recibos WeighingScale=Balanza +ShowPriceHT = Mostrar la columna de precio sin impuestos +ShowPriceHTOnReceipt = Mostrar la columna de precio sin impuestos al recibirla diff --git a/htdocs/langs/es_ES/categories.lang b/htdocs/langs/es_ES/categories.lang index 644e01fb868..8c6f510ac6f 100644 --- a/htdocs/langs/es_ES/categories.lang +++ b/htdocs/langs/es_ES/categories.lang @@ -3,20 +3,20 @@ Rubrique=Etiqueta/Categoría Rubriques=Etiqueta/Categoría RubriquesTransactions=Etiquetas/Categorías de transacciones categories=etiquetas/categorías -NoCategoryYet=Ninguna etiqueta/categoría de este tipo creada +NoCategoryYet=No se ha creado ninguna etiqueta / categoría de este tipo In=En AddIn=Añadir en modify=Modificar Classify=Clasificar CategoriesArea=Área Etiquetas/Categorías -ProductsCategoriesArea=Área etiquetas/categorías Productos/Servicios -SuppliersCategoriesArea=Área etiquetas/categorías Proveedores -CustomersCategoriesArea=Área etiquetas/categorías Clientes -MembersCategoriesArea=Área etiquetas/categorías Miembros -ContactsCategoriesArea=Área etiquetas/categorías de contactos -AccountsCategoriesArea=Área de etiquetas / categorías de cuentas bancarias -ProjectsCategoriesArea=Área etiquetas/categorías Proyectos -UsersCategoriesArea=Área etiquetas/categorías Usuarios +ProductsCategoriesArea=Área de etiquetas/categorías de Productos/Servicios +SuppliersCategoriesArea=Área de etiquetas/categorías de Proveedores +CustomersCategoriesArea=Área de etiquetas/categorías de Clientes +MembersCategoriesArea=Área de etiquetas/categorías de Miembros +ContactsCategoriesArea=Área de etiquetas/categorías de Contactos +AccountsCategoriesArea=Área de etiquetas/categorías de Cuentas Bancarias +ProjectsCategoriesArea=Área de etiquetas/categorías del Proyecto +UsersCategoriesArea=Área de etiquetas/categorías de Usuario SubCats=Subcategorías CatList=Listado de etiquetas/categorías CatListAll=Lista de etiquetas / categorías (todos los tipos) @@ -93,7 +93,7 @@ AddSupplierIntoCategory=Asignar categoría a proveedor ShowCategory=Mostrar etiqueta/categoría ByDefaultInList=Por defecto en lista ChooseCategory=Elija una categoría -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories +StocksCategoriesArea=Categorías de almacén +ActionCommCategoriesArea=Categorías de eventos WebsitePagesCategoriesArea=Categorías de contenedor de página -UseOrOperatorForCategories=Uso u operador para categorías +UseOrOperatorForCategories=Utilice el operador 'OR' para las categorías diff --git a/htdocs/langs/es_ES/companies.lang b/htdocs/langs/es_ES/companies.lang index 57b67050848..12d42b753de 100644 --- a/htdocs/langs/es_ES/companies.lang +++ b/htdocs/langs/es_ES/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=El nombre de la empresa %s ya existe. Indique otro. ErrorSetACountryFirst=Defina en primer lugar el país SelectThirdParty=Seleccionar un tercero -ConfirmDeleteCompany=¿Está seguro de querer eliminar esta empresa y toda su información inherente? +ConfirmDeleteCompany=¿Está seguro de que desea eliminar esta empresa y toda la información relacionada? DeleteContact=Eliminar un contacto -ConfirmDeleteContact=¿Está seguro de querer eliminar este contacto y toda la información dependiente? +ConfirmDeleteContact=¿Está seguro de que desea eliminar este contacto y toda la información relacionada? MenuNewThirdParty=Nuevo tercero MenuNewCustomer=Nuevo cliente MenuNewProspect=Nuevo cliente potencial @@ -78,7 +78,7 @@ Zip=Código postal Town=Población Web=Web Poste= Puesto -DefaultLang=Idioma por defecto +DefaultLang=Idioma predeterminado VATIsUsed=Sujeto a IVA VATIsUsedWhenSelling=Esto define si este tercero incluye un impuesto a la venta o no cuando realiza una factura a sus propios clientes VATIsNotUsed=IVA no está siendo usado @@ -439,22 +439,22 @@ ListSuppliersShort=Listado de proveedores ListProspectsShort=Listado de clientes potenciales ListCustomersShort=Listado de clientes ThirdPartiesArea=Área terceros y contactos -LastModifiedThirdParties=Últimos %s terceros modificados -UniqueThirdParties=Total de terceros únicos +LastModifiedThirdParties=Últimos terceros %s que fueron modificados +UniqueThirdParties=Número total de terceros InActivity=Activo ActivityCeased=Cerrado ThirdPartyIsClosed=El tercero está cerrado -ProductsIntoElements=Lista de productos/servicios en %s +ProductsIntoElements=Lista de productos / servicios asignados a %s CurrentOutstandingBill=Riesgo alcanzado OutstandingBill=Importe máximo para facturas pendientes OutstandingBillReached=Importe máximo para facturas pendientes OrderMinAmount=Importe mínimo para pedido -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. +MonkeyNumRefModelDesc=Devuelve un número con el formato %syymm-nnnn para el código de cliente y %syymm-nnnn para el código de proveedor donde aa es el año, mm es el mes y nnnn es un número secuencial de incremento automático sin interrupción y sin retorno a 0. LeopardNumRefModelDesc=Código de cliente/proveedor libre sin verificación. Puede ser modificado en cualquier momento. ManagingDirectors=Administrador(es) (CEO, director, presidente, etc.) MergeOriginThirdparty=Tercero duplicado (tercero que debe eliminar) MergeThirdparties=Fusionar terceros -ConfirmMergeThirdparties=¿Está seguro de que quiere fusionar este tercero con el actual? Todos los objetos relacionados (facturas, pedidos, etc.) se moverán al tercero actual, y el tercero será eliminado. +ConfirmMergeThirdparties=¿Está seguro de que desea fusionar el tercero elegido con el actual? Todos los objetos vinculados (facturas, pedidos, ...) se moverán al tercero actual, después de lo cual se eliminará el tercero elegido. ThirdpartiesMergeSuccess=Los terceros han sido fusionados SaleRepresentativeLogin=Inicio de sesión del comercial SaleRepresentativeFirstname=Nombre del comercial diff --git a/htdocs/langs/es_ES/compta.lang b/htdocs/langs/es_ES/compta.lang index 55fb7c5857b..eb1f7102c6c 100644 --- a/htdocs/langs/es_ES/compta.lang +++ b/htdocs/langs/es_ES/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nueva remesa NewCheckDeposit=Nuevo ingreso NewCheckDepositOn=Crear nueva remesa en la cuenta: %s NoWaitingChecks=Sin cheques a la espera de depósito -DateChequeReceived=Fecha recepción del cheque +DateChequeReceived=Verifique la fecha de recepción NbOfCheques=Nº de cheques PaySocialContribution=Pagar una tasa social/fiscal PayVAT=Pagar una declaración de IVA @@ -231,7 +231,7 @@ Pcg_subtype=Subtipo de cuenta InvoiceLinesToDispatch=Líneas de facturas a contabilizar ByProductsAndServices=Por productos y servicios RefExt=Ref. externa -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". +ToCreateAPredefinedInvoice=Para crear una factura modelo, cree una factura estándar, luego, sin validarla, haga clic en el botón "%s". LinkedOrder=Enlazar a un pedido Mode1=Método 1 Mode2=Método 2 diff --git a/htdocs/langs/es_ES/ecm.lang b/htdocs/langs/es_ES/ecm.lang index 11fadb7ed0c..0758c67aa27 100644 --- a/htdocs/langs/es_ES/ecm.lang +++ b/htdocs/langs/es_ES/ecm.lang @@ -41,7 +41,7 @@ FileNotYetIndexedInDatabase=Archivo aún no indexado en la base de datos (intent ExtraFieldsEcmFiles=campos adicionales de archivos GED ExtraFieldsEcmDirectories=Campos adicionales de Directorios GED ECMSetup=Configuración de GED -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated +GenerateImgWebp=Duplica todas las imágenes con otra versión con formato .webp +ConfirmGenerateImgWebp=Si confirma, generará una imagen en formato .webp para todas las imágenes que se encuentran actualmente en esta carpeta (las subcarpetas no están incluidas) ... +ConfirmImgWebpCreation=Confirmar la duplicación de todas las imágenes +SucessConvertImgWebp=Imágenes duplicadas correctamente diff --git a/htdocs/langs/es_ES/errors.lang b/htdocs/langs/es_ES/errors.lang index 4ab326b7c28..958e6a8096e 100644 --- a/htdocs/langs/es_ES/errors.lang +++ b/htdocs/langs/es_ES/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Sin errores, es válido # Errors ErrorButCommitIsDone=Errores encontrados, pero es válido a pesar de todo -ErrorBadEMail=E-mail %s incorrecto -ErrorBadMXDomain=El e-mail %s parece incorrecto (el dominio no tiene un registro MX válido) -ErrorBadUrl=Url %s inválida +ErrorBadEMail=El correo electrónico %s es incorrecto +ErrorBadMXDomain=El correo electrónico %s parece incorrecto (el dominio no tiene un registro MX válido) +ErrorBadUrl=La URL %s es incorrecta ErrorBadValueForParamNotAString=Valor incorrecto para su parámetro. Generalmente aparece cuando no existe traducción. ErrorRefAlreadyExists=La referencia %s ya existe. ErrorLoginAlreadyExists=El login %s ya existe. @@ -46,8 +46,8 @@ ErrorWrongDate=¡La fecha no es correcta! ErrorFailedToWriteInDir=Imposible escribir en el directorio %s ErrorFoundBadEmailInFile=Encontrada sintaxis incorrecta en email en %s líneas en archivo (ejemplo linea %s con email=%s) ErrorUserCannotBeDelete=No puede eliminarse el usuario. Es posible que esté asociado a items de Dolibarr -ErrorFieldsRequired=No se indicaron algunos campos obligatorios -ErrorSubjectIsRequired=El asunto del e-mail es obligatorio +ErrorFieldsRequired=Algunos campos obligatorios se han dejado en blanco. +ErrorSubjectIsRequired=El asunto del correo electrónico es obligatorio. ErrorFailedToCreateDir=Error en la creación de un directorio. Compruebe que el usuario del servidor Web tiene derechos de escritura en los directorios de documentos de Dolibarr. Si el parámetro safe_mode está activo en este PHP, Compruebe que los archivos php Dolibarr pertenecen al usuario del servidor Web. ErrorNoMailDefinedForThisUser=E-Mail no definido para este usuario ErrorSetupOfEmailsNotComplete=La configuración de los e-mailss no está completa @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=La página/contenedor %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Organización de evento +EventOrganizationDescription = Organización de eventos a través del proyecto de módulo +EventOrganizationDescriptionLong= Administre la organización de eventos para conferencias, asistentes, oradores y asistentes, con una página de suscripción pública +# +# Menu +# +EventOrganizationMenuLeft = Eventos organizados +EventOrganizationConferenceOrBoothMenuLeft = Conferencia o cabina + +# +# Admin page +# +EventOrganizationSetup = Configuración de organización de eventos +Settings = Configuraciones +EventOrganizationSetupPage = Página de configuración de organización de eventos +EVENTORGANIZATION_TASK_LABEL = Etiqueta de tareas para crear automáticamente cuando se valida el proyecto +EVENTORGANIZATION_TASK_LABELTooltip = Cuando valida un evento organizado, algunas tareas se pueden crear automáticamente en el proyecto

Por ejemplo:
Enviar llamada para conferencia
Enviar llamada para cabina
Recibir llamada para conferencias
Recibir llamada para cabina
Abrir suscripciones a eventos para asistentes
Enviar recordatorio del evento a los oradores
Enviar recordatorio del evento al anfitrión del stand
Enviar recordatorio del evento a los asistentes +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Categoría para agregar a terceros creada automáticamente cuando alguien sugiere una conferencia +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Categoría para agregar a terceros creada automáticamente cuando sugieren un stand +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Plantilla de correo electrónico para enviar después de recibir una sugerencia de conferencia. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Plantilla de correo electrónico para enviar después de recibir sugerencia de stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Plantilla de correo electrónico para enviar después de que se haya pagado una suscripción a un stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Plantilla de correo electrónico para enviar después de que se haya pagado una suscripción a un evento. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Plantilla de correo electrónico de acción masiva a asistentes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Plantilla de correo electrónico de acción masiva a ponentes +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filtrar la lista de selección de terceros en la tarjeta / formulario de creación de asistentes con categoría +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filtre la lista de selección de terceros en la tarjeta / formulario de creación de asistentes con el tipo de cliente + +# +# Object +# +EventOrganizationConfOrBooth= Conferencia o cabina +ManageOrganizeEvent = Gestionar la organización de eventos +ConferenceOrBooth = Conferencia o cabina +ConferenceOrBoothTab = Conferencia o cabina +AmountOfSubscriptionPaid = Cantidad de suscripción pagada +DateSubscription = Fecha de suscripción +ConferenceOrBoothAttendee = Asistente a la conferencia o al stand + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Se recibió su solicitud de conferencia +YourOrganizationEventBoothRequestWasReceived = Se recibió su solicitud de stand +EventOrganizationEmailAskConf = Solicitud de conferencia +EventOrganizationEmailAskBooth = Solicitud de stand +EventOrganizationEmailSubsBooth = Suscripción para stand +EventOrganizationEmailSubsEvent = Suscripción a un evento +EventOrganizationMassEmailAttendees = Comunicación a los asistentes +EventOrganizationMassEmailSpeakers = Comunicación a los ponentes + +# +# Event +# +AllowUnknownPeopleSuggestConf=Permitir que personas desconocidas sugieran conferencias +AllowUnknownPeopleSuggestConfHelp=Permitir que personas desconocidas sugieran conferencias +AllowUnknownPeopleSuggestBooth=Permitir que personas desconocidas sugieran stand +AllowUnknownPeopleSuggestBoothHelp=Permitir que personas desconocidas sugieran stand +PriceOfRegistration=Precio de inscripción +PriceOfRegistrationHelp=Precio de inscripción +PriceOfBooth=Precio de suscripción para hacer stand +PriceOfBoothHelp=Precio de suscripción para hacer stand +EventOrganizationICSLink=Enlace ICS para eventos +ConferenceOrBoothInformation=Información sobre conferencias o stands +Attendees = Asistentes +EVENTORGANIZATION_SECUREKEY = Secure Key del enlace de registro público a una conferencia +# +# Status +# +EvntOrgDraft = Borrador +EvntOrgSuggested = Sugirió +EvntOrgConfirmed = Confirmado +EvntOrgNotQualified = No calificado +EvntOrgDone = Realizadas +EvntOrgCancelled = Cancelado +# +# Public page +# +PublicAttendeeSubscriptionPage = Enlace público de inscripción a una conferencia +MissingOrBadSecureKey = La clave de seguridad no es válida o falta +EvntOrgWelcomeMessage = Este formulario le permite registrarse como nuevo participante en la conferencia. +EvntOrgStartDuration = Esta conferencia comienza el +EvntOrgEndDuration = y termina en diff --git a/htdocs/langs/es_ES/knowledgemanagement.lang b/htdocs/langs/es_ES/knowledgemanagement.lang new file mode 100644 index 00000000000..4bf312a715f --- /dev/null +++ b/htdocs/langs/es_ES/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Sistema de Gestión del Conocimiento +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Gestionar una base de Gestión del Conocimiento (KM) o Mesa de ayuda + +# +# Admin page +# +KnowledgeManagementSetup = Configuración del Sistema de Gestión del Conocimiento +Settings = Configuraciones +KnowledgeManagementSetupPage = Página de configuración del Sistema de Gestión del Conocimiento + + +# +# About page +# +About = Acerca de +KnowledgeManagementAbout = Acerca de la Gestión del Conocimiento +KnowledgeManagementAboutPage = Gestión del Conocimiento sobre la página + +# +# Sample page +# +KnowledgeManagementArea = Gestión del Conocimiento + + +# +# Menu +# +MenuKnowledgeRecord = Base de Conocimientos +ListOfArticles = Lista de articulos +NewKnowledgeRecord = Articulo nuevo +ValidateReply = Validar solución +KnowledgeRecords = Artículos +KnowledgeRecord = Artículo +KnowledgeRecordExtraFields = Campos adicionales para el artículo diff --git a/htdocs/langs/es_ES/mails.lang b/htdocs/langs/es_ES/mails.lang index a992897cd19..a1db3b633f8 100644 --- a/htdocs/langs/es_ES/mails.lang +++ b/htdocs/langs/es_ES/mails.lang @@ -15,7 +15,7 @@ MailToUsers=A usuario(s) MailCC=Copia a MailToCCUsers=Copia a usuario(s) MailCCC=Adjuntar copia a -MailTopic=Asunto del e-mail +MailTopic=Asunto del email MailText=Mensaje MailFile=Archivo MailMessage=Texto utilizado en el cuerpo del mensaje @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No se planean notificaciones automáticas por e-mail p ANotificationsWillBeSent=Se enviará 1 notificación automática por e-mail SomeNotificationsWillBeSent=%s se enviarán notificaciones automáticas por e-mail AddNewNotification=Suscríbase a una nueva notificación automática por e-mail (destinatario/evento) -ListOfActiveNotifications=Lista de todas las suscripciones activas (destinatarios/eventos) para la notificación automática por e-mail -ListOfNotificationsDone=Lista de todas las notificaciones automáticas enviadas por e-mail +ListOfActiveNotifications=Lista de todas las suscripciones activas (destinatarios/eventos) para notificación automática por correo electrónico +ListOfNotificationsDone=Lista de todas las notificaciones automáticas por correo electrónico enviadas MailSendSetupIs=La configuración de e-mailings está a '%s'. Este modo no puede ser usado para enviar e-mails masivos. MailSendSetupIs2=Antes debe, con una cuenta de administrador, en el menú %sInicio - Configuración - E-Mails%s, cambiar el parámetro '%s' para usar el modo '%s'. Con este modo puede configurar un servidor SMTP de su proveedor de servicios de internet. MailSendSetupIs3=Si tiene preguntas de como configurar su servidor SMTP, puede contactar con %s. diff --git a/htdocs/langs/es_ES/main.lang b/htdocs/langs/es_ES/main.lang index ebe06f60a3f..722bdcd9d63 100644 --- a/htdocs/langs/es_ES/main.lang +++ b/htdocs/langs/es_ES/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Guardar y nuevo TestConnection=Probar la conexión ToClone=Copiar ConfirmCloneAsk=¿Está seguro de que quieres clonar el objeto %s? -ConfirmClone=Seleccione los datos que desea copiar: +ConfirmClone=Elija los datos que desea clonar: NoCloneOptionsSpecified=No hay datos definidos para copiar Of=de Go=Ir @@ -246,7 +246,7 @@ DefaultModel=Plantilla por defecto Action=Acción About=Acerca de Number=Número -NumberByMonth=Número por mes +NumberByMonth=Total de informes por mes AmountByMonth=Importe por mes Numero=Número Limit=Límite @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=Usuario de la creación -UserModif=Usuario de la última actualización +UserAuthor=Creado por +UserModif=Actualizado por b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Por From=De FromDate=De FromLocation=De -at=a to=a To=a +ToDate=a +ToLocation=a +at=a and=y or=o Other=Otro @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=¿Está seguro de que desea asignar las etiquetas a los CategTypeNotFound=No se encontró ningún tipo de etiqueta para el tipo de registros CopiedToClipboard=Copiado al portapapeles InformationOnLinkToContract=Esta cantidad es solo el total de todas las líneas del contrato. No se toma en consideración ninguna noción de tiempo. +ConfirmCancel=Estas seguro que quieres cancelar diff --git a/htdocs/langs/es_ES/members.lang b/htdocs/langs/es_ES/members.lang index 656b756efad..5305d1bf4a8 100644 --- a/htdocs/langs/es_ES/members.lang +++ b/htdocs/langs/es_ES/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Otro miembro (nombre: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=Por razones de seguridad, debe poseer los derechos de modificación de todos los usuarios para poder vincular un miembro a un usuario que no sea usted mismo. SetLinkToUser=Vincular a un usuario Dolibarr SetLinkToThirdParty=Vincular a un tercero Dolibarr -MembersCards=Carnés de miembros +MembersCards=Tarjetas de visita para miembros MembersList=Listado de miembros MembersListToValid=Listado de miembros borrador (a validar) MembersListValid=Listado de miembros validados @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Miembros a la espera de recibir afiliación MembersWithSubscriptionToReceiveShort=Suscripción a recibir DateSubscription=Fecha afiliación DateEndSubscription=Fecha fin afiliación -EndSubscription=Fin afiliación +EndSubscription=Finaliza la suscripción SubscriptionId=ID afiliación WithoutSubscription=Sin suscripción MemberId=ID miembro @@ -83,9 +83,9 @@ WelcomeEMail=Email de bienvenida SubscriptionRequired=Sujeto a cotización DeleteType=Eliminar VoteAllowed=Voto autorizado -Physical=Físico -Moral=Jurídico -MorAndPhy=Moral y Físico +Physical=Individual +Moral=Corporación +MorAndPhy=Corporación e Individuo Reenable=Reactivar ExcludeMember=Excluir a un miembro ConfirmExcludeMember=¿Está seguro de que desea excluir a este miembro? @@ -144,7 +144,7 @@ DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Plantilla del e-mail a enviar a un DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Plantilla del e-mail para usar para enviar e-mail a un miembro en un nuevo registro de suscripción DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Plantilla del e-mail a enviar cuando una membresía esté a punto de expirar DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Plantilla del e-mail a enviar a un miembro cuando un miembro se de de baja -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Plantilla de correo electrónico que se utilizará para enviar un correo electrónico a un miembro sobre la exclusión de miembros DescADHERENT_MAIL_FROM=E-mail emisor para los e-mails automáticos DescADHERENT_ETIQUETTE_TYPE=Formato páginas etiquetas DescADHERENT_ETIQUETTE_TEXT=Texto a imprimir en la dirección de las etiquetas de cada miembro @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Estadísticas de miembros por país MembersStatisticsByState=Estadísticas de miembros por departamento/provincia/región MembersStatisticsByTown=Estadísticas de miembros por población MembersStatisticsByRegion=Estadísticas de miembros por región -NbOfMembers=Número de miembros -NbOfActiveMembers=Número de miembros activos actuales +NbOfMembers=Número total de miembros +NbOfActiveMembers=Número total de miembros activos actuales NoValidatedMemberYet=Ningún miembro validado encontrado -MembersByCountryDesc=Esta pantalla presenta una estadística del número de miembros por países. Sin embargo, el gráfico utiliza el servicio en línea de gráficos de Google y sólo es operativo cuando se encuentra disponible una conexión a Internet. -MembersByStateDesc=Esta pantalla presenta una estadística del número de miembros por departamentos/provincias/regiones -MembersByTownDesc=Esta pantalla presenta una estadística del número de miembros por población. +MembersByCountryDesc=Esta pantalla le muestra las estadísticas de miembros por países. Los gráficos y los cuadros dependen de la disponibilidad del servicio de gráficos en línea de Google, así como de la disponibilidad de una conexión a Internet que funcione. +MembersByStateDesc=Esta pantalla muestra estadísticas de miembros por estado / provincias / cantón. +MembersByTownDesc=Esta pantalla muestra estadísticas de miembros por ciudad. +MembersByNature=Esta pantalla le muestra estadísticas de miembros por naturaleza. +MembersByRegion=Esta pantalla le muestra estadísticas de miembros por región. MembersStatisticsDesc=Elija las estadísticas que desea consultar... MenuMembersStats=Estadísticas -LastMemberDate=Última fecha de miembro +LastMemberDate=Última fecha de membresía LatestSubscriptionDate=Fecha de la última cotización MemberNature=Naturaleza del miembro MembersNature=Naturaleza de los miembros -Public=Información pública +Public=La información es pública NewMemberbyWeb=Nuevo miembro añadido. En espera de validación NewMemberForm=Formulario de inscripción -SubscriptionsStatistics=Estadísticas de cotizaciones +SubscriptionsStatistics=Estadísticas de suscripciones NbOfSubscriptions=Número de cotizaciones -AmountOfSubscriptions=Importe de cotizaciones +AmountOfSubscriptions=Cantidad recaudada de las suscripciones TurnoverOrBudget=Volumen de ventas (empresa) o Presupuesto (asociación o colectivo) DefaultAmount=Importe por defecto cotización CanEditAmount=El visitante puede elegir/modificar el importe de su cotización MEMBER_NEWFORM_PAYONLINE=Ir a la página integrada de pago en línea ByProperties=Por naturaleza MembersStatisticsByProperties=Estadísticas de los miembros por naturaleza -MembersByNature=Esta pantalla presenta una estadística del número de miembros por naturaleza. -MembersByRegion=Esta pantalla presenta una estadística del número de miembros por región VATToUseForSubscriptions=Tasa de IVA para las afiliaciones NoVatOnSubscription=Sin IVA para en las afiliaciones ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Producto usado para las suscripciones en línea en facturas: %s diff --git a/htdocs/langs/es_ES/modulebuilder.lang b/htdocs/langs/es_ES/modulebuilder.lang index 0974ccd8292..8d69573e1fb 100644 --- a/htdocs/langs/es_ES/modulebuilder.lang +++ b/htdocs/langs/es_ES/modulebuilder.lang @@ -85,7 +85,7 @@ 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 visible el campo? (Ejemplos: 0 = Nunca visible, 1 = Visible en la lista y crear/actualizar/ver formularios, 2 = Visible solo en la lista, 3 = Visible solo en el formulario crear/actualizar/ver (no en la lista), 4 = Visible en la lista y solo actualizar/ver formulario (no crear), 5 = Visible solo en el formulario de vista final de la lista (no crear, no actualizar)

El uso de un valor negativo significa que el campo no se muestra de forma predeterminada en la lista, 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) -DisplayOnPdfDesc=Muestre este campo en documentos PDF compatibles, puede administrar la posición con el campo "Posición".
Actualmente, conocidos modelos compatibles PDF son: eratosthene (pedidos), espadon (notas de envios), sponge (facturas), cyan (presupuesto), cornas (pedido a proveedor)

Para documento:
0 = No se ven las
1 = mostrar
2 = mostrar sólo si no está vacío

Para las líneas de documentos:
0 = no mostradas
1 = se muestran en una columna
3 = se muestra en la columna de descripción de línea después de la descripción
4 = se muestra en la columna de descripción después de la descripción solo si no está vacía +DisplayOnPdfDesc=Muestre este campo en documentos PDF compatibles, puede administrar la posición con el campo "Posición".
Actualmente, los modelos PDF compatibles conocidos son: eratosthene (pedido), espadon (envíos), esponja (facturas), cyan (propal / presupuesto), cornas (pedido del proveedor)

Para el documento :
0= no mostrar
1= mostrar
2 = mostrar sólo si no está vacío

Para las líneas de documentos:
0 = no mostrar
1 = mostrar en una columna
3 = mostrar en la columna de descripción de línea después de la descripción
4 = mostrar en la columna de descripción después de la descripción solo si no está vacía DisplayOnPdf=Mostrar en PDF 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) diff --git a/htdocs/langs/es_ES/other.lang b/htdocs/langs/es_ES/other.lang index f02f402b153..e3c446ad3a9 100644 --- a/htdocs/langs/es_ES/other.lang +++ b/htdocs/langs/es_ES/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Instale o active la libreria GD en su PHP para poder usar es ProfIdShortDesc=Prof Id %s es una información dependiente del país del tercero.
Por ejemplo, para el país %s, és el código %s. DolibarrDemo=Demo de Dolibarr ERP/CRM StatsByNumberOfUnits=Estadísticas en número de unidades de producto/servicio -StatsByNumberOfEntities=Estadísticas en número de identidades referentes (nº de facturas o pedidos...) +StatsByNumberOfEntities=Estadísticas por número de entidades referentes (no. De facturas, o pedidos ...) NumberOfProposals=Número de pedidos NumberOfCustomerOrders=Número de pedidos de clientes NumberOfCustomerInvoices=Número de facturas a clientes @@ -245,7 +245,7 @@ NewKeyIs=Esta es su nueva contraseña para iniciar sesión NewKeyWillBe=Su nueva contraseña para iniciar sesión en el software será ClickHereToGoTo=Haga click aquí para ir a %s YouMustClickToChange=Sin embargo, debe hacer click primero en el siguiente enlace para validar este cambio de contraseña -ConfirmPasswordChange=Confirm password change +ConfirmPasswordChange=Confirmar cambio de contraseña ForgetIfNothing=Si usted no ha solicitado este cambio, simplemente ignore este email. Sus credenciales son guardadas de forma segura. IfAmountHigherThan=si el importe es mayor que %s SourcesRepository=Repositorio de los fuentes @@ -289,4 +289,4 @@ PopuProp=Productos/Servicios por popularidad en Presupuestos PopuCom=Productos/Servicios por popularidad en Pedidos ProductStatistics=Estadísticas de productos/servicios NbOfQtyInOrders=Cantidad en pedidos -SelectTheTypeOfObjectToAnalyze=Seleccione el tipo de objeto a analizar... +SelectTheTypeOfObjectToAnalyze=Seleccione un objeto para ver sus estadísticas ... diff --git a/htdocs/langs/es_ES/partnership.lang b/htdocs/langs/es_ES/partnership.lang new file mode 100644 index 00000000000..7237b5b330c --- /dev/null +++ b/htdocs/langs/es_ES/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Gestión Asociaciones +PartnershipDescription = Gestión Módulo Asociaciones +PartnershipDescriptionLong= Gestión Módulo Asociaciones + +# +# Menu +# +NewPartnership = Nueva Asociación +ListOfPartnerships = Listado de Asociaciones + +# +# Admin page +# +PartnershipSetup = Configuración Asociaciones +PartnershipAbout = About Partnership +PartnershipAboutPage = Acerca de la página de Asociaciones + + +# +# Object +# +DatePartnershipStart=Fecha de inicio +DatePartnershipEnd=Fecha de fin + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Borrador +PartnershipAccepted = Aceptado +PartnershipRefused = Rechazado +PartnershipCanceled = Anulado + +PartnershipManagedFor=Los Partners son diff --git a/htdocs/langs/es_ES/productbatch.lang b/htdocs/langs/es_ES/productbatch.lang index 7e9513db440..d1cad5faddf 100644 --- a/htdocs/langs/es_ES/productbatch.lang +++ b/htdocs/langs/es_ES/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=El número de serie %s ya se utiliza para el producto % TooManyQtyForSerialNumber=Solo puede tener un producto %s para el número de serie %s BatchLotNumberingModules=Opciones para la generación automática de productos por lotes gestionados por lotes BatchSerialNumberingModules=Opciones para la generación automática de productos por lotes gestionados por números de serie -CustomMasks=Adds an option to define mask in the product card -LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask -SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask +ManageLotMask=Máscara personalizada +CustomMasks=Agrega una opción para definir la máscara en la ficha del producto. +LotProductTooltip=Agrega una opción en la tarjeta del producto para definir una máscara de número de lote dedicada +SNProductTooltip=Agrega una opción en la tarjeta del producto para definir una máscara de número de serie dedicada QtyToAddAfterBarcodeScan=Cantidad a agregar para cada código de barras / lote / serie escaneado - diff --git a/htdocs/langs/es_ES/products.lang b/htdocs/langs/es_ES/products.lang index 4ee991b8a18..a0007951270 100644 --- a/htdocs/langs/es_ES/products.lang +++ b/htdocs/langs/es_ES/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Servicios solo a la venta ServicesOnPurchaseOnly=Servicios solo en compra ServicesNotOnSell=Servicios fuera de venta y de compra ServicesOnSellAndOnBuy=Servicios a la venta o en compra -LastModifiedProductsAndServices=Los %s últimos productos/servicios registrados +LastModifiedProductsAndServices=Últimos productos / servicios %s que fueron modificados LastRecordedProducts=Últimos %s productos registrados LastRecordedServices=Últimos %s servicios registrados CardProduct0=Producto @@ -73,7 +73,7 @@ SellingPrice=Precio de venta SellingPriceHT=PVP sin IVA SellingPriceTTC=PVP con IVA SellingMinPriceTTC=Precio mínimo de venta (IVA incluido) -CostPriceDescription=Este precio (sin IVA) se puede utilizar para almacenar la cantidad promedio de este costo del producto para su empresa. Puede ser cualquier precio calculado por usted, por ejemplo, desde el precio medio de compra, más costo promedio de producción y distribución. +CostPriceDescription=Este campo de precio (sin impuestos) se puede utilizar para capturar el monto promedio que este producto le cuesta a su empresa. Puede ser cualquier precio que calcule usted mismo, por ejemplo, del precio de compra promedio más el costo promedio de producción y distribución. CostPriceUsage=Este valor puede usarse para el cálculo de márgenes SoldAmount=Importe ventas PurchasedAmount=Importe compras @@ -157,11 +157,11 @@ ListServiceByPopularity=Listado de servicios por popularidad Finished=Producto manufacturado RowMaterial=Materia prima ConfirmCloneProduct=¿Está seguro de querer clonar el producto o servicio %s? -CloneContentProduct=Clonar solamente la información general del producto/servicio +CloneContentProduct=Clonar toda la información principal del producto / servicio ClonePricesProduct=Clonar precios CloneCategoriesProduct=Clonar etiquetas/categorías vinculadas -CloneCompositionProduct=Clonar producto/servicio virtual -CloneCombinationsProduct=Clonar variantes de producto +CloneCompositionProduct=Clonar productos/servicios virtuales +CloneCombinationsProduct=Clonar las variantes del producto ProductIsUsed=Este producto es utilizado NewRefForClone=Ref. del nuevo producto/servicio SellingPrices=Precios de venta @@ -172,10 +172,10 @@ SuppliersPricesOfProductsOrServices=Precios de proveedores (productos o servicio CustomCode=Aduanas|Producto|Código HS CountryOrigin=País de origen RegionStateOrigin=Región de origen -StateOrigin=Estado|Provincia de origen +StateOrigin=Estado | Provincia de origen Nature=Naturaleza del producto (materia prima/producto acabado) NatureOfProductShort=Naturaleza del producto -NatureOfProductDesc=Materia prima o producto terminado +NatureOfProductDesc=Materia prima o producto manufacturado ShortLabel=Etiqueta corta Unit=Unidad p=u. @@ -314,7 +314,7 @@ LastUpdated=Última actualización CorrectlyUpdated=Actualizado correctamente PropalMergePdfProductActualFile=Archivos que se usan para añadir en el PDF Azur son PropalMergePdfProductChooseFile=Seleccione los archivos PDF -IncludingProductWithTag=Include products/services with tag +IncludingProductWithTag=Incluir productos / servicios con etiqueta DefaultPriceRealPriceMayDependOnCustomer=Precio por defecto, el precio real puede depender del cliente WarningSelectOneDocument=Seleccione al menos un documento DefaultUnitToShow=Unidad diff --git a/htdocs/langs/es_ES/projects.lang b/htdocs/langs/es_ES/projects.lang index c3d001e9b7a..7674ee768d2 100644 --- a/htdocs/langs/es_ES/projects.lang +++ b/htdocs/langs/es_ES/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Contactos proyecto ProjectsImContactFor=Proyectos de los que soy contacto explícito AllAllowedProjects=Todos los proyectos que puedo leer (míos + públicos) AllProjects=Todos los proyectos -MyProjectsDesc=Esta vista está limitada a aquellos proyectos en los que usted es un contacto +MyProjectsDesc=Esta vista está limitada a los proyectos para los que es contacto. ProjectsPublicDesc=Esta vista muestra todos los proyectos a los que usted tiene derecho a visualizar. TasksOnProjectsPublicDesc=Esta vista muestra todos los proyectos a los que tiene derecho a visualizar. ProjectsPublicTaskDesc=Esta vista muestra todos los proyectos a los que tiene derecho a visualizar. ProjectsDesc=Esta vista muestra todos los proyectos (sus permisos de usuario le permiten tener una visión completa). TasksOnProjectsDesc=Esta vista muestra todos los proyectos (sus permisos de usuario le permiten tener una visión completa). -MyTasksDesc=Esta vista se limita a los proyectos o tareas en los que usted es un contacto +MyTasksDesc=Esta vista está limitada a los proyectos o tareas para los que es contacto. OnlyOpenedProject=Sólo los proyectos abiertos son visibles (los proyectos en estado borrador cerrado no son visibles). ClosedProjectsAreHidden=Los proyectos cerrados no son visibles. TasksPublicDesc=Esta vista muestra todos los proyectos y tareas en los que usted tiene derecho a tener visibilidad. TasksDesc=Esta vista muestra todos los proyectos y tareas (sus permisos de usuario le permiten tener una visión completa). AllTaskVisibleButEditIfYouAreAssigned=Todas las tareas de este proyecto son visibles, pero solo puede indicar tiempos en las tareas que tenga asignadas. Asígnese tareas si desea indicar tiempos en ellas. -OnlyYourTaskAreVisible=Sólo puede ver tareas que le son asignadas. Asignese tareas si no son visibles y desea indicar tiempos en ellas. +OnlyYourTaskAreVisible=Solo las tareas asignadas a usted son visibles. Si necesita ingresar el tiempo en una tarea y si la tarea no está visible aquí, entonces debe asignarse la tarea a usted mismo. ImportDatasetTasks=Tareas de proyectos ProjectCategories=Etiquetas/categorías de proyectos NewProject=Nuevo proyecto @@ -89,7 +89,7 @@ TimeConsumed=Consumido ListOfTasks=Listado de tareas GoToListOfTimeConsumed=Ir al listado de tiempos consumidos GanttView=Vista de Gantt -ListWarehouseAssociatedProject=List of warehouses associated to the project +ListWarehouseAssociatedProject=Lista de almacenes asociados al proyecto ListProposalsAssociatedProject=Listado de presupuestos asociados al proyecto ListOrdersAssociatedProject=Listado de pedidos de clientes asociados al proyecto ListInvoicesAssociatedProject=Listado de facturas a clientes asociadas al proyecto @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=No asignado a la tarea NoUserAssignedToTheProject=Ningún usuario asignado a este proyecto TimeSpentBy=Tiempo dedicado por TasksAssignedTo=Tareas asignadas a -AssignTaskToMe=Asignarme tarea +AssignTaskToMe=Asignarme una tarea a mí mismo AssignTaskToUser=Asignar la tarea a %s SelectTaskToAssign=Seleccione tarea a asignar... AssignTask=Asignar diff --git a/htdocs/langs/es_ES/recruitment.lang b/htdocs/langs/es_ES/recruitment.lang index 26cacddf8cc..9d0d7e1e38a 100644 --- a/htdocs/langs/es_ES/recruitment.lang +++ b/htdocs/langs/es_ES/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Gracias por su aplicación.
... JobClosedTextCandidateFound=El puesto de trabajo esta cerrado. El puesto ha sido ocupado. JobClosedTextCanceled=El puesto de trabajo esta cerrado ExtrafieldsJobPosition=Campos adicionales (puestos de trabajo) -ExtrafieldsCandidatures=Campos adicionales (solicitudes de empleo) +ExtrafieldsApplication=Campos adicionales (solicitudes de empleo) MakeOffer=Realizar un presupuesto diff --git a/htdocs/langs/es_ES/sendings.lang b/htdocs/langs/es_ES/sendings.lang index f45396f7142..abe09942b83 100644 --- a/htdocs/langs/es_ES/sendings.lang +++ b/htdocs/langs/es_ES/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=¿Está seguro de querer validar esta expedición con la ConfirmCancelSending=¿Está seguro de querer anular esta expedición? DocumentModelMerou=Modelo Merou A5 WarningNoQtyLeftToSend=Alerta, ningún producto en espera de envío. -StatsOnShipmentsOnlyValidated=Estadísticas realizadas únicamente sobre las expediciones validadas +StatsOnShipmentsOnlyValidated=Las estadísticas son solo para envíos validados. La fecha utilizada es la fecha de validación del envío (la fecha de entrega planificada no siempre se conoce) DateDeliveryPlanned=Fecha prevista de entrega RefDeliveryReceipt=Ref. nota de entrega StatusReceipt=Estado nota de entrega diff --git a/htdocs/langs/es_ES/stocks.lang b/htdocs/langs/es_ES/stocks.lang index aa551813b9c..9a7b3c823da 100644 --- a/htdocs/langs/es_ES/stocks.lang +++ b/htdocs/langs/es_ES/stocks.lang @@ -19,8 +19,8 @@ Stock=Stock Stocks=Stocks MissingStocks=Stock faltante StockAtDate=Stock a fecha -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future +StockAtDateInPast=Fecha en el pasado +StockAtDateInFuture=Fecha en el futuro StocksByLotSerial=Stocks por lotes/serie LotSerial=Lotes/Series LotSerialList=Listado de lotes/series @@ -37,8 +37,8 @@ AllWarehouses=Todos los almacenes IncludeEmptyDesiredStock=Incluir también stock negativo con stock deseado indefinido IncludeAlsoDraftOrders=Incluir también pedidos borrador Location=Lugar -LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products +LocationSummary=Nombre corto de la ubicación +NumberOfDifferentProducts=Número de productos únicos NumberOfProducts=Numero total de productos LastMovement=Último movimiento LastMovements=Últimos movimientos @@ -91,14 +91,14 @@ NoPredefinedProductToDispatch=No hay productos predefinidos en este objeto. Por DispatchVerb=Validar recepción StockLimitShort=Límite para alerta StockLimit=Stock límite para alertas -StockLimitDesc=(vacío) significa que no hay advertencia.
0 puede utilizarse para una advertencia tan pronto como el material se acabe. +StockLimitDesc=(vacío) significa que no hay advertencia.
0 se puede utilizar para activar una advertencia tan pronto como el stock esté vacío. PhysicalStock=Stock físico RealStock=Stock real RealStockDesc=El stock físico o real es la stock que tiene actualmente en sus almacenes. RealStockWillAutomaticallyWhen=El stock real cambiará automáticamente de acuerdo con esta regla (según configuración del módulo de stock): VirtualStock=Stock virtual VirtualStockAtDate=Stock virtual a fecha -VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished +VirtualStockAtDateDesc=Stock virtual una vez finalizados todos los pedidos pendientes que están previstos para ser procesados antes de la fecha elegida VirtualStockDesc=El stock virtual es el stock que obtendrá una vez que todas las acciones abiertas/pendientes (que afecten al stock) serán cerradas (pedidos a proveedor del proveedor recibidos, pedidos de clientes enviados, ...) AtDate=En la fecha IdWarehouse=Id. almacén @@ -147,7 +147,7 @@ Replenishments=Reaprovisionamiento NbOfProductBeforePeriod=Cantidad del producto %s en stock antes del periodo seleccionado (< %s) NbOfProductAfterPeriod=Cantidad del producto %s en stock después del periodo seleccionado (> %s) MassMovement=Movimientos en masa -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". +SelectProductInAndOutWareHouse=Seleccione un almacén de origen y un almacén de destino, un producto y una cantidad y luego haga clic en "%s". Una vez hecho esto para todos los movimientos requeridos, haga clic en "%s". RecordMovement=Registrar transferencia ReceivingForSameOrder=Recepciones de este pedido StockMovementRecorded=Movimiento de stock registrado @@ -238,7 +238,7 @@ StockIsRequiredToChooseWhichLotToUse=Se requiere stock para elegir qué lote usa ForceTo=Forzar AlwaysShowFullArbo=Mostrar el árbol completo del almacén en la ventana emergente de enlaces del almacén (Advertencia: esto puede disminuir drásticamente el rendimiento) StockAtDatePastDesc=Puede ver aquí el stock (stock real) en una fecha determinada en el pasado -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future +StockAtDateFutureDesc=Puede ver aquí el stock (stock virtual) en una fecha determinada en el futuro CurrentStock=Stock actual InventoryRealQtyHelp=Establezca el valor en 0 para restablecer la cantidad
Mantenga el campo vacío o elimine la línea para mantenerlo sin cambios UpdateByScaning=Llene la cantidad real escaneando diff --git a/htdocs/langs/es_ES/users.lang b/htdocs/langs/es_ES/users.lang index 8e59820c70a..f0727893f02 100644 --- a/htdocs/langs/es_ES/users.lang +++ b/htdocs/langs/es_ES/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Contraseña modificada en: %s SubjectNewPassword=Su nueva contraseña para %s GroupRights=Permisos de grupo UserRights=Permisos usuario +Credentials=Cartas credenciales UserGUISetup=Interfaz usuario DisableUser=Desactivar DisableAUser=Desactivar un usuario @@ -105,7 +106,7 @@ UseTypeFieldToChange=Modificar el campo Tipo para cambiar OpenIDURL=Dirección OpenID LoginUsingOpenID=Usar OpenID para iniciar sesión WeeklyHours=Horas trabajadas (por semana) -ExpectedWorkedHours=Horas previstas por semana +ExpectedWorkedHours=Horas esperadas trabajadas por semana ColorUser=Color para el usuario DisabledInMonoUserMode=Desactivado en modo mantenimiento UserAccountancyCode=Código contable usuario @@ -115,7 +116,7 @@ DateOfEmployment=Fecha empleo DateEmployment=Empleo DateEmploymentstart=Fecha de inicio de empleo DateEmploymentEnd=Fecha de finalización de empleo -RangeOfLoginValidity=Rango de fechas de validez de inicio de sesión +RangeOfLoginValidity=Intervalo de fechas de validez de acceso CantDisableYourself=No puede deshabilitar su propio registro de usuario ForceUserExpenseValidator=Forzar validador de informes de gastos ForceUserHolidayValidator=Forzar validador de solicitud de días libres diff --git a/htdocs/langs/es_ES/website.lang b/htdocs/langs/es_ES/website.lang index 673c7f003f8..b8d6f149b3f 100644 --- a/htdocs/langs/es_ES/website.lang +++ b/htdocs/langs/es_ES/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Defina la lista de todos los idiomas GenerateSitemaps=Generar archivo de mapa del sitio del sitio web ConfirmGenerateSitemaps=Si confirma, borrará el archivo de mapa del sitio existente ... ConfirmSitemapsCreation=Confirmar la generación del mapa del sitio -SitemapGenerated=Mapa del sitio generado +SitemapGenerated=Archivo de mapa del sitio %s generado ImportFavicon=Favicon ErrorFaviconType=El favicon debe ser png -ErrorFaviconSize=El favicon debe tener un tamaño de 32x32 -FaviconTooltip=Sube una imagen que debe ser un png de 32x32 +ErrorFaviconSize=El favicon debe tener un tamaño de 16x16, 32x32 o 64x64 +FaviconTooltip=Sube una imagen que debe ser png (16x16, 32x32 o 64x64) diff --git a/htdocs/langs/es_GT/accountancy.lang b/htdocs/langs/es_GT/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_GT/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_GT/admin.lang b/htdocs/langs/es_GT/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/es_GT/admin.lang +++ b/htdocs/langs/es_GT/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_GT/cron.lang b/htdocs/langs/es_GT/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/es_GT/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/es_GT/modulebuilder.lang b/htdocs/langs/es_GT/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_GT/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_GT/website.lang b/htdocs/langs/es_GT/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_GT/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_HN/accountancy.lang b/htdocs/langs/es_HN/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_HN/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_HN/admin.lang b/htdocs/langs/es_HN/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/es_HN/admin.lang +++ b/htdocs/langs/es_HN/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_HN/cron.lang b/htdocs/langs/es_HN/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/es_HN/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/es_HN/modulebuilder.lang b/htdocs/langs/es_HN/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_HN/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_HN/website.lang b/htdocs/langs/es_HN/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_HN/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_MX/accountancy.lang b/htdocs/langs/es_MX/accountancy.lang index d5919ef1940..ecc278b53f1 100644 --- a/htdocs/langs/es_MX/accountancy.lang +++ b/htdocs/langs/es_MX/accountancy.lang @@ -82,6 +82,7 @@ XLineFailedToBeBinded=%s productos / servicios no estaban vinculados a ninguna c ACCOUNTING_LIST_SORT_VENTILATION_TODO=Comience la ordenación de la página "Enlazar para hacer" por los elementos más recientes ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comience la ordenación de la página "Enlace realizado" por los elementos más recientes BANK_DISABLE_DIRECT_INPUT=Deshabilitar el registro directo de la transacción en la cuenta bancaria +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario de varios ACCOUNTING_EXPENSEREPORT_JOURNAL=Diario de reporte de gastos ACCOUNTING_SOCIAL_JOURNAL=Diario Social diff --git a/htdocs/langs/es_MX/admin.lang b/htdocs/langs/es_MX/admin.lang index afc2e0f6850..82b028ae8c2 100644 --- a/htdocs/langs/es_MX/admin.lang +++ b/htdocs/langs/es_MX/admin.lang @@ -24,6 +24,7 @@ ConfirmLockNewSessions=¿Estás seguro de querer restringir cualquier nueva cone UnlockNewSessions=Remover bloqueo de conexión YourSession=Tu sesión WebUserGroup=Usuario/Grupo del servidor web +PermissionsOnFiles=Permisos en ficheros NoSessionFound=Tu configuración PHP no parece permitir listar sesiones activas. El directorio usado para guardar sesiones (%s) podría estar protegido (Por ejemplo, por permisos del SO o por la directiva PHP open_basedir). DBStoringCharset=Charset de la base de datos para almacenar información DBSortingCharset=Charset de la base de datos para clasificar información @@ -227,7 +228,6 @@ Module3400Name=Redes Sociales DictionaryAccountancyJournal=Diarios de contabilidad DictionarySocialNetworks=Redes Sociales Upgrade=Actualizar -ShowBugTrackLink=Show link "%s" LDAPFieldFirstName=Nombre(s) AGENDA_SHOW_LINKED_OBJECT=Mostrar objeto vinculado en la vista de agenda ConfFileMustContainCustom=Instalar o construir un módulo externo desde la aplicación necesita guardar los archivos del módulo en el directorio %s . Para que este directorio sea procesado por Dolibarr, debe configurar su conf/conf.php para agregar las 2 líneas de directiva: $dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; @@ -237,3 +237,4 @@ MailToSendSupplierOrder=Ordenes de compra MailToSendSupplierInvoice=Facturas de proveedor OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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. +MailToSendEventOrganization=Organización de Eventos diff --git a/htdocs/langs/es_MX/agenda.lang b/htdocs/langs/es_MX/agenda.lang index 285a00342d7..2dda1145955 100644 --- a/htdocs/langs/es_MX/agenda.lang +++ b/htdocs/langs/es_MX/agenda.lang @@ -1,20 +1,27 @@ # Dolibarr language file - Source file is en_US - agenda +LocalAgenda=Calendario predeterminado ActionsOwnedBy=Evento propiedad de Event=Evento ListOfActions=Lista de eventos +EventReports=Informes de evento +ToUserOfGroup=Evento Asignado a cualquier usuario del grupo EventOnFullDay=Evento de todo el día(s) MenuToDoActions=Todos los eventos incompletos MenuDoneActions=Todos los eventos finalizados MenuDoneMyActions=Mis eventos finalizados -ListOfEvents=Lista de eventos (calendario interno) +ListOfEvents=Lista de eventos (calendario predeterminado) ActionsAskedBy=Eventos reportados por ActionsDoneBy=Eventos realizado por ViewCal=Vista del mes ViewDay=Vista de día ViewWeek=Vista de la semana +ViewPerType=Por tipo de vista AutoActions=Llenado automático +AgendaAutoActionDesc=Aquí usted puede definir los eventos que desee que Dolibarr cree automáticamente en la Agenda. Si no se marca nada, solo las acciones manuales serán incluidas en los registros mostrados en la Agenda. El seguimiento automático de acciones comerciales realizadas en los objetos (validación y cambio de estado), serán descartados. +AgendaSetupOtherDesc=Esta página ofrece opciones para permitir la exportación de sus eventos Dolibarr hacia un calendario externo (Thunderbird,Google Calendar etc...) AgendaExtSitesDesc=Esta página permite declarar las fuentes externas de calendarios para ver sus eventos en la agenda de Dolibarr. ActionsEvents=Eventos para los que Dolibarr creará una acción en la agenda de forma automática +EventRemindersByEmailNotEnabled=Los Recordatorios de evento por correo electrónico no se habilitaron en el %s módulo de configuración. PropalValidatedInDolibarr=Propuesta %s validada InvoiceValidatedInDolibarrFromPos=Factura %s validada desde POS InvoiceBackToDraftInDolibarr=Regresar factura %s al estado de borrador diff --git a/htdocs/langs/es_MX/banks.lang b/htdocs/langs/es_MX/banks.lang index 7b80764b478..c8862b7df06 100644 --- a/htdocs/langs/es_MX/banks.lang +++ b/htdocs/langs/es_MX/banks.lang @@ -48,7 +48,6 @@ DateConciliating=Fecha de conciliación SocialContributionPayment=Pago de impuesto social/fiscal TransferFromToDone=La transferencia de %s hacia %s de %s %s ha sido registrada. ValidateCheckReceipt=¿Validar este recibo de cheque? -ConfirmValidateCheckReceipt=¿Está seguro de que desea validar este recibo de cheques, ningún cambio será posible una vez hecho esto? DeleteCheckReceipt=¿Eliminar este recibo de cheque? BankChecks=Cheques bancarios BankChecksToReceipt=Cheques en espera de depósito diff --git a/htdocs/langs/es_MX/companies.lang b/htdocs/langs/es_MX/companies.lang index 180ac68ceaf..bfe19515ec7 100644 --- a/htdocs/langs/es_MX/companies.lang +++ b/htdocs/langs/es_MX/companies.lang @@ -2,9 +2,7 @@ ErrorCompanyNameAlreadyExists=El nombre de la empresa %s ya existe. Elige uno diferente. ErrorSetACountryFirst=Ajusta primero el país SelectThirdParty=Selecciona un tercero -ConfirmDeleteCompany=¿Estás seguro que quieres borrar esta compañía y toda la información relacionada? DeleteContact=Eliminar un contacto/dirección -ConfirmDeleteContact=¿Estás seguro que quieres borrar este contacto y toda la información heredada? NewCompany=Nueva compañía (cliente potencial, cliente, proveedor) NewThirdParty=Nuevo tercero (cleinte potencial, cliente, proveedor) CreateThirdPartyAndContact=Crear un tercero + un contacto hijo @@ -29,13 +27,11 @@ Firstname=Nombre(s) State=Estado/Provincia CountryCode=Código de país CountryId=ID de país -PhonePro=Teléfono trabajo PhonePerso=Teléfono particular PhoneMobile=Celular No_Email=Rechazar correos masivos Town=Ciudad Web=Página de internet -DefaultLang=Idioma predeterminado VATIsUsed=Impuesto a las ventas utilizado VATIsUsedWhenSelling=Esto define si este tercero incluye un impuesto de venta o no cuando realiza una factura a sus propios clientes VATIsNotUsed=No se utiliza impuesto sobre las ventas @@ -147,7 +143,6 @@ CustomerCodeDesc=Código de cliente, único para todos los clientes SupplierCodeDesc=Código de proveedor, único para todos los proveedores RequiredIfCustomer=Requerido si el tercero es un cliente o cliente potencial RequiredIfSupplier=Requerido si el tercero es un proveedor -ValidityControledByModule=Validez controlada por el módulo ThisIsModuleRules=Reglas para este módulo CompanyDeleted=Empresa "%s" eliminada de la base de datos. ListOfContacts=Lista de contactos/direcciones @@ -207,8 +202,6 @@ ListSuppliersShort=Lista de proveedores ListProspectsShort=Lista de clientes potenciales ListCustomersShort=Lista de clientes ThirdPartiesArea=Terceros/Contactos -LastModifiedThirdParties=Último %s modificado Terceros -UniqueThirdParties=Total de terceros InActivity=Abierta OutstandingBillReached=Max. para la cuenta pendiente alcanzada OrderMinAmount=Cantidad mínima por pedido @@ -216,7 +209,6 @@ LeopardNumRefModelDesc=El código es libre. Este código puede ser modificado en ManagingDirectors=Administrador(es) (CEO, Director, Presidente...) MergeOriginThirdparty=Tercero duplicado (tercero que deseas eliminar) MergeThirdparties=Combinar terceros -ConfirmMergeThirdparties=¿Seguro que deseas combinar este tercero con el tercero actual? Todos los objetos vinculados (facturas, pedidos, ...) de este tercero serán trasladados al tercero actual y despues se eliminara el tercero. ThirdpartiesMergeSuccess=Se han fusionado los terceros SaleRepresentativeLogin=Inicio de sesión del representante de ventas SaleRepresentativeFirstname=Nombre del representante de ventas diff --git a/htdocs/langs/es_MX/errors.lang b/htdocs/langs/es_MX/errors.lang index a1307643505..8ecba476ee2 100644 --- a/htdocs/langs/es_MX/errors.lang +++ b/htdocs/langs/es_MX/errors.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - errors -ErrorSubjectIsRequired=El tema del correo electrónico es obligatorio ErrorFieldAccountNotDefinedForLine=Valor para la cuenta contable no definido para la línea (%s) ErrorTooManyErrorsProcessStopped=Demasiados errores. Se detuvo el proceso. diff --git a/htdocs/langs/es_MX/eventorganization.lang b/htdocs/langs/es_MX/eventorganization.lang new file mode 100644 index 00000000000..bcb01e7daa4 --- /dev/null +++ b/htdocs/langs/es_MX/eventorganization.lang @@ -0,0 +1,13 @@ +# Dolibarr language file - Source file is en_US - eventorganization +ModuleEventOrganizationName =Organización de Eventos +EventOrganizationDescription =Organización de Eventos a través el Módulo de Proyectos +EventOrganizationDescriptionLong=Administrar organización de evento para conferencias, participantes, presentador, y participantes, con página de suscripción pública +EventOrganizationConferenceOrBoothMenuLeft =Conferencia o Puesto +EventOrganizationSetup =Configuración de Organización de Evento +EventOrganizationSetupPage =Página de organización de evento +EVENTORGANIZATION_TASK_LABEL =Etiqueta de tareas para crear automáticamente cuando el proyecto sea validado +EVENTORGANIZATION_TASK_LABELTooltip =Cuando validas un evento organizado, algunas tareas pueden ser creadas automáticamente en el proyecto

Por ejemplo:
+EventOrganizationConfOrBooth=Conferencia o Puesto +ConferenceOrBooth =Conferencia o Puesto +ConferenceOrBoothTab =Conferencia o Puesto +EvntOrgDone =Hecho diff --git a/htdocs/langs/es_MX/modulebuilder.lang b/htdocs/langs/es_MX/modulebuilder.lang index 82299e4a90a..4805c2fa2c0 100644 --- a/htdocs/langs/es_MX/modulebuilder.lang +++ b/htdocs/langs/es_MX/modulebuilder.lang @@ -9,4 +9,3 @@ PageForList=Página PHP para la lista de registro PathToModulePackage=Ruta del módulo/aplicación zip SpaceOrSpecialCharAreNotAllowed=No se permiten espacios ni caracteres especiales. FileNotYetGenerated=Archivo aún no generado -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_MX/partnership.lang b/htdocs/langs/es_MX/partnership.lang new file mode 100644 index 00000000000..e5a790d439e --- /dev/null +++ b/htdocs/langs/es_MX/partnership.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - partnership +DatePartnershipEnd=Fecha de finalización +PartnershipCanceled =Cancelado diff --git a/htdocs/langs/es_MX/recruitment.lang b/htdocs/langs/es_MX/recruitment.lang index fdb6a07d8e8..633d82bdb93 100644 --- a/htdocs/langs/es_MX/recruitment.lang +++ b/htdocs/langs/es_MX/recruitment.lang @@ -2,9 +2,32 @@ ModuleRecruitmentName =Reclutamiento ModuleRecruitmentDesc =Gestione y de seguimiento a campañas de reclutamiento para nuevos puestos de trabajo. RecruitmentSetup =Configuración de reclutamiento +RecruitmentSetupPage =Ingrese aquí la configuración de las principales opciones para el módulo de reclutamiento RecruitmentArea=Área de reclutamiento +PublicInterfaceRecruitmentDesc=Las páginas públicas de trabajos son URL públicas para mostrar y responder a vacantes. Hay un enlace diferente para cada vacante, que se encuentra en cada registro de trabajo. +EnablePublicRecruitmentPages=Habilitar paginas publicas de vacantes abiertas RecruitmentAbout =Sobre el reclutamiento RecruitmentAboutPage =Página acerca de reclutamiento NbOfEmployeesExpected=Número esperado de empleados ResponsibleOfRecruitement=Responsable de reclutamiento IfJobIsLocatedAtAPartner=Si el trabajo se encuentra en un el lugar de un asociado +ListOfPositionsToBeFilled=Lista de puestos de trabajo +JobOfferToBeFilled=Puesto de trabajo a cubrir +ContactForRecruitment=Contacto para contratación +EmailRecruiter=Correo electrónico de Reclutador +ToUseAGenericEmail=Utilizar un correo electrónico genérico. Si no se define, se utilizará el correo electrónico del responsable de contratación. +NewCandidature=Nueva solicitud +ListOfCandidatures=Lista de solicitudes +RequestedRemuneration=Sueldo solicitado +ProposedRemuneration=Sueldo propuesto +RecruitmentCandidature=Solicitud +RecruitmentCandidatures=Solicitudes +InterviewToDo=Entrevista para hacer +AnswerCandidature=Respuesta a la solicitud +YourCandidature=Tu solicitud +YourCandidatureAnswerMessage=Gracias por su solicitud.
... +JobClosedTextCandidateFound=La vacante esta cerrada. Este puesto ya fue cubierto. +JobClosedTextCanceled=La vacante esta cerrada. +ExtrafieldsJobPosition=Atributos complementarios (puestos de trabajo) +ExtrafieldsApplication=Atributos complementarios (solicitudes de empleo) +MakeOffer=Hacer una oferta diff --git a/htdocs/langs/es_MX/website.lang b/htdocs/langs/es_MX/website.lang index 92219c9ce78..ff12c0bdb52 100644 --- a/htdocs/langs/es_MX/website.lang +++ b/htdocs/langs/es_MX/website.lang @@ -1,5 +1,3 @@ # Dolibarr language file - Source file is en_US - website NoPageYet=Sin páginas aun GrabImagesInto=Insertar también las imágenes encontradas en CSS y página. -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_PA/accountancy.lang b/htdocs/langs/es_PA/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_PA/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_PA/admin.lang b/htdocs/langs/es_PA/admin.lang index b6ade31f4f5..f0c05a924c9 100644 --- a/htdocs/langs/es_PA/admin.lang +++ b/htdocs/langs/es_PA/admin.lang @@ -1,5 +1,4 @@ # Dolibarr language file - Source file is en_US - admin VersionUnknown=Desconocido -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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/cron.lang b/htdocs/langs/es_PA/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/es_PA/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/es_PA/modulebuilder.lang b/htdocs/langs/es_PA/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_PA/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_PA/website.lang b/htdocs/langs/es_PA/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_PA/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_PE/accountancy.lang b/htdocs/langs/es_PE/accountancy.lang index cf9e532ffbf..f41b76f9342 100644 --- a/htdocs/langs/es_PE/accountancy.lang +++ b/htdocs/langs/es_PE/accountancy.lang @@ -32,6 +32,7 @@ ACCOUNTING_LIST_SORT_VENTILATION_DONE=Comienza la clasificación de la página " ACCOUNTING_LENGTH_DESCRIPTION=Truncar la descripción de los productos y servicios en los listados después de los caracteres x (mejor = 50) ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Truncar el formulario de descripción de la cuenta de producto y servicios en los listados después de los caracteres x (mejor = 50) ACCOUNTING_LENGTH_GACCOUNT=Longitud de las cuentas de contabilidad general (si establece el valor a 6 aquí, la cuenta '706' aparecerá como '706000' en la pantalla) +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) ACCOUNTING_SELL_JOURNAL=Diario de Venta ACCOUNTING_PURCHASE_JOURNAL=Diario de Compra ACCOUNTING_MISCELLANEOUS_JOURNAL=Diario diverso diff --git a/htdocs/langs/es_PE/admin.lang b/htdocs/langs/es_PE/admin.lang index c5149bbb2de..6ab8ad59b97 100644 --- a/htdocs/langs/es_PE/admin.lang +++ b/htdocs/langs/es_PE/admin.lang @@ -6,7 +6,6 @@ Permission91=Consultar impuestos e IGV Permission92=Crear/modificar impuestos e IGV Permission93=Eliminar impuestos e IGV DictionaryVAT=Tasa de IGV o tasa de impuesto a las ventas -ShowBugTrackLink=Show link "%s" UnitPriceOfProduct=Precio unitario sin IGV de un producto OptionVatMode=IGV adeudado MailToSendInvoice=Facturas de Clientes diff --git a/htdocs/langs/es_PE/assets.lang b/htdocs/langs/es_PE/assets.lang index 7eee01f4abb..401ea0f53af 100644 --- a/htdocs/langs/es_PE/assets.lang +++ b/htdocs/langs/es_PE/assets.lang @@ -1,2 +1,5 @@ # Dolibarr language file - Source file is en_US - assets DeleteType=Borrar +Settings =Configuración +MenuListAssets =Lista +MenuListTypeAssets =Lista diff --git a/htdocs/langs/es_PE/intracommreport.lang b/htdocs/langs/es_PE/intracommreport.lang index 76825d9b4ab..8bfe2e7c4a4 100644 --- a/htdocs/langs/es_PE/intracommreport.lang +++ b/htdocs/langs/es_PE/intracommreport.lang @@ -1,2 +1,2 @@ # Dolibarr language file - Source file is en_US - intracommreport -IntracommReportPeriod=Period of nalysis +MenuIntracommReportList=Lista diff --git a/htdocs/langs/es_PE/knowledgemanagement.lang b/htdocs/langs/es_PE/knowledgemanagement.lang new file mode 100644 index 00000000000..b6f2a0b04a7 --- /dev/null +++ b/htdocs/langs/es_PE/knowledgemanagement.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - knowledgemanagement +KnowledgeManagementAbout =Acerca de Gestión del Conocimiento +KnowledgeManagementAboutPage =Sobre la página de Gestión del Conocimiento diff --git a/htdocs/langs/es_PE/main.lang b/htdocs/langs/es_PE/main.lang index 256d3198c63..4740d8aa1c4 100644 --- a/htdocs/langs/es_PE/main.lang +++ b/htdocs/langs/es_PE/main.lang @@ -44,7 +44,6 @@ Save=Guardar SaveAs=Guardar Como TestConnection=Prueba de conexión ToClone=Duplicar -ConfirmClone=Seleccione los datos que desea duplicar: NoCloneOptionsSpecified=No ha definido los datos a duplicar. Run=Ejecutar Show=Mostrar @@ -64,6 +63,7 @@ LT2=Impuesto 3 LT2Type=Tipo de impuesto 3 VATRate=Tasa Impuesto VATCode=Código de la Tasa del Impuesto +List=Lista Opened=Abrir SearchIntoMO=Órdenes de Fabricación SearchIntoCustomerInvoices=Facturas de Clientes diff --git a/htdocs/langs/es_PE/modulebuilder.lang b/htdocs/langs/es_PE/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_PE/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_PE/stocks.lang b/htdocs/langs/es_PE/stocks.lang index 1a973f55756..517409f5632 100644 --- a/htdocs/langs/es_PE/stocks.lang +++ b/htdocs/langs/es_PE/stocks.lang @@ -9,4 +9,5 @@ MovementLabel=Etiqueta de movimiento MovementCorrectStock=Corrección de stock del producto %s inventoryEdit=Editar AddProduct=Agregar +ListInventory=Lista DisableStockChangeOfSubProduct=Desactiva el cambio de stock para todos los productos de este Kit durante este movimiento. diff --git a/htdocs/langs/es_PE/ticket.lang b/htdocs/langs/es_PE/ticket.lang index 9b8429210d8..1f39a627933 100644 --- a/htdocs/langs/es_PE/ticket.lang +++ b/htdocs/langs/es_PE/ticket.lang @@ -1,4 +1,5 @@ # Dolibarr language file - Source file is en_US - ticket Read=Leer Type=Tipo +TicketSettings=Configuración TicketNewEmailBodyInfosTrackUrl=Puedes ver la progresión del ticket haciendo click sobre el seguimiento del ticket. diff --git a/htdocs/langs/es_PE/website.lang b/htdocs/langs/es_PE/website.lang index 344f2e6ae70..85fd95deb49 100644 --- a/htdocs/langs/es_PE/website.lang +++ b/htdocs/langs/es_PE/website.lang @@ -1,4 +1,2 @@ # Dolibarr language file - Source file is en_US - website ReadPerm=Leer -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_PY/accountancy.lang b/htdocs/langs/es_PY/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_PY/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_PY/admin.lang b/htdocs/langs/es_PY/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/es_PY/admin.lang +++ b/htdocs/langs/es_PY/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_PY/cron.lang b/htdocs/langs/es_PY/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/es_PY/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/es_PY/modulebuilder.lang b/htdocs/langs/es_PY/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_PY/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_PY/website.lang b/htdocs/langs/es_PY/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_PY/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_US/accountancy.lang b/htdocs/langs/es_US/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_US/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_US/admin.lang b/htdocs/langs/es_US/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/es_US/admin.lang +++ b/htdocs/langs/es_US/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_US/cron.lang b/htdocs/langs/es_US/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/es_US/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/es_US/modulebuilder.lang b/htdocs/langs/es_US/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_US/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_US/website.lang b/htdocs/langs/es_US/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_US/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_UY/accountancy.lang b/htdocs/langs/es_UY/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_UY/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_UY/admin.lang b/htdocs/langs/es_UY/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/es_UY/admin.lang +++ b/htdocs/langs/es_UY/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_UY/cron.lang b/htdocs/langs/es_UY/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/es_UY/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/es_UY/modulebuilder.lang b/htdocs/langs/es_UY/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_UY/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_UY/website.lang b/htdocs/langs/es_UY/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_UY/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/es_VE/accountancy.lang b/htdocs/langs/es_VE/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/es_VE/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/es_VE/admin.lang b/htdocs/langs/es_VE/admin.lang index 74b465f966a..271cb2be3a5 100644 --- a/htdocs/langs/es_VE/admin.lang +++ b/htdocs/langs/es_VE/admin.lang @@ -4,6 +4,7 @@ VersionLastUpgrade=Última actualización de la versión ConfirmPurgeSessions=¿De verdad quieres purgar todas las sesiones? Esto desconectará a todos los usuarios (excepto a usted). SetupArea=Parametrizaje NotConfigured=Módulo / Aplicación no configurada +Module1780Desc=Crear etiquetas/Categoría (Productos, clientes, proveedores, contactos y miembros) Permission254=Modificar la contraseña de otros usuarios Permission255=Eliminar o desactivar otros usuarios Permission256=Consultar sus permisos diff --git a/htdocs/langs/es_VE/banks.lang b/htdocs/langs/es_VE/banks.lang index 7037335c8cc..035657a53cd 100644 --- a/htdocs/langs/es_VE/banks.lang +++ b/htdocs/langs/es_VE/banks.lang @@ -1,3 +1,4 @@ # Dolibarr language file - Source file is en_US - banks OnlyOpenedAccount=Sólo cuentas abiertas StatusAccountOpened=Abierta +CheckTransmitter=Origen diff --git a/htdocs/langs/es_VE/bills.lang b/htdocs/langs/es_VE/bills.lang index 4e32a0119fd..2081ddfdaee 100644 --- a/htdocs/langs/es_VE/bills.lang +++ b/htdocs/langs/es_VE/bills.lang @@ -2,6 +2,7 @@ BillsCustomersUnpaid=Facturas a clientes pendientes de cobro CreateCreditNote=Crear factura de abono BillShortStatusConverted=Pagada +ConfirmClassifyPaidPartiallyReasonProductReturned=Productos parcialmente devueltos CustomerBillsUnpaid=Facturas a clientes pendientes de cobro Statut=Estatuto PaymentConditionShortPT_ORDER=Pedido diff --git a/htdocs/langs/es_VE/eventorganization.lang b/htdocs/langs/es_VE/eventorganization.lang new file mode 100644 index 00000000000..bde5dca9705 --- /dev/null +++ b/htdocs/langs/es_VE/eventorganization.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - eventorganization +EvntOrgDraft =A validar diff --git a/htdocs/langs/es_VE/modulebuilder.lang b/htdocs/langs/es_VE/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/es_VE/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/es_VE/partnership.lang b/htdocs/langs/es_VE/partnership.lang new file mode 100644 index 00000000000..c1937e30555 --- /dev/null +++ b/htdocs/langs/es_VE/partnership.lang @@ -0,0 +1,5 @@ +# Dolibarr language file - Source file is en_US - partnership +DatePartnershipEnd=Fecha finalización +PartnershipDraft =A validar +PartnershipAccepted =Aceptada +PartnershipRefused =Devuelta diff --git a/htdocs/langs/es_VE/products.lang b/htdocs/langs/es_VE/products.lang index 7c5fda8bea0..890163bca26 100644 --- a/htdocs/langs/es_VE/products.lang +++ b/htdocs/langs/es_VE/products.lang @@ -1,4 +1,7 @@ # Dolibarr language file - Source file is en_US - products -TMenuProducts=Productos y servicios +ProductsOnSaleOnly=Productos solo a para venta +ProductsOnPurchaseOnly=Productos solo para compra ProductStatusNotOnBuyShort=Fuera compra +ExportDataset_produit_1=Productos PriceExpressionEditorHelp2=Puede acceder a los atributos adicionales con variables como #extrafield_myextrafieldkey# y variables globales con #global_mycode# +NbProducts=Numero de productos diff --git a/htdocs/langs/es_VE/propal.lang b/htdocs/langs/es_VE/propal.lang index f3e7695176c..e7be445d8d5 100644 --- a/htdocs/langs/es_VE/propal.lang +++ b/htdocs/langs/es_VE/propal.lang @@ -1,2 +1,3 @@ # Dolibarr language file - Source file is en_US - propal PropalsOpened=Abierta +CreateEmptyPropal=Crear propuesta comercial vacía o desde la lista de productos/servicios\n diff --git a/htdocs/langs/es_VE/website.lang b/htdocs/langs/es_VE/website.lang deleted file mode 100644 index eb66189bb95..00000000000 --- a/htdocs/langs/es_VE/website.lang +++ /dev/null @@ -1,3 +0,0 @@ -# Dolibarr language file - Source file is en_US - website -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 diff --git a/htdocs/langs/et_EE/accountancy.lang b/htdocs/langs/et_EE/accountancy.lang index 1e7d1a312f3..5d28519c9ab 100644 --- a/htdocs/langs/et_EE/accountancy.lang +++ b/htdocs/langs/et_EE/accountancy.lang @@ -202,7 +202,7 @@ Docref=Viide LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/et_EE/admin.lang b/htdocs/langs/et_EE/admin.lang index d3320e12ec5..b0a402fe689 100644 --- a/htdocs/langs/et_EE/admin.lang +++ b/htdocs/langs/et_EE/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Turvaseaded PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Viga: see moodul nõuab PHP versiooni %s või uuemat. ErrorModuleRequireDolibarrVersion=Viga: see moodul nõuab Dolibarri versiooni %s või uuemat. @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Ära soovita NoActiveBankAccountDefined=Aktiivset pangakontot pole määratletud OwnerOfBankAccount=Pangakonto %s omani BankModuleNotActive=Pangakontode moodul pole sisse lülitatud -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Häired DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Antud käsu peab käivitama kä YourPHPDoesNotHaveSSLSupport=Antud PHP ei võimalda SSL funktsioone DownloadMoreSkins=Veel alla laetavaid kujundusi SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Osaline tõlge @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/et_EE/banks.lang b/htdocs/langs/et_EE/banks.lang index 81e77744f0e..b3b113ab55c 100644 --- a/htdocs/langs/et_EE/banks.lang +++ b/htdocs/langs/et_EE/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Kust TransferTo=Kuhu TransferFromToDone=Kanne kontolt %s kontole %s väärtuses %s %s on registreeritud. -CheckTransmitter=Ülekandja +CheckTransmitter=Saatja ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Pangatšekid @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Liikumised PlannedTransactions=Planned entries -Graph=Graafika +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Tehing teise kontoga @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Tagasi konto juurde ShowAllAccounts=Näita kõigil kontodel FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Lõpuks vali kategooria, mille alla kanded klassifitseerida ToConciliate=To reconcile? diff --git a/htdocs/langs/et_EE/bills.lang b/htdocs/langs/et_EE/bills.lang index aa1b3d111a5..89861b7e743 100644 --- a/htdocs/langs/et_EE/bills.lang +++ b/htdocs/langs/et_EE/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Sisesta kliendilt saadud makse EnterPaymentDueToCustomer=Soorita kliendile makse DisabledBecauseRemainderToPayIsZero=Keelatud, sest järele jäänud maksmata on null -PriceBase=Baashind +PriceBase=Base price BillStatus=Arve staatus StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Mustand (kinnitada) @@ -454,7 +454,7 @@ RegulatedOn=Reguleeritud üksusel ChequeNumber=Tšeki nr ChequeOrTransferNumber=Tšeki/ülekande nr ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Tšeki pank CheckBank=Tšekk NetToBePaid=Makstav netosumma diff --git a/htdocs/langs/et_EE/boxes.lang b/htdocs/langs/et_EE/boxes.lang index 4fca825fabb..d86d56d95db 100644 --- a/htdocs/langs/et_EE/boxes.lang +++ b/htdocs/langs/et_EE/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Vanimad aktiivsed aegunud teenused BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Üldine tegevus (arved, pakkumised, tellimused) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/et_EE/cashdesk.lang b/htdocs/langs/et_EE/cashdesk.lang index 0f87e95779e..414b751c9d6 100644 --- a/htdocs/langs/et_EE/cashdesk.lang +++ b/htdocs/langs/et_EE/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Kviitung Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Veebilehitseja BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/et_EE/categories.lang b/htdocs/langs/et_EE/categories.lang index f7eeeaf60b3..21d14e0352d 100644 --- a/htdocs/langs/et_EE/categories.lang +++ b/htdocs/langs/et_EE/categories.lang @@ -3,20 +3,20 @@ Rubrique=Silt/Kategooria Rubriques=Sildid/Kategooriad RubriquesTransactions=Tags/Categories of transactions categories=sildid/kategooriad -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=Kategoorias AddIn=Lisa kategooriasse modify=muuda Classify=Liigita CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/et_EE/companies.lang b/htdocs/langs/et_EE/companies.lang index 004a976937a..e48fcd4655b 100644 --- a/htdocs/langs/et_EE/companies.lang +++ b/htdocs/langs/et_EE/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Ettevõte nimega %s on juba olemas. Vali mõni muu. ErrorSetACountryFirst=Esmalt vali riik SelectThirdParty=Vali kolmas isik -ConfirmDeleteCompany=Kas soovite kindlasti selle ettevõtte ja kogu päritud teabe kustutada? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Kustuta kontakt/aadress -ConfirmDeleteContact=Kas soovite kindlasti selle kontakti ja kogu päritud teabe kustutada? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Uus kolmas osapool MenuNewCustomer=Uus klient MenuNewProspect=Uus huviline @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Helista Chat=Vestle -PhonePro=Ametitelefon +PhonePro=Bus. phone PhonePerso=Isiklik telefon PhoneMobile=Mobiiltelefon No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Postiindeks Town=Linn Web=Veeb Poste= Ametikoht -DefaultLang=Keele vaikeseade +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Käibemaksu ei kasutata @@ -331,7 +331,7 @@ CustomerCodeDesc=Kliendi kood, unikaalne igal kliendil SupplierCodeDesc=Tarnija kood, unikaalne igal kliendil RequiredIfCustomer=Nõutud, kui kolmas isik on klient või huviline RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Selle mooduli reeglid ProspectToContact=Huviline, kellega ühendust võtta CompanyDeleted=Ettevõte "%s" on andmebaasist kustutatud. @@ -439,12 +439,12 @@ ListSuppliersShort=Tarnijate nimekiri ListProspectsShort=Huviliste nimekiri ListCustomersShort=Klientide nimekiri ThirdPartiesArea=Kolmandad isikud/Kontaktid -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Kolmandaid isikuid kokku +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Ava ActivityCeased=Suletud ThirdPartyIsClosed=Kolmas osapool on suletud -ProductsIntoElements=Toodete / teenuste loetelu %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Hetkel maksmata summa OutstandingBill=Suurim võimalik maksmata arve OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Kood on vaba, seda saab igal ajal muuta. ManagingDirectors=Haldaja(te) nimi (CEO, direktor, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Kolmandate osapoolte ühendamine -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/et_EE/compta.lang b/htdocs/langs/et_EE/compta.lang index a23b73cef69..77d6b6c4d74 100644 --- a/htdocs/langs/et_EE/compta.lang +++ b/htdocs/langs/et_EE/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Uus allahindlus NewCheckDeposit=Uus tšeki deponeerimine NewCheckDepositOn=Loo kviitung kontole deponeerimise eest: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Tšeki vastuvõtmise kuupäev +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/et_EE/ecm.lang b/htdocs/langs/et_EE/ecm.lang index c3b54ff39b5..1c3d3c74e1d 100644 --- a/htdocs/langs/et_EE/ecm.lang +++ b/htdocs/langs/et_EE/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/et_EE/errors.lang b/htdocs/langs/et_EE/errors.lang index 81de1b5c8c9..1a16bdc7807 100644 --- a/htdocs/langs/et_EE/errors.lang +++ b/htdocs/langs/et_EE/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Ühtegi viga ei ole, teostame # Errors ErrorButCommitIsDone=Esines vigu, kuid kinnitame sellest hoolimata -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=URL %s on vale +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Kasutajanimi %s on juba olemas. @@ -46,8 +46,8 @@ ErrorWrongDate=Kuupäev pole korrektne! ErrorFailedToWriteInDir=Ei suutnud kirjutada kausta %s ErrorFoundBadEmailInFile=Failis on %s real ebaõige e-posti aadressi süntaks (näiteks on rida %s aadress=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Mõned nõutud väljad on täitmata. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Kausta loomine ebaõnnestus. Kontrolli, et veebiserveri kasutajal on piisavalt õigusi Dolibarri dokumentide kausta kirjutamiseks. Kui PHP safe_mode parameeter on sisse lülitatud, siis kontrolli, et veebiserveri kasutaja (või grupp) on Dolibarri PHP failide omanik. ErrorNoMailDefinedForThisUser=Antud kasutaja e-posti aadressi pole määratletud ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Seaded +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Mustand +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Tehtud +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/et_EE/knowledgemanagement.lang b/htdocs/langs/et_EE/knowledgemanagement.lang new file mode 100644 index 00000000000..2ad488984cd --- /dev/null +++ b/htdocs/langs/et_EE/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Seaded +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Dolibarri kohta +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artikkel +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/et_EE/mails.lang b/htdocs/langs/et_EE/mails.lang index 45d64d5f642..791a17b9305 100644 --- a/htdocs/langs/et_EE/mails.lang +++ b/htdocs/langs/et_EE/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Koopia MailToCCUsers=Copy to users(s) MailCCC=Puhverdatud koopia -MailTopic=Email topic +MailTopic=Email subject MailText=Sõnum MailFile=Manustatud failid MailMessage=E-kirja sisu @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/et_EE/main.lang b/htdocs/langs/et_EE/main.lang index 86a6e3aae9b..2f7fbb0902b 100644 --- a/htdocs/langs/et_EE/main.lang +++ b/htdocs/langs/et_EE/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Kontrolli ühendust ToClone=Klooni ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Kloonitavad andmed pole määratletud. Of=/ Go=Mine @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Tegevus About=Dolibarri kohta Number=Arv -NumberByMonth=Arv kuus +NumberByMonth=Total reports by month AmountByMonth=Kogus kuus Numero=Arv Limit=Piir @@ -341,8 +341,8 @@ KiloBytes=Kilobaiti MegaBytes=Megabaiti GigaBytes=Gigabaiti TeraBytes=Terabaiti -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Isik From=Kellelt FromDate=Kellelt FromLocation=Kellelt -at=at to=kellele To=kellele +ToDate=kellele +ToLocation=kellele +at=at and=ja or=või Other=Muu @@ -843,7 +845,7 @@ XMoreLines=%s joon(t) varjatud ShowMoreLines=Show more/less lines PublicUrl=Avalik link AddBox=Lisa kast -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Prindi fail %s ShowTransaction=Show entry on bank account ShowIntervention=Näita sekkumist @@ -854,8 +856,8 @@ Denied=Tagasi lükatud ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Muu ViewList=Nimekirja vaade ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/et_EE/members.lang b/htdocs/langs/et_EE/members.lang index fcf4718f143..0168761f010 100644 --- a/htdocs/langs/et_EE/members.lang +++ b/htdocs/langs/et_EE/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Mõni muu liige (nimi: %s, kas ErrorUserPermissionAllowsToLinksToItselfOnly=Turvalisuse huvides peavad sul olema õigused muuta kõiki kasutajaid enne seda, kui oled võimeline liiget siduma kasutajaga, kes ei ole sina. SetLinkToUser=Seosta Dolibarri kasutajaga SetLinkToThirdParty=Seosta Dolibarri kolmanda isikuga -MembersCards=Liikmete visiitkaardid +MembersCards=Business cards for members MembersList=Liikmete nimekiri MembersListToValid=Mustandi staatuses olevate liikmete nimekiri (vajab kinnitamist) MembersListValid=Kinnitatud liikmete nimekiri @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Kasutajad, kelle liikmemaks on saada MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Liikmemaksu kuupäev DateEndSubscription=Liikmemaksu lõppkuupäev -EndSubscription=Lõpeta liikmemaks +EndSubscription=Subscription Ends SubscriptionId=Liikemaksu ID WithoutSubscription=Without subscription MemberId=Liikme ID @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Liikmemaks nõutud DeleteType=Kustuta VoteAllowed=Hääletamine lubatud -Physical=Füüsiline -Moral=Moraalne -MorAndPhy=Moral and Physical -Reenable=Luba uuesti +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Liikmete statistika riigi alusel MembersStatisticsByState=Liikmete statistika osariigi/provintsi alusel MembersStatisticsByTown=Liikmete statistika linna alusel MembersStatisticsByRegion=Liikmete statistika piirkonna järgi -NbOfMembers=Liikmeid -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Ei leinud ühtki kinnitatud liiget -MembersByCountryDesc=See kuva näitab liikmete statistikat riikide alusel. Graafika töötamiseks peab olema ligipääs Google online graafikute teenusele ja see on kättesaadav vaid töötava internetiühendusega. -MembersByStateDesc=See riik näitab liikmete statistikat osariigi/provintsi/kantoni alusel. -MembersByTownDesc=See ekraan näitab liikmete statistikat linna alusel. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Vali soovitud statistika... MenuMembersStats=Statistika -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Informatsioon on avalik +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Uus liige lisatud, ootab heaks kiitmist NewMemberForm=Uue liikme vorm -SubscriptionsStatistics=Liikmelisuse statistika +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Liikmelisuste arv -AmountOfSubscriptions=Liikmelisuste kogusumma +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Käive (ettevõttel) või eelarve maht (ühendusel) DefaultAmount=Vaikimisi liikmemaks CanEditAmount=Külastaja saab oma liikmemaksu valida/summat muuta MEMBER_NEWFORM_PAYONLINE=Hüppa integreeritud online-makse lehele ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=Liikmemaksude jaoks kasutatav KM määr NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/et_EE/modulebuilder.lang b/htdocs/langs/et_EE/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/et_EE/modulebuilder.lang +++ b/htdocs/langs/et_EE/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/et_EE/other.lang b/htdocs/langs/et_EE/other.lang index ba2ede545ba..8fa1b02ba3e 100644 --- a/htdocs/langs/et_EE/other.lang +++ b/htdocs/langs/et_EE/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Reg kood %s on info, mis sõltub kolmanda isiku riigist.
Näiteks riigi %s puhul on see kood %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/et_EE/partnership.lang b/htdocs/langs/et_EE/partnership.lang new file mode 100644 index 00000000000..8e932fb6449 --- /dev/null +++ b/htdocs/langs/et_EE/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Alguskuupäev +DatePartnershipEnd=Lõppkuupäev + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Mustand +PartnershipAccepted = Accepted +PartnershipRefused = Keeldutud +PartnershipCanceled = Tühistatud + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/et_EE/productbatch.lang b/htdocs/langs/et_EE/productbatch.lang index c3e0711af7c..c6e4fd4eee9 100644 --- a/htdocs/langs/et_EE/productbatch.lang +++ b/htdocs/langs/et_EE/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/et_EE/products.lang b/htdocs/langs/et_EE/products.lang index d8abbac338d..cb10804e9aa 100644 --- a/htdocs/langs/et_EE/products.lang +++ b/htdocs/langs/et_EE/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Toode @@ -73,12 +73,12 @@ SellingPrice=Müügihind SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Müügihinna (km-ga) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=Uus hind -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=Müügihind ei saa olla madalam kui selle toote minimaalne lubatud hind (%s km-ta). Antud sõnumit näidatakse ka siis, kui sisestad liiga suure allahindluse. ContractStatusClosed=Suletud @@ -157,11 +157,11 @@ ListServiceByPopularity=Teenuste nimekiri populaarsuse järgi Finished=Valmistatud toode RowMaterial=Toormaterjal ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Seda toodet kasutatakse NewRefForClone=Uue toote/teenuse viide SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Päritolumaa -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Ühik p=u. diff --git a/htdocs/langs/et_EE/projects.lang b/htdocs/langs/et_EE/projects.lang index 9f5ee9b09d3..4d222514a55 100644 --- a/htdocs/langs/et_EE/projects.lang +++ b/htdocs/langs/et_EE/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projekti kontaktid ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Kõik projektid -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=See vaade esitab kõik projektid, mida sul on lubatud vaadata. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=See vaade esitab kõik projektid ja ülesanded, mida sul on lubatud vaadata. ProjectsDesc=See vaade näitab kõiki projekte (sinu kasutajaõigused annavad ligipääsu kõigele) TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=See vaade esitab kõik projektid ja ülesanded, mida sul on lubatud vaadata. TasksDesc=See vaade näitab kõiki projekte ja ülesandeid (sinu kasutajaõigused annavad ligipääsu kõigele) AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Uus projekt @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/et_EE/recruitment.lang b/htdocs/langs/et_EE/recruitment.lang index 1f6dab3f416..f5373d88475 100644 --- a/htdocs/langs/et_EE/recruitment.lang +++ b/htdocs/langs/et_EE/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/et_EE/sendings.lang b/htdocs/langs/et_EE/sendings.lang index 92c76b98f03..387687f8fb3 100644 --- a/htdocs/langs/et_EE/sendings.lang +++ b/htdocs/langs/et_EE/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 mudel WarningNoQtyLeftToSend=Hoiatus: pole ühtki lähetamise ootel kaupa. -StatsOnShipmentsOnlyValidated=Statistika põhineb vaid kinnitatud saadetistel. Kasutatavaks kuupäevaks on saadetise kinnitamise kuupäev (plaanitav kohaletoimetamise aeg ei ole alati teada). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/et_EE/stocks.lang b/htdocs/langs/et_EE/stocks.lang index 0fa5f181ced..51a1fe08e26 100644 --- a/htdocs/langs/et_EE/stocks.lang +++ b/htdocs/langs/et_EE/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Selle objektiga ei ole seotud ettemääratud toote DispatchVerb=Saada StockLimitShort=Hoiatuse piir StockLimit=Koguse piir hoiatuseks -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Reaalne laojääk RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/et_EE/users.lang b/htdocs/langs/et_EE/users.lang index 1facf9d2742..9898bac8b6d 100644 --- a/htdocs/langs/et_EE/users.lang +++ b/htdocs/langs/et_EE/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Salasõna muudetud: %s SubjectNewPassword=Your new password for %s GroupRights=Grupi õigused UserRights=Kasutaja õigused +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Keela DisableAUser=Keela kasutaja @@ -105,7 +106,7 @@ UseTypeFieldToChange=Kasuta muutmiseks 'Liik' välja OpenIDURL=OpenID URL LoginUsingOpenID=Kasuta sisselogimiseks OpenIDd WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/et_EE/website.lang b/htdocs/langs/et_EE/website.lang index 119edcd437d..ba5d90f597c 100644 --- a/htdocs/langs/et_EE/website.lang +++ b/htdocs/langs/et_EE/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/eu_ES/accountancy.lang b/htdocs/langs/eu_ES/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/eu_ES/accountancy.lang +++ b/htdocs/langs/eu_ES/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/eu_ES/admin.lang b/htdocs/langs/eu_ES/admin.lang index 081ca0887ca..8efd4589d74 100644 --- a/htdocs/langs/eu_ES/admin.lang +++ b/htdocs/langs/eu_ES/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Segurtasunaren konfigurazioa PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Errorea, modulu honek PHP-ren %s bertsioa -edo handiagoa- behar du ErrorModuleRequireDolibarrVersion=Errorea, modulu honek Dolibarr-en %s bertsioa -edo handiagoa- behar du @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/eu_ES/banks.lang b/htdocs/langs/eu_ES/banks.lang index 0f6fba01760..222600a6f21 100644 --- a/htdocs/langs/eu_ES/banks.lang +++ b/htdocs/langs/eu_ES/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/eu_ES/bills.lang b/htdocs/langs/eu_ES/bills.lang index 4d23de8e6d0..d82411ce066 100644 --- a/htdocs/langs/eu_ES/bills.lang +++ b/htdocs/langs/eu_ES/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/eu_ES/boxes.lang b/htdocs/langs/eu_ES/boxes.lang index acce860d953..1b6d9981dcb 100644 --- a/htdocs/langs/eu_ES/boxes.lang +++ b/htdocs/langs/eu_ES/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/eu_ES/cashdesk.lang b/htdocs/langs/eu_ES/cashdesk.lang index e108028d9cb..934753b0f69 100644 --- a/htdocs/langs/eu_ES/cashdesk.lang +++ b/htdocs/langs/eu_ES/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/eu_ES/categories.lang b/htdocs/langs/eu_ES/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/eu_ES/categories.lang +++ b/htdocs/langs/eu_ES/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/eu_ES/companies.lang b/htdocs/langs/eu_ES/companies.lang index 1ab18739b29..ae332d0b61f 100644 --- a/htdocs/langs/eu_ES/companies.lang +++ b/htdocs/langs/eu_ES/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Telefonoa Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Posizioa -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/eu_ES/compta.lang b/htdocs/langs/eu_ES/compta.lang index 1e19182ea3a..5e4891d5aea 100644 --- a/htdocs/langs/eu_ES/compta.lang +++ b/htdocs/langs/eu_ES/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/eu_ES/ecm.lang b/htdocs/langs/eu_ES/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/eu_ES/ecm.lang +++ b/htdocs/langs/eu_ES/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/eu_ES/errors.lang b/htdocs/langs/eu_ES/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/eu_ES/errors.lang +++ b/htdocs/langs/eu_ES/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/eu_ES/knowledgemanagement.lang b/htdocs/langs/eu_ES/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/eu_ES/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/eu_ES/mails.lang b/htdocs/langs/eu_ES/mails.lang index b124f83e85d..f7f81a91e0e 100644 --- a/htdocs/langs/eu_ES/mails.lang +++ b/htdocs/langs/eu_ES/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Mezua MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/eu_ES/main.lang b/htdocs/langs/eu_ES/main.lang index 02604cf919e..cd91c1318f8 100644 --- a/htdocs/langs/eu_ES/main.lang +++ b/htdocs/langs/eu_ES/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Zenbakia -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Zenbakia Limit=Limitea @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Besteak @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Besteak ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/eu_ES/members.lang b/htdocs/langs/eu_ES/members.lang index ea607afb344..823645abd57 100644 --- a/htdocs/langs/eu_ES/members.lang +++ b/htdocs/langs/eu_ES/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Ezabatu VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/eu_ES/modulebuilder.lang b/htdocs/langs/eu_ES/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/eu_ES/modulebuilder.lang +++ b/htdocs/langs/eu_ES/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/eu_ES/other.lang b/htdocs/langs/eu_ES/other.lang index 0601f3818ea..eb9d25ffc25 100644 --- a/htdocs/langs/eu_ES/other.lang +++ b/htdocs/langs/eu_ES/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/eu_ES/partnership.lang b/htdocs/langs/eu_ES/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/eu_ES/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/eu_ES/productbatch.lang b/htdocs/langs/eu_ES/productbatch.lang index ba538918c69..c474b98db75 100644 --- a/htdocs/langs/eu_ES/productbatch.lang +++ b/htdocs/langs/eu_ES/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/eu_ES/products.lang b/htdocs/langs/eu_ES/products.lang index 09b267fccb6..af5fe0436a5 100644 --- a/htdocs/langs/eu_ES/products.lang +++ b/htdocs/langs/eu_ES/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/eu_ES/projects.lang b/htdocs/langs/eu_ES/projects.lang index 645cb61ef75..189df5d6821 100644 --- a/htdocs/langs/eu_ES/projects.lang +++ b/htdocs/langs/eu_ES/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/eu_ES/recruitment.lang b/htdocs/langs/eu_ES/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/eu_ES/recruitment.lang +++ b/htdocs/langs/eu_ES/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/eu_ES/sendings.lang b/htdocs/langs/eu_ES/sendings.lang index 079b2533513..daeb881009c 100644 --- a/htdocs/langs/eu_ES/sendings.lang +++ b/htdocs/langs/eu_ES/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/eu_ES/stocks.lang b/htdocs/langs/eu_ES/stocks.lang index 3a9406782cc..412cca892b5 100644 --- a/htdocs/langs/eu_ES/stocks.lang +++ b/htdocs/langs/eu_ES/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/eu_ES/users.lang b/htdocs/langs/eu_ES/users.lang index d9063bea80e..c9a8003ee87 100644 --- a/htdocs/langs/eu_ES/users.lang +++ b/htdocs/langs/eu_ES/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/eu_ES/website.lang b/htdocs/langs/eu_ES/website.lang index 48ec32f15d5..5a23a52885b 100644 --- a/htdocs/langs/eu_ES/website.lang +++ b/htdocs/langs/eu_ES/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/fa_IR/accountancy.lang b/htdocs/langs/fa_IR/accountancy.lang index a83717e547a..214dc754086 100644 --- a/htdocs/langs/fa_IR/accountancy.lang +++ b/htdocs/langs/fa_IR/accountancy.lang @@ -202,7 +202,7 @@ Docref=مرجع LabelAccount=برچسب حساب LabelOperation=عملیات برچسب Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=کد حروف‌بندی Lettering=حروف‌بندی Codejournal=دفتر @@ -297,7 +297,7 @@ NoNewRecordSaved=ردیف دیگری برای دفترنویسی وجود ندا ListOfProductsWithoutAccountingAccount=فهرست محصولاتی که به هیچ حساب حساب‌داری بند نشده‌اند ChangeBinding=تغییر بند‌شدن‌ها Accounted=در دفترکل حساب‌شده است -NotYetAccounted=هنوز در دفترکل حساب نشده‌است +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=وفق داده نشده WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/fa_IR/admin.lang b/htdocs/langs/fa_IR/admin.lang index 6665602a932..a1448d0785c 100644 --- a/htdocs/langs/fa_IR/admin.lang +++ b/htdocs/langs/fa_IR/admin.lang @@ -64,6 +64,7 @@ RemoveLock=فایل %s را در صورت موجود بودن تغییر RestoreLock=فایل %s را با مجوز فقط خواندنی بازیابی کنید تا امکان استفاده از ابزار نصب/روزآمدسازی را غیرفعال کنید. SecuritySetup=برپاسازی امنیتی PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=در این قسمت گزینه‌های مربوط به امنیت بارگذاری فایل را تعریف کنید ErrorModuleRequirePHPVersion=خطا! این واحد نیازمند PHP نسخۀ %s یا بالاتر دارد ErrorModuleRequireDolibarrVersion=خطا! این واحد نیاز به Dolibarr  نسخۀ %s یا بالاتر را دارد @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=عدم ارائۀ پیشنهاد NoActiveBankAccountDefined=حساب بانکی فعالی تائید نشده است OwnerOfBankAccount=صاحب حساب بانکی %s BankModuleNotActive=واحد حساب‌های بانکی فعال نشده است -ShowBugTrackLink=نمایش پیوند "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=هشدارها DelaysOfToleranceBeforeWarning=مکث قبل از نمایش یک پیام هشدار برای: DelaysOfToleranceDesc=تنظیم مکث قبل از پیام هشدار با نمادک %s برای آخرین عنصر بر روی صفحه نمایش داده می‌شود. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=شما باید این سطر YourPHPDoesNotHaveSSLSupport=توابع SSL در PHP شما موجود نیست DownloadMoreSkins=پوسته‌های بیشتر برای دریافت SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=نمایش شناسۀ حرفه‌ای و نشانی ShowVATIntaInAddress=پنهان کردن شمارۀ م‌ب‌اا داخل‌جامعه‌ای-اروپا به‌همراه نشانی‌ها TranslationUncomplete=ترجمه جزئی @@ -2062,7 +2064,7 @@ UseDebugBar=استفاده از نوار اشکال‌یابی DEBUGBAR_LOGS_LINES_NUMBER=تعداد آخرین سطور گزارش‌کار برای حفظ در کنسول WarningValueHigherSlowsDramaticalyOutput=هشدار! مقادیر بزرگ خروجی را به‌شدت کند می‌کند ModuleActivated=واحد %s فعال شده و باعث کاهش سرعت رابط کاربری می‌شود -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/fa_IR/banks.lang b/htdocs/langs/fa_IR/banks.lang index 4f30cc9681d..29ea11ddce1 100644 --- a/htdocs/langs/fa_IR/banks.lang +++ b/htdocs/langs/fa_IR/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=پرداخت مالیات اجتماعی/سیاست م BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=انتقال داخلی -TransferDesc=انتقال از یک حساب به حساب دیگر، Dolibarr دو ردیف خواهد نوشت (یک بدهکار در حساب بانکی منبع و یک بستانکار در حساب مقصد). حساب مشابه (منهای امضا)، برچسب، تاریخ برای این تراکنش استفاده خواهد شد) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=از TransferTo=به TransferFromToDone=یک انتقال از %s به %s مربوط به %s%s ثبت شد. -CheckTransmitter=منتقل کننده +CheckTransmitter=فرستنده ValidateCheckReceipt=اعتباردهی به این رسید چک؟ -ConfirmValidateCheckReceipt=آیا مطمئنید می‌خواهید این رسید چک را تائید کنید؟ پس از انجام این‌کار امکان تغییر وجود ندارد. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=حذف این رسید چک ConfirmDeleteCheckReceipt=آیا مطمئنید می‌خواهید این رسیدچک را حذف کنید؟ BankChecks=چک‌های بانکی @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=مطمئنید می‌خواهید این ورودی ر ThisWillAlsoDeleteBankRecord=این همچنین باعث حذف ورودی تولید شدۀ بانک خواهد شد BankMovements=جابجائی‌ها PlannedTransactions=ورودی‌های برنامه‌ریزی شده -Graph=گرافیک +Graph=Graphs ExportDataset_banque_1=ورودی‌های بانکی‌ و شرح‌کار حساب ExportDataset_banque_2=برگۀ به‌حساب‌گذاشتن TransactionOnTheOtherAccount=تراکنش روی حساب دیگر @@ -142,7 +142,7 @@ AllAccounts=همۀ حساب‌های بانکی و نقد BackToAccount=برگشت به حساب ShowAllAccounts=نمایش برای همه حساب ها FutureTransaction=تراکنش در آینده، عدم امکان وفق‌دادن -SelectChequeTransactionAndGenerate=چک‌ها را برای دربرداشتن رسید به‌حساب‌گذاشتن چک انتخاب/گزینش کنید و بر روی "ساخت" کلیک نمائید. +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=شرح‌کار بانک مربوط به وفق‌دادن را انتخاب نمائید. مقدار عددی قابل ترتیب‌دهی را انتخاب نمائید: YYYYMM یا YYYYMMDD EventualyAddCategory=درنهایت، دسته‌ای را که ردیف‌ها را طبقه‌بندی می‌کند، انتخاب کنید ToConciliate=برای وفق‌دادن؟ diff --git a/htdocs/langs/fa_IR/bills.lang b/htdocs/langs/fa_IR/bills.lang index 9f20ff13d72..93c04e5034f 100644 --- a/htdocs/langs/fa_IR/bills.lang +++ b/htdocs/langs/fa_IR/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=تبدیل مبلغ اضافۀ پرداختی به‌ع EnterPaymentReceivedFromCustomer=پول‌هائی که از مشتری وارد شده را وارد کنید EnterPaymentDueToCustomer=پرداخت با توجه به مشتری DisabledBecauseRemainderToPayIsZero=غیرفعال، زیرا مبلغ باقی‌ماندۀ پرداخت نشده، برابر با صفر است -PriceBase=پایۀ قیم +PriceBase=Base price BillStatus=وضعیت صورت‌حساب StatusOfGeneratedInvoices=وضعیت صورت‌حساب‌های تولیدشده BillStatusDraft=پیش‌نویس (نیازمند تائید) @@ -454,7 +454,7 @@ RegulatedOn=تنظیم در ChequeNumber=N° چک ChequeOrTransferNumber=چک/انتقال N° ChequeBordereau=زمان‌بندی چک -ChequeMaker=انتقال‌دهندۀ چک/انتقال +ChequeMaker=Check/Transfer sender ChequeBank=بانک چک CheckBank=چک NetToBePaid=خالص قابل پرداخت diff --git a/htdocs/langs/fa_IR/boxes.lang b/htdocs/langs/fa_IR/boxes.lang index f0348d2040c..96776de5b0b 100644 --- a/htdocs/langs/fa_IR/boxes.lang +++ b/htdocs/langs/fa_IR/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=نشانه‌ها: آخرین %s BoxOldestExpiredServices=قدیمی تر خدمات منقضی فعال BoxLastExpiredServices=آخرین %s طرف‌تماس قدیمی با خدمات فعال منقضی‌شده BoxTitleLastActionsToDo=آخرین %s کار برای انجام -BoxTitleLastContracts=آخرین %s قرارداد تغییریافته -BoxTitleLastModifiedDonations=آخرین %s کمکِ تغییریافته -BoxTitleLastModifiedExpenses=آخرین %s گزارش هزینۀ تغییریافته -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=فعالیت‌های سراسری (صورت‌حساب‌ها، پیشنهادها، سفارشات) BoxGoodCustomers=مشتریان خوب diff --git a/htdocs/langs/fa_IR/cashdesk.lang b/htdocs/langs/fa_IR/cashdesk.lang index 2c4889740bb..fe17fae84a5 100644 --- a/htdocs/langs/fa_IR/cashdesk.lang +++ b/htdocs/langs/fa_IR/cashdesk.lang @@ -41,7 +41,8 @@ Floor=طبقه AddTable=ایجاد میز Place=محل TakeposConnectorNecesary=نیاز به "وصل‌کنندۀ TakePOS" -OrderPrinters=مرتب‌کردن چاپ‌گرها +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=جستجوی محصول Receipt=دریافت Header=سربرگ @@ -56,8 +57,9 @@ Paymentnumpad=نوع بخش‌کناری Numberspad=بخش‌کناری عددی BillsCoinsPad=بخش‌کناری سکه‌ها و اسکناس‌ها DolistorePosCategory=واحدهای TakePOS و سایر واحدهای صندوق برای Dolibarr -TakeposNeedsCategories=TakePOS نیازمند کار با دسته‌بندی محصولات است -OrderNotes=مرتب کردن یادداشت‌ها +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=حساب پیش‌فرض برای ذخیرۀ پرداخت‌ها NoPaimementModesDefined=در پیکربندی TakePOS هیچ حالت پرداختی تعریف نشده است TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=مرورگر BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/fa_IR/categories.lang b/htdocs/langs/fa_IR/categories.lang index b815c3aa17f..e967440c7d5 100644 --- a/htdocs/langs/fa_IR/categories.lang +++ b/htdocs/langs/fa_IR/categories.lang @@ -3,20 +3,20 @@ Rubrique=کلیدواژه/دسته‌بندی Rubriques=برچسب‌ها/دسته‌بندی‌ها RubriquesTransactions=کلیدواژه/دسته‌بندی‌های تراکنش‌ها categories=کلیدواژه‌ها/دسته‌بندی‌ها -NoCategoryYet=از این نوع هیچ کلیدواژه/دسته‌بندی ساخته نشده است +NoCategoryYet=No tag/category of this type has been created In=به AddIn=اضافه کردن در modify=تغییر دادن Classify=دسته بندی کردن CategoriesArea=بخش کلیدواژه‌ها/دسته‌بندی‌ها -ProductsCategoriesArea=بخش کلیدواژه‌ها/دسته‌بندی‌های محصولات/خدمات -SuppliersCategoriesArea=بخش کلیدواژه‌ها/دسته‌بندی‌های فروشندگان -CustomersCategoriesArea=بخش کلیدواژه‌ها/دسته‌بندی‌های مشتریان -MembersCategoriesArea=بخش کلیدواژه‌ها/دسته‌بندی‌های اعضا -ContactsCategoriesArea=بخش کلیدواژه‌ها/دسته‌بندی‌های طرف‌های تماس -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=بخش کلیدواژه‌ها/دسته‌بندی‌های طرح‌ها -UsersCategoriesArea=بخش کلیدواژه‌ها/دسته‌بندی‌های کاربران +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=زیردسته‌ها CatList=فهرست کلیدواژه‌ها/دسته‌بندی‌ها CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=انتخاب دسته‌بندی StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/fa_IR/companies.lang b/htdocs/langs/fa_IR/companies.lang index d29507f145e..0dd60d79348 100644 --- a/htdocs/langs/fa_IR/companies.lang +++ b/htdocs/langs/fa_IR/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=نام شرکت %s از قبل، وجود داشته است. لطفا نام دیگری برگزینید. ErrorSetACountryFirst=ابتدا کشور را تعیین کنید SelectThirdParty=انتخاب شخص‌سوم -ConfirmDeleteCompany=آیا مطمئن هستید که می‌خواهید این شرکت و همۀ اطلاعات مربوطه را حذف کنید؟ +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=حذف یک طرف‌تماس/نشانی -ConfirmDeleteContact=آیا مطمئن هستید که می‌خواهید این طرف‌تماس و همۀ اطلاعات مربوطه را حذف کنید؟ +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=شخص‌سوم جدید MenuNewCustomer=مشتری جدید MenuNewProspect=مشتری‌احتمالی جدید @@ -69,7 +69,7 @@ PhoneShort=تلفن Skype=اسکایپ Call=تماس Chat=گفتگوی اینترنتی -PhonePro=تلفن کاری +PhonePro=Bus. phone PhonePerso=تلفن شخصی PhoneMobile=تلفن همراه No_Email=عدم تمایل به دریافت رایانامه‌های جمعی @@ -331,7 +331,7 @@ CustomerCodeDesc=کد مشتری، منحصربه‌فرد برای همۀ مش SupplierCodeDesc=کد فروشنده، منحصر‌به‌فرد برای همۀ فروشندگان RequiredIfCustomer=در صورتی‌که شخص‌سوم یک مشتری یا مشتری‌احتمالی است، الزامی است RequiredIfSupplier=در صورتی که شخص‌سوم، فروشنده است، الزامی است -ValidityControledByModule=اعتبار توسط واحد مربوطه مورد بررسی قرار می‌گیرد +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=مقررات این واحد ProspectToContact=مشتری‌احتمالی به طرف‌تماس CompanyDeleted= شرکت "%s" از پایگاه داده حذف شد. @@ -439,12 +439,12 @@ ListSuppliersShort=فهرست فروشندگان ListProspectsShort=فهرست مشتریان احتمالی ListCustomersShort=فهرست مشتریان ThirdPartiesArea=شخص‌های سوم/طرف‌های تماس -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=تعداد کل شخص‌سوم‌ها +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=باز ActivityCeased=بسته ThirdPartyIsClosed=شخص‌سوم بسته شده است -ProductsIntoElements=فهرست محصولات/خدمات به %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=صورت‌حساب‌های درانتظار کنونی OutstandingBill=حداکثر تعداد صورت‌حساب‌های درانتظار OutstandingBillReached=حداکثر تعداد رسیدن به صورت‌حساب‌های درانتظار @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=این کد آزاد است و می‌تواند در ه ManagingDirectors=نام مدیر (مدیرعامل، مدیر، رئیس...)() MergeOriginThirdparty=نسخه‌برداری از شخص سوم (شخص‌سومی که می‌خواهید حذف کنید) MergeThirdparties=ادغام شخص‌سوم‌ها -ConfirmMergeThirdparties=آیا مطمئن هستید می‌خواهید این شخص سوم را با مورد موجود ادغام کنید؟ همۀ اشیاء پیوند شده (صورت‌حساب، سفارش، ...) به شخص سوم کنونی منتقل خواهد شد و سپس این شخص سوم حذف خواهد شد +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=شخص‌سوم‌ها با هم ادغام شدند SaleRepresentativeLogin=مشخصات‌ورود نماینده فروش SaleRepresentativeFirstname=نام نمایندۀ فروش diff --git a/htdocs/langs/fa_IR/compta.lang b/htdocs/langs/fa_IR/compta.lang index b8b215c8b96..b54f4d2e99c 100644 --- a/htdocs/langs/fa_IR/compta.lang +++ b/htdocs/langs/fa_IR/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=تخفیف جدید NewCheckDeposit=به‌حساب‌گذاشتن جدید چک NewCheckDepositOn=ساختن رسید برای به‌حساب‌گذاری چک در حساب: %s NoWaitingChecks=هیچ چکی در انتظار وصول شدن نیست -DateChequeReceived=تاریخ دریافت چک +DateChequeReceived=Check receiving date NbOfCheques=تعداد چک‌ها PaySocialContribution=پرداخت مالیات اجتماعی/ساختاری PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/fa_IR/ecm.lang b/htdocs/langs/fa_IR/ecm.lang index c8b1c8e7b2f..d33d24d8762 100644 --- a/htdocs/langs/fa_IR/ecm.lang +++ b/htdocs/langs/fa_IR/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/fa_IR/errors.lang b/htdocs/langs/fa_IR/errors.lang index 80e7a42b99d..fc2504e5758 100644 --- a/htdocs/langs/fa_IR/errors.lang +++ b/htdocs/langs/fa_IR/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=خطائی نیست، حرکت می‌کنیم # Errors ErrorButCommitIsDone=علیرغم وجود خطا، تائید می‌شود -ErrorBadEMail=رایانامۀ %s غلط است -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=نشانی‌اینترنتی %s اشتباه است +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=برای مؤلفۀ موردنظر مقدار خطائی وارد شده است. عموما در هنگام فقدان ترجمه، الحاق می‌شود. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=نام‌کاربری %s قبلا وجود داشته است. @@ -46,8 +46,8 @@ ErrorWrongDate=تاریخ، صحیح نمی‌باشد! ErrorFailedToWriteInDir=امکان نوشتن در پوشۀ %s وجود ندارد ErrorFoundBadEmailInFile=برای %s سطر در فایل روش‌اشتباه درج رایانامه پیدا شد (مثلا سطر %s با email=%s) ErrorUserCannotBeDelete=امکان حذف کاربر وجود ندارد. ممکن است با سایر اجزای Dolibarr در ارتباط باشد. -ErrorFieldsRequired=برخی از بخش‌های الزامی، پر نشده‌اند. -ErrorSubjectIsRequired=موضوع رایانامه الزامی است. +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=ایجاد یک پوشه با شکست مواجه شد. بررسی کنید، کاربر سرور وب، دارای مجوزهای نوشتاری بر روی پوشۀ documents مربوط به Dolibarr باشد در صورتی که مؤلفۀ safe_mode روی این نسخه از PHP فعال باشد، بررسی کنید فایل‌های PHP مربوط به Dolibarr متعلق به کاربر سرور وب (یا گروه مربوطه) باشد. ErrorNoMailDefinedForThisUser=نشانی رایانامه برای این کاربر تعریف نشده است ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=صفحه/دربردارندۀ +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = تنظیمات +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = پیش‌نویس +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = انجام شده +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/fa_IR/knowledgemanagement.lang b/htdocs/langs/fa_IR/knowledgemanagement.lang new file mode 100644 index 00000000000..6e066229e76 --- /dev/null +++ b/htdocs/langs/fa_IR/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = تنظیمات +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = درباره +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = مقاله +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/fa_IR/mails.lang b/htdocs/langs/fa_IR/mails.lang index 159d2a5d314..e6213e7d7c5 100644 --- a/htdocs/langs/fa_IR/mails.lang +++ b/htdocs/langs/fa_IR/mails.lang @@ -15,7 +15,7 @@ MailToUsers=به کاربر(ان) MailCC=کپی کنید به MailToCCUsers=یک نسخه به کاربر(ان) MailCCC=نسخه های کش شده به -MailTopic=عنوان رایانامه +MailTopic=Email subject MailText=پیام MailFile=فایل های پیوست شده MailMessage=بدن ایمیل @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/fa_IR/main.lang b/htdocs/langs/fa_IR/main.lang index 9cd002fb039..1583dced000 100644 --- a/htdocs/langs/fa_IR/main.lang +++ b/htdocs/langs/fa_IR/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=آزمایش اتصال ToClone=نسخه‌برداری ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=تاریخی که برای نسخه‌برداری مد نظر دارید: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=هیچ داده‌ای برای نسخه‌برداری پیدا نشد Of=از Go=رفتن @@ -246,7 +246,7 @@ DefaultModel=قابل پیش‌فرض برای سن Action=رویداد About=درباره Number=شماره -NumberByMonth=شماره ماه +NumberByMonth=Total reports by month AmountByMonth=مقدار در ماه Numero=شماره Limit=محدودیت @@ -341,8 +341,8 @@ KiloBytes=کیلوبایت MegaBytes=مگابایت GigaBytes=گیگابایت TeraBytes=ترابایت -UserAuthor=کاربر سازنده -UserModif=کاربر آخرین به‌روز‌رسانی +UserAuthor=Ceated by +UserModif=Updated by b=ب. Kb=کیلوبایت Mb=مگابایت @@ -503,9 +503,11 @@ By=توسط From=از FromDate=از FromLocation=از -at=at to=به To=به +ToDate=به +ToLocation=به +at=at and=و or=یا Other=دیگر @@ -843,7 +845,7 @@ XMoreLines=(%s) سطر پنهان است ShowMoreLines=نمایش سطور بیشتر/کمتر PublicUrl=نشانی عمومی AddBox=ایجاد کادر -SelectElementAndClick=یک عنصر را انتخاب کرده و بر %s کلیک کنید +SelectElementAndClick=Select an element and click on %s PrintFile=پرینت فایل %s ShowTransaction=نمایش ورودی در حساب بانکی ShowIntervention=نمایش واسطه‌گری @@ -854,8 +856,8 @@ Denied=رد شد ListOf=فهرست %s ListOfTemplates=فهرست قالب‌ها Gender=جنسیت -Genderman=مرد -Genderwoman=زن +Genderman=Male +Genderwoman=Female Genderother=سایر ViewList=نمای فهرستی ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/fa_IR/members.lang b/htdocs/langs/fa_IR/members.lang index bd42466f112..0d2d87c60c7 100644 --- a/htdocs/langs/fa_IR/members.lang +++ b/htdocs/langs/fa_IR/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=یکی دیگر از عضو (نام ErrorUserPermissionAllowsToLinksToItselfOnly=به دلایل امنیتی، شما باید مجوز اعطا شده به ویرایش تمام کاربران قادر به پیوند عضو به یک کاربر است که مال شما نیست. SetLinkToUser=پیوند به یک کاربر Dolibarr SetLinkToThirdParty=لینک به شخص ثالث Dolibarr -MembersCards=کاربران کارت های کسب و کار +MembersCards=Business cards for members MembersList=فهرست کاربران MembersListToValid=لیست اعضای پیش نویس (به اعتبار شود) MembersListValid=لیست اعضای معتبر @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=کاربران با اشتراک برای در MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=تاریخ ثبت نام DateEndSubscription=تاریخ پایان ثبت نام -EndSubscription=اشتراک پایان +EndSubscription=Subscription Ends SubscriptionId=شناسه اشتراک WithoutSubscription=Without subscription MemberId=نام کاربری @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=اشتراک مورد نیاز DeleteType=حذف کردن VoteAllowed=رای اجازه -Physical=فیزیکی -Moral=اخلاقی -MorAndPhy=Moral and Physical -Reenable=را دوباره فعال کنید +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=آمار کاربران بر اساس کشور MembersStatisticsByState=آمار کاربران توسط ایالت / استان MembersStatisticsByTown=آمار کاربران توسط شهر MembersStatisticsByRegion=آمار کاربران بر اساس منطقه -NbOfMembers=تعداد اعضا -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=هیچ اعتبار یافت -MembersByCountryDesc=این صفحه آمار در اعضا را با کشورهای به شما نشان دهد. گرافیک در گوگل خدمات گراف آنلاین بستگی دارد با این حال و در دسترس است تنها در صورت اتصال به اینترنت در حال کار است. -MembersByStateDesc=این صفحه آمار در عضو های دولتی / استان / کانتون شما نشان می دهد. -MembersByTownDesc=این صفحه آمار در عضو های شهر شما نشان می دهد. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=را انتخاب کنید آمار شما می خواهید به عنوان خوانده شده ... MenuMembersStats=ارقام -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=آخرین تاریخ عضویت -MemberNature=Nature of member -MembersNature=Nature of members -Public=اطلاعات عمومی +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=عضو جدید اضافه شده است. در انتظار تایید NewMemberForm=فرم عضو جدید -SubscriptionsStatistics=آمار اشتراک +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=تعداد اشتراک -AmountOfSubscriptions=میزان اشتراک ها +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=گردش مالی (برای یک شرکت) و یا بودجه (برای پایه) DefaultAmount=مقدار پیش فرض از اشتراک CanEditAmount=بازدید کنندگان می توانند / ویرایش میزان اشتراک خود را انتخاب کنید MEMBER_NEWFORM_PAYONLINE=پرش در یکپارچه صفحه پرداخت آنلاین ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=نرخ مالیات بر ارزش افزوده برای استفاده از اشتراک ها NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/fa_IR/modulebuilder.lang b/htdocs/langs/fa_IR/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/fa_IR/modulebuilder.lang +++ b/htdocs/langs/fa_IR/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/fa_IR/other.lang b/htdocs/langs/fa_IR/other.lang index a7339c81ea6..70fc1ee3134 100644 --- a/htdocs/langs/fa_IR/other.lang +++ b/htdocs/langs/fa_IR/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=پروفسور کد از٪ 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...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/fa_IR/partnership.lang b/htdocs/langs/fa_IR/partnership.lang new file mode 100644 index 00000000000..60baadb7d69 --- /dev/null +++ b/htdocs/langs/fa_IR/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=تاریخ شروع +DatePartnershipEnd=تاریخ پایان + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = پیش‌نویس +PartnershipAccepted = قبول‌شده +PartnershipRefused = رد شده +PartnershipCanceled = لغو ظده + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/fa_IR/productbatch.lang b/htdocs/langs/fa_IR/productbatch.lang index 6542fcb3563..df9e306b199 100644 --- a/htdocs/langs/fa_IR/productbatch.lang +++ b/htdocs/langs/fa_IR/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/fa_IR/products.lang b/htdocs/langs/fa_IR/products.lang index 61db4341804..c4630f85a19 100644 --- a/htdocs/langs/fa_IR/products.lang +++ b/htdocs/langs/fa_IR/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=خدمات فقط برای فروش ServicesOnPurchaseOnly=خدمات فقط برای خرید ServicesNotOnSell=خدمات نه برای خرید و نه برای فروش ServicesOnSellAndOnBuy=خدمات هم برای خرید و هم برای فروش -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=آخرین %s محصول ثبت شده LastRecordedServices=آخرین %s خدمات ثبت شده CardProduct0=محصول @@ -73,12 +73,12 @@ SellingPrice=قیمت فروش SellingPriceHT=قیمت فروش (منهای مالیات) SellingPriceTTC=قیمت فروش (با مالیات) SellingMinPriceTTC=حداقل قیمت فروش (با مالیات) -CostPriceDescription=این بخش قیمت(بدون مالیات) است که می‌تواند برای ذخیرۀ مبلغ متوسطی که این محصول برای شرکت شما هزینه وارد می‌کند استفاده شود. این می‌تواند هر قیمتی که شما محاسبه‌کنید باشد، برای مثال از جمع متوسط قیمت خرید و هزینه تولید و توزیع. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=این مقدار برای محاسبۀ حاشیه قابل استفاده است. SoldAmount=مبلغ فروخته‌شده PurchasedAmount=مبلغ خریده شده NewPrice=قیمت جدید -MinPrice=حداقل قیمت فروش +MinPrice=Min. selling price EditSellingPriceLabel=ویرایش برچسب قیمت فروش CantBeLessThanMinPrice=قیمت فروش نمی تواند کمتر از حداقل مجاز برای این محصول (%s بدون مالیات) باشد. این پیام همچنین در موقعی ظاهر می‌شود که شما یک تخفیف بسیار جدی داده باشید. ContractStatusClosed=بسته @@ -157,11 +157,11 @@ ListServiceByPopularity=فهرست خدمات بر حسب محبوبیت Finished=محصول تولیدشده RowMaterial=مواد اولیه ConfirmCloneProduct=آیا مطمئنید می‌خواهید از خدمات یا محصولات %s نسخه‌برداری کنید؟ -CloneContentProduct=نسخه‌برداری از از همۀ اطلاعات اصلی محصول/خدما +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=نسخه‌برداری از قیمت‌ها -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=نسخه‌برداری از محصول/خدمات مجازی -CloneCombinationsProduct=نسخه‌برداری از انواع مختلف محصول +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=این محصول، دست‌دوم است NewRefForClone=ارجاع محصول/خدمات جدید SellingPrices=قیمت‌های فروش @@ -170,12 +170,12 @@ CustomerPrices=قیمت‌های مشتری SuppliersPrices=قیمت‌های فروشنده SuppliersPricesOfProductsOrServices=قیمت‌های فروشنده (مربوط به محصولات و خدمات) CustomCode=Customs|Commodity|HS code -CountryOrigin=کشور مبدا -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=برچسب کوتاه Unit=واحد p=واحد diff --git a/htdocs/langs/fa_IR/projects.lang b/htdocs/langs/fa_IR/projects.lang index 51af354f7d8..1e04ba74bf6 100644 --- a/htdocs/langs/fa_IR/projects.lang +++ b/htdocs/langs/fa_IR/projects.lang @@ -10,19 +10,19 @@ PrivateProject=طرف‌های تماس طرح ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=همۀ طرح‌هائی که قابل مطالعۀ من است (مربوط به من + عمومی) AllProjects=همۀ طرح‌ها -MyProjectsDesc=این نما محدود به طرح‌هائی است که شما در آن طرف تماس هستید +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=این نما نمایان‌گر همۀ طرح‌هائی است که خواندن آن‌ها برای شما مجاز است TasksOnProjectsPublicDesc=این نما نمایان‌گر همۀ وظایفی است که شما مجاز به خواندن آن هستید.. ProjectsPublicTaskDesc=این نما نمایانگر همۀ طرح‌هائی است که شما مجاز به خواندن آن هستید ProjectsDesc=این نما نمایانگر همۀ طرح‌هاست ( مجوزهای کاربری شما به شما امکان می‌دهد شما همۀ طرح‌ها را مشاهده کنید). TasksOnProjectsDesc=این نما نمایانگر همۀ وظایف مربوط به همۀ طرح‌ها هست ( مجوزهای کاربری شما امکان نمایش همه چیز را می‌دهد). -MyTasksDesc=این نما، محدود به طرح‌ها و وظایفی است که شما برای آن طرف‌تماس هستید +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=تنها طرح‌های باز نمایش داده می‌شوند ( طرح‌هائی که در وضعیت پیش‌نویس یا بسته هستند، مشاهده نمی‌شوند). ClosedProjectsAreHidden=طرح‌های بسته شده نمایش داده نمی‌شوند TasksPublicDesc=این نما نمایان‌گر همۀ طرح‌ها و وظایفی است که شما مجاز به دیدن آن هستید. TasksDesc=این نما نمایانگر همۀ طرح‌ها و وظایف است ( مجوزهای کاربری شما امکان نمایش همه‌چیز را به شما می‌دهد). AllTaskVisibleButEditIfYouAreAssigned=همۀ وظایف مربوط برای طرح‌های واجد شرایط نمایش داده می‌شوند، اما شما می‌توانید تنها زمان را برای وظایف نسبت دده شده به کاربر انتخابی وارد کنید. وظیفه را در صورتی انتخاب کنید که نیاز داشته باشید زمان در آن زمان وارد کنید. -OnlyYourTaskAreVisible=تنها وظایفی که به شما نسبت داده شده‌اند، نمایش داده می‌شوند. وظیفه را فقط هنگامی به خودتان نسبت بدهید که برای شما قابل نمایش نیست و شما نیاز دارید روی آن زمان وارد کنید. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=وظایف مربوط به طرح‌ها ProjectCategories=برچسب‌ها/دسته‌بندی‌های طرح NewProject=طرح جدید @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=به این طرح نسبت داده نشده NoUserAssignedToTheProject=هیچ کاربری به این طرح نسبت داده نشده است TimeSpentBy=زمان نسبت شده توسط TasksAssignedTo=وظایف نسبت داده شده به -AssignTaskToMe=نسبت دادن وظیفه به من +AssignTaskToMe=Assign task to myself AssignTaskToUser=نسبت دادن وظیفه به %s SelectTaskToAssign=انتخاب وظیفه برای محول کردن AssignTask=نسبت‌دادن/محول کردن diff --git a/htdocs/langs/fa_IR/recruitment.lang b/htdocs/langs/fa_IR/recruitment.lang index 3647b8204d5..4b4afa90442 100644 --- a/htdocs/langs/fa_IR/recruitment.lang +++ b/htdocs/langs/fa_IR/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/fa_IR/sendings.lang b/htdocs/langs/fa_IR/sendings.lang index a042ba09638..8f0c059e941 100644 --- a/htdocs/langs/fa_IR/sendings.lang +++ b/htdocs/langs/fa_IR/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=مدل Merou A5 WarningNoQtyLeftToSend=اخطار، محصولات در حال انتظار برای حمل شود. -StatsOnShipmentsOnlyValidated=آمار انجام شده بر روی محموله تنها به اعتبار. تاریخ استفاده از تاریخ اعتبار از حمل و نقل (تاریخ تحویل برنامه ریزی همیشه شناخته نشده است) است. +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/fa_IR/stocks.lang b/htdocs/langs/fa_IR/stocks.lang index 8a946698488..b812bb6998c 100644 --- a/htdocs/langs/fa_IR/stocks.lang +++ b/htdocs/langs/fa_IR/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=محصول از پیش تعریف‌شده‌ای DispatchVerb=اعزام-ارسال StockLimitShort=حداقل برای هشدار StockLimit=حداقل‌موجودی برای هشدار -StockLimitDesc=(خالی) به معنای عدم هشدار است.
از مقدار 0 برای هشدار در هنگام تمام شدن موجودی استفاده نمائید. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=موجودی فیزیکی RealStock=موجودی واقعی RealStockDesc=موجودی فیزیکی/واقعی موجودی‌هائی هستند که اکنون در انبارها وجود دارند. diff --git a/htdocs/langs/fa_IR/users.lang b/htdocs/langs/fa_IR/users.lang index 2140aa7a6f4..3c3e52aaea5 100644 --- a/htdocs/langs/fa_IR/users.lang +++ b/htdocs/langs/fa_IR/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=گذرواژه تغییر کرد به: %s SubjectNewPassword=گذرواژه جدید شما برای %s GroupRights=مجوزهای گروه UserRights=مجوزهای کاربر +Credentials=Credentials UserGUISetup=برپاسازی طرزنمایش برای‌کاربر DisableUser=ناپویا کردن DisableAUser=ناپویا کردن یک کاربر @@ -105,7 +106,7 @@ UseTypeFieldToChange=استفاده از نوع‌بخش-فیلد برای تغ OpenIDURL=URL OpenID LoginUsingOpenID=استفاده از OpenID برای ورو WeeklyHours=ساعت‌کاری (در هفته) -ExpectedWorkedHours=ساعت‌کاری مورد انتظار در هفته +ExpectedWorkedHours=Expected hours worked per week ColorUser=رنگ کاربر DisabledInMonoUserMode=غیرفعال در حالت نگهداری‌و‌تعمیرا UserAccountancyCode=کد حساب‌داری کاربر @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=تاریخ شروع استخدام DateEmploymentEnd=تاریخ پایان استخدام -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=شما نمی‌توانید ردیف کاربری خود را غیرفعال کنید ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/fa_IR/website.lang b/htdocs/langs/fa_IR/website.lang index 74d725122d7..373034849ee 100644 --- a/htdocs/langs/fa_IR/website.lang +++ b/htdocs/langs/fa_IR/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/fi_FI/accountancy.lang b/htdocs/langs/fi_FI/accountancy.lang index 6d5d6b0a422..baf2006db44 100644 --- a/htdocs/langs/fi_FI/accountancy.lang +++ b/htdocs/langs/fi_FI/accountancy.lang @@ -202,7 +202,7 @@ Docref=Viite LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Päiväkirja @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Kirjattu pääkirjanpitoon -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Täsmäyttämätön WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/fi_FI/admin.lang b/htdocs/langs/fi_FI/admin.lang index 75c9a3b2f22..8d44d22a22d 100644 --- a/htdocs/langs/fi_FI/admin.lang +++ b/htdocs/langs/fi_FI/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Mahdollistaaksesi Päivitys-/Asennustyökalun käytön, poista/nimeä RestoreLock=Palauta tiedosto %s vain lukuoikeuksin. Tämä estää myöhemmän Päivitys-/Asennustyökalun käytön SecuritySetup=Turvallisuusasetukset PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Määritä tänne tiedostojen siirtämiseen palvelimelle liittyvät turvallisuusasetukset ErrorModuleRequirePHPVersion=Virhe, tämä moduuli vaatii PHP version %s tai uudemman ErrorModuleRequireDolibarrVersion=Virhe, tämä moduuli vaatii Dolibarr: in version %s tai uudemman @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Eivät viittaa siihen, NoActiveBankAccountDefined=Ei aktiivisia pankkitilille määritelty OwnerOfBankAccount=Omistajan pankkitilille %s BankModuleNotActive=Pankkitilit moduuli ei ole käytössä -ShowBugTrackLink=Näytä linkki "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Hälytykset DelaysOfToleranceBeforeWarning=Viive ennen kuin hälytys aktivoituu: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Sinun on suoritettava tämä ko YourPHPDoesNotHaveSSLSupport=SSL toimintoja ei saatavilla PHP DownloadMoreSkins=Lisää nahat ladata SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Osittainen käännös @@ -2062,7 +2064,7 @@ UseDebugBar=Käytä virheenkorjauspalkkia DEBUGBAR_LOGS_LINES_NUMBER=Konsolissa pidettävien lokirivien määrä WarningValueHigherSlowsDramaticalyOutput=Varoitus, suuremmat arvot hidastavat merkittävästi ohjelmaa ModuleActivated=Moduuli %son aktiivinen ja hidastaa ohjelmaa -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=Jos olet tuotantoympäristössä, määritä tämän ominaisuuden arvoksi %s. AntivirusEnabledOnUpload=Virustorjunta käytössä ladatuissa tiedostoissa @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/fi_FI/banks.lang b/htdocs/langs/fi_FI/banks.lang index 3d6580bde09..79be56e9bb7 100644 --- a/htdocs/langs/fi_FI/banks.lang +++ b/htdocs/langs/fi_FI/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal veron maksu BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Sisäinen siirto -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Mistä TransferTo=mihin TransferFromToDone=A siirtää %s %s %s% s on tallennettu. CheckTransmitter=Lähettäjä ValidateCheckReceipt=Vahvista tämä sekkikuitti? -ConfirmValidateCheckReceipt=Oletko varma, että haluat vahvistaa tämän? Muutokset eivät ole enää mahdollisia, vahvistamisen jälkeen? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Poista tämä shekkikuitti? ConfirmDeleteCheckReceipt=Haluatko varmasti poistaa tämän sekkikuitin? BankChecks=Pankkisekit @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Haluatko varmasti poistaa tämän merkinnän? ThisWillAlsoDeleteBankRecord=Tämä poistaa myös luodun pankkimerkinnän BankMovements=Siirrot PlannedTransactions=Suunnitellut merkinnät -Graph=Grafiikka +Graph=Graphs ExportDataset_banque_1=Pankkimerkinnät ja tiliotteet ExportDataset_banque_2=Talletuslomake TransactionOnTheOtherAccount=Tapahtuma toisella tilillä @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Takaisin tiliin ShowAllAccounts=Näytä kaikki tilit FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Valitse tämän täsmäytyksen tiliote. Käytä lajiteltavaa numeroarvoa: YYYYMM tai YYYYMMDD EventualyAddCategory=Määritä luokka johon tiedot luokitellaan ToConciliate=Täsmäytä? diff --git a/htdocs/langs/fi_FI/bills.lang b/htdocs/langs/fi_FI/bills.lang index 9ac2ed704b1..24f5c55b2d0 100644 --- a/htdocs/langs/fi_FI/bills.lang +++ b/htdocs/langs/fi_FI/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Kirjoita maksun saanut asiakas EnterPaymentDueToCustomer=Tee maksun asiakkaan DisabledBecauseRemainderToPayIsZero=Suljettu, koska maksettavaa ei ole jäljellä -PriceBase=Perushinta +PriceBase=Base price BillStatus=Laskun tila StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Luonnos (on vahvistettu) @@ -454,7 +454,7 @@ RegulatedOn=Säännellään ChequeNumber=Cheque N ChequeOrTransferNumber=Cheque / Transfer N ChequeBordereau=Tarkasta aikataulu -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Pankki sekki CheckBank=Shekki NetToBePaid=Maksettava nettosumma diff --git a/htdocs/langs/fi_FI/boxes.lang b/htdocs/langs/fi_FI/boxes.lang index 9fa1c9f36ed..a42893fc247 100644 --- a/htdocs/langs/fi_FI/boxes.lang +++ b/htdocs/langs/fi_FI/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Vanhimat aktiiviset päättyneet palvelut BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Viimeisimmät %s muokatut matka- ja kuluraportit -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Yleisaktiviteetit (laskut, ehdotukset, tilaukset) BoxGoodCustomers=Hyvät asiakkaat diff --git a/htdocs/langs/fi_FI/cashdesk.lang b/htdocs/langs/fi_FI/cashdesk.lang index a00a6ea22e5..e04e7aa113f 100644 --- a/htdocs/langs/fi_FI/cashdesk.lang +++ b/htdocs/langs/fi_FI/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Kuitti Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Selain BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/fi_FI/categories.lang b/htdocs/langs/fi_FI/categories.lang index c98bca84e12..8c037ce650d 100644 --- a/htdocs/langs/fi_FI/categories.lang +++ b/htdocs/langs/fi_FI/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Merkit/Kategoriat RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=Sisällä AddIn=Lisää modify=muuttaa Classify=Luokittele CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/fi_FI/companies.lang b/htdocs/langs/fi_FI/companies.lang index 5be2288c86c..5a302b3e193 100644 --- a/htdocs/langs/fi_FI/companies.lang +++ b/htdocs/langs/fi_FI/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Yrityksen nimi %s on jo olemassa. Valitse toinen. ErrorSetACountryFirst=Aseta ensin maa SelectThirdParty=Valitse sidosryhmä -ConfirmDeleteCompany=Haluatko varmasti poistaa tämän yrityksen ja kaikki siitä johdetut tiedot? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Poista yhteystieto -ConfirmDeleteContact=Haluatko varmasti poistaa tämän yhteystiedon ja kaikki siitä johdetut tiedot? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Uusi sidosryhmä MenuNewCustomer=Uusi asiakas MenuNewProspect=Uusi mahd. asiakas @@ -69,7 +69,7 @@ PhoneShort=Puhelin Skype=Skype Call=Puhelu Chat=Chat -PhonePro=Työpuhelin +PhonePro=Bus. phone PhonePerso=Henkilökohtainen puhelin PhoneMobile=Matkapuhelin No_Email=Hylkää massasähköpostit @@ -331,7 +331,7 @@ CustomerCodeDesc=Asiakaskohtainen koodi, uniikki jokaiselle asiakkaalle SupplierCodeDesc=Toimittajakohtainen koodi, uniikki jokaiselle toimittajalle RequiredIfCustomer=Vaaditaan, jos sidosryhmä on asiakas tai mahdollinen asiakas RequiredIfSupplier=Vaadittu jos sidosryhmä on toimittaja -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Esitetilaus yhteyttä CompanyDeleted=Yritys " %s" poistettu tietokannasta. @@ -439,12 +439,12 @@ ListSuppliersShort=Toimittajaluettelo ListProspectsShort=Luettelo mahdollisista asiakkaista ListCustomersShort=Asiakasluettelo ThirdPartiesArea=Sidosryhmät/yhteystiedot -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Yhteensä sidosryhmiä +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Avoinna ActivityCeased=Kiinni ThirdPartyIsClosed=Sidosryhmä on suljettu -ProductsIntoElements=Tuotteiden/palveluiden luettelo %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Avoin lasku OutstandingBill=Avointen laskujen enimmäismäärä OutstandingBillReached=Avointen laskujen enimmäismäärä saavutettu @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Asiakas / toimittaja-koodi on maksuton. Tämä koodi void ManagingDirectors=Johtajien nimet (TJ, johtaja, päällikkö...) MergeOriginThirdparty=Monista sidosryhmä (sidosryhmä jonka haluat poistaa) MergeThirdparties=Yhdistä sidosryhmät -ConfirmMergeThirdparties=Oletko varma, että haluat liittää valitun sidosryhmän nykyiseen? Kaikki linkitetyt tiedot (laskut, tilaukset,...) liitetään nykyiseen sidosryhmään ja valittu ryhmä poistetaan +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Osapuolet yhdistyneet SaleRepresentativeLogin=Myyntiedustajan kirjautuminen SaleRepresentativeFirstname=Myyntiedustajan etunimi diff --git a/htdocs/langs/fi_FI/compta.lang b/htdocs/langs/fi_FI/compta.lang index d8680739af0..9ea8491fb18 100644 --- a/htdocs/langs/fi_FI/compta.lang +++ b/htdocs/langs/fi_FI/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Uusi edullisista NewCheckDeposit=Uusi tarkistaa talletus NewCheckDepositOn=Uusi tarkistaa talletuksen huomioon: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Cheque vastaanotto panos päivämäärä +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/fi_FI/ecm.lang b/htdocs/langs/fi_FI/ecm.lang index 3adcc59a368..ebde0c0f517 100644 --- a/htdocs/langs/fi_FI/ecm.lang +++ b/htdocs/langs/fi_FI/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/fi_FI/errors.lang b/htdocs/langs/fi_FI/errors.lang index feec6b25b64..1d8a26f28b0 100644 --- a/htdocs/langs/fi_FI/errors.lang +++ b/htdocs/langs/fi_FI/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s on väärä +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Kirjaudu %s on jo olemassa. @@ -46,8 +46,8 @@ ErrorWrongDate=Päivämäärä ei ole oikein! ErrorFailedToWriteInDir=Epäonnistui kirjoittaa hakemistoon %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=Löytyi virheellinen sähköposti syntaksi %s rivit tiedoston (esimerkiksi rivi %s email= %s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Jotkin vaaditut kentät eivät ole täytetty. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Luominen epäonnistui hakemiston. Tarkista, että Web-palvelin käyttäjällä on oikeudet kirjoittaa Dolibarr asiakirjat hakemistoon. Jos parametri safe_mode on käytössä tämän PHP, tarkista, että Dolibarr php tiedostot omistaa web-palvelimen käyttäjä (tai ryhmä). ErrorNoMailDefinedForThisUser=Ei postia määritelty tälle käyttäjälle ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Asetukset +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Luonnos +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Valmis +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/fi_FI/knowledgemanagement.lang b/htdocs/langs/fi_FI/knowledgemanagement.lang new file mode 100644 index 00000000000..156fe17e65c --- /dev/null +++ b/htdocs/langs/fi_FI/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Asetukset +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Yleisesti +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artikkeli +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/fi_FI/mails.lang b/htdocs/langs/fi_FI/mails.lang index d0a460d3df8..9623e923f65 100644 --- a/htdocs/langs/fi_FI/mails.lang +++ b/htdocs/langs/fi_FI/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Kopioi MailToCCUsers=Copy to users(s) MailCCC=Välimuistissa jäljennös -MailTopic=Email topic +MailTopic=Email subject MailText=Viesti MailFile=Liitetyt tiedostot MailMessage=Sähköpostiviesti @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Sähköpostin lähettämisen määritys on asetettu "%s": ksi. Tätä tilaa ei voi käyttää massapostitusten lähettämiseen. MailSendSetupIs2=Sinun on ensin siirryttävä admin-tilillä valikkoon %sHome - Setup - EMails%s parametrin '%s' muuttamiseksi käytettäväksi tilassa "%s". Tässä tilassa voit syöttää Internet-palveluntarjoajan antaman SMTP-palvelimen vaatimat asetukset ja käyttää Massa-sähköpostitoimintoa. MailSendSetupIs3=Jos sinulla on kysyttävää SMTP-palvelimen määrittämisestä, voit kysyä osoitteesta %s. diff --git a/htdocs/langs/fi_FI/main.lang b/htdocs/langs/fi_FI/main.lang index 0e6d21e4a82..9a6f1f0a878 100644 --- a/htdocs/langs/fi_FI/main.lang +++ b/htdocs/langs/fi_FI/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Tallenna ja luo uusi TestConnection=Testaa yhteys ToClone=Klooni ConfirmCloneAsk=Haluatko varmasti kloonata objektin %s ? -ConfirmClone=Valitse kloonattavat tiedot: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Ei tietoja kloonata määritelty. Of=ja Go=Mene @@ -246,7 +246,7 @@ DefaultModel=Oletus doc-pohja Action=Tapahtuma About=Tietoa Number=Numero -NumberByMonth=Numeroa kuukausittain +NumberByMonth=Total reports by month AmountByMonth=Määrä kuukausittain Numero=Numero Limit=Raja @@ -341,8 +341,8 @@ KiloBytes=Kilotavua MegaBytes=Megatavua GigaBytes=Gigatavua TeraBytes=Teratavua -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Mennessä From=Mistä FromDate=Laskuttaja FromLocation=Laskuttaja -at=at to=on To=on +ToDate=on +ToLocation=on +at=at and=ja or=tai Other=Muu @@ -843,7 +845,7 @@ XMoreLines=%s rivi(ä) piilossa ShowMoreLines=Näytä enemmän/vähemmän rivejä PublicUrl=Julkinen URL AddBox=Lisää laatikko -SelectElementAndClick=Valitse elementti ja klikkaa %s +SelectElementAndClick=Select an element and click on %s PrintFile=Tulosta tiedostoon %s ShowTransaction=Näytä pankkitilin kirjaus ShowIntervention=Näytä interventio @@ -854,8 +856,8 @@ Denied=Kielletty ListOf=Luettelo %s ListOfTemplates=Luettelo Pohjista Gender=Sukupuoli -Genderman=Mies -Genderwoman=Nainen +Genderman=Male +Genderwoman=Female Genderother=Muu ViewList=Näytä lista ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/fi_FI/members.lang b/htdocs/langs/fi_FI/members.lang index ee9821fd4f7..1677ab2adab 100644 --- a/htdocs/langs/fi_FI/members.lang +++ b/htdocs/langs/fi_FI/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Toinen jäsen (nimi: %s, kirjautum ErrorUserPermissionAllowsToLinksToItselfOnly=Turvallisuussyistä sinun täytyy myöntää oikeudet muokata kaikki käyttäjät pystyvät linkki jäsenen käyttäjä, joka ei ole sinun. SetLinkToUser=Linkki on Dolibarr käyttäjä SetLinkToThirdParty=Linkki on Dolibarr kolmannen osapuolen -MembersCards=Jäsenet tulostaa kortit +MembersCards=Business cards for members MembersList=Luettelo jäsenistä MembersListToValid=Luettelo luonnoksen jäsenten (jotka on vahvistettu) MembersListValid=Luettelo voimassa jäseniä @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Jäsenet Merkintäoikeuksien vastaanottaa MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Tilaus päivämäärän DateEndSubscription=Tilaus lopetuspäivämäärää -EndSubscription=Lopeta tilaus +EndSubscription=Subscription Ends SubscriptionId=Tilaus id WithoutSubscription=Without subscription MemberId=Jäsen id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Vaatii tilauksen DeleteType=Poistaa VoteAllowed=Äänestys sallittua -Physical=Fyysinen -Moral=Moraalinen -MorAndPhy=Moral and Physical -Reenable=Ottaa ne uudelleen +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Jäsenten tilastot maittain MembersStatisticsByState=Jäsenten tilastot valtio / lääni MembersStatisticsByTown=Jäsenten tilastot kaupunki MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Jäsenmäärä -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Ei validoitu jäsenet pitivät -MembersByCountryDesc=Tämä ruutu näyttää tilastoja jäseniä maittain. Graphic riippuu kuitenkin Googlen online-käyrä palvelu ja on käytettävissä vain, jos internet-yhteys toimii. -MembersByStateDesc=Tämä ruutu näyttää tilastoja jäsenistä valtion / maakuntien / kantonissa. -MembersByTownDesc=Tämä ruutu näyttää tilastoja jäsenille kaupungin. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Valitse tilastot haluat lukea ... MenuMembersStats=Tilasto -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Tiedot ovat julkisia +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Uusi jäsen. Odottaa hyväksyntää NewMemberForm=Uusi jäsen lomake -SubscriptionsStatistics=Tilastot tilauksista +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Kappaletta -AmountOfSubscriptions=Määrä liittymää +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Liikevaihto (yritykselle) tai budjetti (ja säätiö) DefaultAmount=Oletus määrä tilauksen CanEditAmount=Matkailija voi valita / muokata määrä merkitsemästään MEMBER_NEWFORM_PAYONLINE=Hyppää integroitu verkossa maksusivulla ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/fi_FI/modulebuilder.lang b/htdocs/langs/fi_FI/modulebuilder.lang index 23fe1bd694b..13dfee730b5 100644 --- a/htdocs/langs/fi_FI/modulebuilder.lang +++ b/htdocs/langs/fi_FI/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/fi_FI/other.lang b/htdocs/langs/fi_FI/other.lang index e56b76868d9..d5d81d8306a 100644 --- a/htdocs/langs/fi_FI/other.lang +++ b/htdocs/langs/fi_FI/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s on tietojen mukaan kolmannen osapuolen maassa.
Esimerkiksi maa %s, se koodi %s. DolibarrDemo=Dolibarr ERP / CRM-demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/fi_FI/partnership.lang b/htdocs/langs/fi_FI/partnership.lang new file mode 100644 index 00000000000..1d3a9bab390 --- /dev/null +++ b/htdocs/langs/fi_FI/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Aloituspäivämäärä +DatePartnershipEnd=Lopetuspäivä + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Luonnos +PartnershipAccepted = Accepted +PartnershipRefused = Hylätty +PartnershipCanceled = Peruttu + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/fi_FI/productbatch.lang b/htdocs/langs/fi_FI/productbatch.lang index 1b0614a2c73..e256a46afde 100644 --- a/htdocs/langs/fi_FI/productbatch.lang +++ b/htdocs/langs/fi_FI/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/fi_FI/products.lang b/htdocs/langs/fi_FI/products.lang index 9ea5a554395..78ce167092c 100644 --- a/htdocs/langs/fi_FI/products.lang +++ b/htdocs/langs/fi_FI/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Palvelut vain myynti ServicesOnPurchaseOnly=Palvelut vain osto ServicesNotOnSell=Palvelut eivät ole myynnissä ja ostossa ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Viimeksi %s tallennetut tuotteet LastRecordedServices=Viimeksi %s tallennetut palvelut CardProduct0=Tuote @@ -73,12 +73,12 @@ SellingPrice=Myyntihinta SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Myyntihinta (sis. alv) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Tätä arvoi voidaan käyttää katteen laskennassa SoldAmount=Myyty määrä PurchasedAmount=Ostettu määrä NewPrice=Uusi hinta -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=Myyntihinta ei saa olla pienempi kuin pienin sallittu tämän tuotteen hinta ( %s ilman veroja) ContractStatusClosed=Suljettu @@ -157,11 +157,11 @@ ListServiceByPopularity=Luettelo palvelujen suosio Finished=Valmistettua tuotetta RowMaterial=Ensimmäinen aineisto ConfirmCloneProduct=Oletko varma että haluat kopioida tuotteen tai palvelun %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Kopioi hinnat -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Tämä tuote on käytetty NewRefForClone=Ref. uuden tuotteen tai palvelun SellingPrices=Myyntihinnat @@ -170,12 +170,12 @@ CustomerPrices=Asiakas hinnat SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Alkuperämaa -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Yksikkö p=u. diff --git a/htdocs/langs/fi_FI/projects.lang b/htdocs/langs/fi_FI/projects.lang index 1f49da052b2..3697cb848f0 100644 --- a/htdocs/langs/fi_FI/projects.lang +++ b/htdocs/langs/fi_FI/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Hankkeen yhteystiedot ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Omat ja muiden projektit AllProjects=Kaikki hankkeet -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Tässä näkymässä esitetään kaikki hankkeet joita sinulla on oikaus katsoa. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=Tässä näkymässä esitetään kaikki tehtävät joita sinulla on oikaus katsoa. ProjectsDesc=Tämä näkemys esitetään kaikki hankkeet (käyttäjäoikeuksien antaa sinulle luvan katsella kaikkea). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Suljetut projektit eivät ole nähtävissä. TasksPublicDesc=Tämä näkemys esitetään kaikki hankkeet ja tehtävät sinulla voi lukea. TasksDesc=Tämä näkemys esitetään kaikki hankkeet ja tehtävät (käyttäjäoikeuksien antaa sinulle luvan katsella kaikkea). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Projektien tehtävät ProjectCategories=Projektien/Tehtävien kategoriat NewProject=Uusi projekti @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/fi_FI/recruitment.lang b/htdocs/langs/fi_FI/recruitment.lang index 9702bc62631..048bd27da9b 100644 --- a/htdocs/langs/fi_FI/recruitment.lang +++ b/htdocs/langs/fi_FI/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/fi_FI/sendings.lang b/htdocs/langs/fi_FI/sendings.lang index 7c6e6c9e98e..0bd5b5ada75 100644 --- a/htdocs/langs/fi_FI/sendings.lang +++ b/htdocs/langs/fi_FI/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 malli WarningNoQtyLeftToSend=Varoitus, ei tuotteet odottavat lähettämistä. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Suunniteltu toimituspäivä RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/fi_FI/stocks.lang b/htdocs/langs/fi_FI/stocks.lang index 60d143e3df2..b50200fab75 100644 --- a/htdocs/langs/fi_FI/stocks.lang +++ b/htdocs/langs/fi_FI/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Ei ennalta tuotteet tämän objektin. Joten ei lä DispatchVerb=Lähettäminen StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Varastossa RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/fi_FI/users.lang b/htdocs/langs/fi_FI/users.lang index 97f20b34cf5..45c8c06dfb0 100644 --- a/htdocs/langs/fi_FI/users.lang +++ b/htdocs/langs/fi_FI/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Salasana muutettu: %s SubjectNewPassword=Your new password for %s GroupRights=Ryhmän käyttöoikeudet UserRights=Käyttöluvat +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Poista käytöstä DisableAUser=Poista käyttäjä käytöstä @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/fi_FI/website.lang b/htdocs/langs/fi_FI/website.lang index 4bd6e9e73de..49d16596839 100644 --- a/htdocs/langs/fi_FI/website.lang +++ b/htdocs/langs/fi_FI/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/fr_BE/accountancy.lang b/htdocs/langs/fr_BE/accountancy.lang index 11b91eb3db3..d3858cde9ce 100644 --- a/htdocs/langs/fr_BE/accountancy.lang +++ b/htdocs/langs/fr_BE/accountancy.lang @@ -1,6 +1,7 @@ # Dolibarr language file - Source file is en_US - accountancy Processing=Exécution Lineofinvoice=Lignes de facture +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) Doctype=Type de document ErrorDebitCredit=Débit et crédit ne peuvent pas être non-nuls en même temps TotalMarge=Marge de ventes totale diff --git a/htdocs/langs/fr_BE/admin.lang b/htdocs/langs/fr_BE/admin.lang index 4b1e1bad526..5d24a311ccd 100644 --- a/htdocs/langs/fr_BE/admin.lang +++ b/htdocs/langs/fr_BE/admin.lang @@ -16,7 +16,6 @@ FormToTestFileUploadForm=Formulaire pour tester l'upload de fichiers (selon la c IfModuleEnabled=Note: oui ne fonctionne que si le module %s est activé Module20Name=Propales Module30Name=Factures -ShowBugTrackLink=Show link "%s" Target=Objectif OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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/cron.lang b/htdocs/langs/fr_BE/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/fr_BE/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/fr_BE/modulebuilder.lang b/htdocs/langs/fr_BE/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/fr_BE/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/fr_CA/accountancy.lang b/htdocs/langs/fr_CA/accountancy.lang index ef78367de7a..c44802ed2f4 100644 --- a/htdocs/langs/fr_CA/accountancy.lang +++ b/htdocs/langs/fr_CA/accountancy.lang @@ -93,6 +93,7 @@ ACCOUNTING_LENGTH_DESCRIPTION=Tronquer la description des produits et services d ACCOUNTING_LENGTH_DESCRIPTION_ACCOUNT=Tronquer le formulaire de description de compte de produits et services dans les listes après x chars (Best = 50) ACCOUNTING_LENGTH_GACCOUNT=Longueur des comptes comptables généraux (Si vous définissez la valeur à 6 ici, le compte '706' apparaîtra comme '706000' à l'écran) BANK_DISABLE_DIRECT_INPUT=Désactiver l'enregistrement direct de la transaction dans le compte bancaire +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) ACCOUNTING_EXPENSEREPORT_JOURNAL=Note de frais DONATION_ACCOUNTINGACCOUNT=Compte comptable pour enregistrer des dons ACCOUNTING_SERVICE_BUY_ACCOUNT=Compte comptable par défaut pour les services achetés (utilisé si non défini dans la fiche de service) diff --git a/htdocs/langs/fr_CA/admin.lang b/htdocs/langs/fr_CA/admin.lang index 4cd705f4634..61a863bf5a2 100644 --- a/htdocs/langs/fr_CA/admin.lang +++ b/htdocs/langs/fr_CA/admin.lang @@ -123,7 +123,6 @@ SetupNotSaved=Le programme d'installation n'a pas été enregistré CurrentNext=Actuel / Suivant DefaultMaxSizeList=Longueur maximale des listes CompanyObject=Objet de la compagnie -ShowBugTrackLink=Afficher le lien "Signaler un défaut" InfoDolibarr=À propos de Dolibarr InfoBrowser=À propos du navigateur InfoWebServer=À propos du serveur Web diff --git a/htdocs/langs/fr_CA/banks.lang b/htdocs/langs/fr_CA/banks.lang index 1a6bfe95807..75a031fba60 100644 --- a/htdocs/langs/fr_CA/banks.lang +++ b/htdocs/langs/fr_CA/banks.lang @@ -24,8 +24,8 @@ AddBankRecordLong=Ajouter une entrée manuellement Reconciled=Réconcilié SocialContributionPayment=Règlement charge sociale MenuBankInternalTransfer=Transfert interne +CheckTransmitter=Expéditeur ValidateCheckReceipt=Validez cette facture? -ConfirmValidateCheckReceipt=Êtes-vous sûr de vouloir valider cette facture, aucun changement ne sera possible une fois que cela sera fait? DeleteCheckReceipt=Supprimer ce reçu de facturation? ConfirmDeleteCheckReceipt=Êtes-vous sûr de vouloir supprimer ce justificatif? BankChecksToReceipt=Chèques en attente de dépôt diff --git a/htdocs/langs/fr_CA/bills.lang b/htdocs/langs/fr_CA/bills.lang index a08d3fbe9b5..a10b60e502a 100644 --- a/htdocs/langs/fr_CA/bills.lang +++ b/htdocs/langs/fr_CA/bills.lang @@ -75,7 +75,6 @@ PaymentTypeTIP=CONSEIL (Documents contre paiement) PaymentTypeShortTIP=PAIEMENT Paiement PaymentTypeTRA=Procédure bancaire PaymentTypeShortTRA=Brouillon -ChequeMaker=Émetteur du chèque/transfert DepositId=Identifiant de dépot CreditNoteConvertedIntoDiscount=Ce %s a été converti en %s YouMustCreateStandardInvoiceFirstDesc=Vous devez d'abord créer une facture standard et la convertir en «modèle» pour créer une nouvelle facture modèle diff --git a/htdocs/langs/fr_CA/boxes.lang b/htdocs/langs/fr_CA/boxes.lang index 360f6ed215b..cd98094f2e4 100644 --- a/htdocs/langs/fr_CA/boxes.lang +++ b/htdocs/langs/fr_CA/boxes.lang @@ -13,9 +13,6 @@ BoxTitleLastModifiedMembers=%s derniers membres BoxTitleLastFicheInter=%s dernières interventions modifiées BoxLastExpiredServices=Les %s derniers contacts les plus anciens avec les services expirés actifs BoxTitleLastActionsToDo=%s dernières actions à faire -BoxTitleLastContracts=%s dernier contrats modifiés -BoxTitleLastModifiedDonations=%s derniers dons modifiés -BoxTitleLastModifiedExpenses=%s derniers rapports de dépenses modifiés BoxTitleGoodCustomers=%s Bons clients LastRefreshDate=Dernière date de rafraîchissement NoRecordedInvoices=Aucune facture de client enregistrée diff --git a/htdocs/langs/fr_CA/categories.lang b/htdocs/langs/fr_CA/categories.lang index 482ef9dfa42..6357b823f41 100644 --- a/htdocs/langs/fr_CA/categories.lang +++ b/htdocs/langs/fr_CA/categories.lang @@ -1,8 +1,6 @@ # 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 -ProjectsCategoriesArea=Zone de tags / catégories de projets ImpossibleAddCat=Impossible d'ajouter le tag / catégorie %s ProductIsInCategories=Produit/service appartient aux tags/catégories suivant(e)s CompanyIsInCustomersCategories=Ce tiers appartient aux tags/catégories de clients/prospects suivant(e)s diff --git a/htdocs/langs/fr_CA/companies.lang b/htdocs/langs/fr_CA/companies.lang index 55f15ff7270..9651cc0af4c 100644 --- a/htdocs/langs/fr_CA/companies.lang +++ b/htdocs/langs/fr_CA/companies.lang @@ -1,6 +1,4 @@ # Dolibarr language file - Source file is en_US - companies -ConfirmDeleteCompany=Êtes-vous sûr de vouloir supprimer cette entreprise et toutes les informations héritées? -ConfirmDeleteContact=Êtes-vous sûr de vouloir supprimer ce contact et toutes les informations héritées? CreateThirdPartyAndContact=Créer un tiers + un contact enfant AliasNames=Nom de l'alias (commercial, marque, ... ) PostOrFunction=Poste @@ -30,7 +28,6 @@ AllocateCommercial=Attribué au représentant des ventes YouMustCreateContactFirst=Pour pouvoir ajouter des notifications par courrier électronique, vous devez d'abord définir des contacts avec des courriels valides pour le tiers InActivity=Ouverte ThirdPartyIsClosed=Le tiers est fermé -ProductsIntoElements=Liste des produits/services en %s OutstandingBillReached=Max. Pour la facture exceptionnelle atteinte MergeOriginThirdparty=Dupliquer tiers (tiers que vous souhaitez supprimer) MergeThirdparties=Fusionner des tiers diff --git a/htdocs/langs/fr_CA/errors.lang b/htdocs/langs/fr_CA/errors.lang index be3f8df0eb9..809a2d2f220 100644 --- a/htdocs/langs/fr_CA/errors.lang +++ b/htdocs/langs/fr_CA/errors.lang @@ -1,7 +1,6 @@ # Dolibarr language file - Source file is en_US - errors NoErrorCommitIsDone=Aucune erreur, nous nous engageons ErrorButCommitIsDone=Erreurs trouvées, mais nous validons malgré cela -ErrorBadUrl=L'adresse Url %s n'est pas bonne ErrorBadValueForParamNotAString=Valeur incorrecte pour votre paramètre. Il ajoute généralement lorsque la traduction est manquante. ErrorRecordNotFound=L'enregistrement n'a pas été trouvé. ErrorFailToCopyFile=Impossible de copier le fichier '%s' en '%s'. @@ -27,8 +26,6 @@ ErrorBadDateFormat=La valeur '%s' a un mauvais format de date ErrorWrongDate=La date n'est pas correcte! ErrorFailedToWriteInDir=Erreur d'écriture dans le répertoire %s ErrorFoundBadEmailInFile=Trouver une syntaxe de courrier électronique incorrecte pour les lignes %s dans le fichier (ligne d'exemple %s avec email = %s) -ErrorFieldsRequired=Certains champs obligatoires n'ont pas été remplis. -ErrorSubjectIsRequired=Le sujet du courrier électronique est requis ErrorFailedToCreateDir=Impossible de créer un répertoire. Vérifiez que l'utilisateur du serveur Web a la permission d'écrire dans le répertoire de documents Dolibarr. Si le paramètre safe_mode est activé sur ce PHP, vérifiez que les fichiers Dolibarr php appartiennent à l'utilisateur du serveur Web (ou au groupe). ErrorNoMailDefinedForThisUser=Aucun courrier défini pour cet utilisateur ErrorFeatureNeedJavascript=Cette fonctionnalité nécessite l'activation de JavaScript pour fonctionner. Modifiez ceci dans la configuration - l'affichage. diff --git a/htdocs/langs/fr_CA/main.lang b/htdocs/langs/fr_CA/main.lang index c65ead929f9..61ed834131a 100644 --- a/htdocs/langs/fr_CA/main.lang +++ b/htdocs/langs/fr_CA/main.lang @@ -102,7 +102,6 @@ CoreErrorMessage=Désolé, une erreur s'est produite. Contactez votre administra LinkToProposal=Lier à une proposition SelectAction=Sélectionnez l'action SelectTargetUser=Sélectionnez l'utilisateur / employé cible -SelectElementAndClick=Sélectionnez un élément et cliquez sur %s ShowTransaction=Afficher l'entrée sur le compte bancaire DeleteLine=Suppression de ligne ConfirmDeleteLine=Êtes-vous sûr de vouloir supprimer cette ligne? diff --git a/htdocs/langs/fr_CA/members.lang b/htdocs/langs/fr_CA/members.lang index 6734cb9fec0..7d32d37f0d7 100644 --- a/htdocs/langs/fr_CA/members.lang +++ b/htdocs/langs/fr_CA/members.lang @@ -14,7 +14,6 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Un autre membre (nom: %s, con ErrorUserPermissionAllowsToLinksToItselfOnly=Pour des raisons de sécurité, vous devez disposer d'autorisations pour éditer tous les utilisateurs afin de pouvoir lier un membre à un utilisateur qui n'est pas le vôtre. SetLinkToUser=Lien vers un utilisateur Dolibarr SetLinkToThirdParty=Lien vers un tiers Dolibarr -MembersCards=Cartes de visite Membres MembersList=Liste des membres MembersListToValid=Liste des membres préliminaires (à valider) MembersListValid=Liste des membres valides @@ -26,7 +25,6 @@ MenuMembersResiliated=Membres résiliés MembersWithSubscriptionToReceive=Membres avec abonnement à recevoir DateSubscription=Date de souscription DateEndSubscription=Date de fin de l'abonnement -EndSubscription=Fin de l'abonnement SubscriptionId=Identifiant de souscription MemberId=ID membres NewMember=Nouveau membre @@ -58,7 +56,6 @@ ListOfSubscriptions=Liste des abonnements AddMember=Créer un membre NoTypeDefinedGoToSetup=Aucun type de membre n'est défini. Aller au menu "Types de membres" SubscriptionRequired=Abonnement requis -Reenable=Reignable ResiliateMember=Terminer un membre ConfirmResiliateMember=Êtes-vous sûr de vouloir mettre fin à ce membre? DeleteMember=Supprimer un membre @@ -101,23 +98,14 @@ DocForLabels=Générer des feuilles d'adresses SubscriptionPayment=Paiement de souscription MembersStatisticsByState=Statistiques des membres par état / province NoValidatedMemberYet=Aucun membre validé n'a été trouvé -MembersByCountryDesc=Cet écran vous montre des statistiques sur les membres par pays. Le graphique dépend toutefois du service graphique Google en ligne et n'est disponible que si une connexion Internet fonctionne. -MembersByStateDesc=Cet écran vous montre des statistiques sur les membres par état / provinces / canton. -MembersByTownDesc=Cet écran vous montre des statistiques sur les membres par ville. MembersStatisticsDesc=Choisissez les statistiques que vous souhaitez lire ... -LastMemberDate=Dernière date de membre LatestSubscriptionDate=La dernière date d'abonnement -Public=L'information est publique NewMemberbyWeb=Nouveau membre ajouté. En attente d'approbation NewMemberForm=Nouveau formulaire de membre -SubscriptionsStatistics=Statistiques sur les abonnements NbOfSubscriptions=Nombre d'abonnements -AmountOfSubscriptions=Montant des abonnements TurnoverOrBudget=Chiffre d'affaires (pour une entreprise) ou Budget (pour une fondation) DefaultAmount=Montant d'abonnement par défaut CanEditAmount=Le visiteur peut choisir / modifier le montant de son abonnement MEMBER_NEWFORM_PAYONLINE=Aller sur la page de paiement en ligne intégrée -MembersByNature=Cet écran vous montre des statistiques sur les membres par nature. -MembersByRegion=Cet écran vous montre des statistiques sur les membres par région. VATToUseForSubscriptions=Taux de TVA à utiliser pour les abonnements ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produit utilisé pour la ligne d'abonnement en facture: %s diff --git a/htdocs/langs/fr_CA/modulebuilder.lang b/htdocs/langs/fr_CA/modulebuilder.lang index a482f9657e2..2c9957b48a1 100644 --- a/htdocs/langs/fr_CA/modulebuilder.lang +++ b/htdocs/langs/fr_CA/modulebuilder.lang @@ -6,4 +6,3 @@ ModuleBuilderDeschooks=Cet onglet est dédié aux crochets. ModuleBuilderDescwidgets=Cet onglet est dédié à la gestion / création de widgets. DangerZone=Zone dangereuse DescriptionLong=Longue description -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/fr_CA/products.lang b/htdocs/langs/fr_CA/products.lang index 897ca360dc9..947742b3356 100644 --- a/htdocs/langs/fr_CA/products.lang +++ b/htdocs/langs/fr_CA/products.lang @@ -75,7 +75,6 @@ ServiceNb=Service # %s ListProductServiceByPopularity=Liste des produits / services par popularité Finished=Produit fabriqué ConfirmCloneProduct=Êtes-vous sûr de vouloir cloner un produit ou un service %s? -CloneCombinationsProduct=Variantes de produit de clonage NewRefForClone=Réf. De nouveau produit / service SellingPrices=Prix ​​de vente BuyingPrices=Prix ​​d'achat diff --git a/htdocs/langs/fr_CA/projects.lang b/htdocs/langs/fr_CA/projects.lang index edb3ebdf924..2dcbd564066 100644 --- a/htdocs/langs/fr_CA/projects.lang +++ b/htdocs/langs/fr_CA/projects.lang @@ -15,7 +15,6 @@ OnlyOpenedProject=Seuls les projets ouverts sont visibles (les projets en ébauc ClosedProjectsAreHidden=Les projets fermés ne sont pas visibles. TasksPublicDesc=Cette vue présente tous les projets et tâches que vous pouvez lire. TasksDesc=Cette vue présente tous les projets et les tâches (vos autorisations d'utilisateur vous accordent l'autorisation de voir tout). -OnlyYourTaskAreVisible=Seules les tâches qui vous sont assignées sont visibles. Assignez-vous la tâche si elle n'est pas visible et vous devez entrer l'heure. ProjectCategories=Étiquettes / catégories de projet AddProject=Créer un projet ConfirmDeleteAProject=Êtes-vous sûr de vouloir supprimer ce projet? @@ -92,7 +91,6 @@ TimeAlreadyRecorded=Il s'agit du temps passé déjà enregistré pour cette tâc ProjectsWithThisUserAsContact=Projets avec cet utilisateur en contact ResourceNotAssignedToProject=Pas affecté au projet ResourceNotAssignedToTheTask=Non assigné à la tâche -AssignTaskToMe=Attribuez une tâche à moi AssignTaskToUser=Affectez une tâche à %s SelectTaskToAssign=Sélectionnez la tâche à affecter ... AssignTask=Attribuer diff --git a/htdocs/langs/fr_CA/sendings.lang b/htdocs/langs/fr_CA/sendings.lang index 9cf4c3906c4..1be6cc0153c 100644 --- a/htdocs/langs/fr_CA/sendings.lang +++ b/htdocs/langs/fr_CA/sendings.lang @@ -28,7 +28,6 @@ ConfirmDeleteSending=Êtes-vous sûr de vouloir supprimer cette expédition? ConfirmValidateSending=Êtes-vous sûr de vouloir valider cette expédition avec la référence %s? ConfirmCancelSending=Êtes-vous sûr de vouloir annuler cette expédition? WarningNoQtyLeftToSend=Attention, aucun produit n'est en attente d'expédition. -StatsOnShipmentsOnlyValidated=Statistiques réalisées sur les envois validés uniquement. La date utilisée est la date de validation de l'expédition (la date de livraison prévue n'est pas toujours connue). DateDeliveryPlanned=Date de livraison prévue RefDeliveryReceipt=Bon de livraison de remise StatusReceipt=Date réception de livraison diff --git a/htdocs/langs/fr_CH/accountancy.lang b/htdocs/langs/fr_CH/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/fr_CH/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/fr_CH/admin.lang b/htdocs/langs/fr_CH/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/fr_CH/admin.lang +++ b/htdocs/langs/fr_CH/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_CH/cron.lang b/htdocs/langs/fr_CH/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/fr_CH/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/fr_CH/modulebuilder.lang b/htdocs/langs/fr_CH/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/fr_CH/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/fr_CI/accountancy.lang b/htdocs/langs/fr_CI/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/fr_CI/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/fr_CI/admin.lang b/htdocs/langs/fr_CI/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/fr_CI/admin.lang +++ b/htdocs/langs/fr_CI/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_CI/cron.lang b/htdocs/langs/fr_CI/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/fr_CI/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/fr_CI/modulebuilder.lang b/htdocs/langs/fr_CI/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/fr_CI/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/fr_CM/accountancy.lang b/htdocs/langs/fr_CM/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/fr_CM/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/fr_CM/admin.lang b/htdocs/langs/fr_CM/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/fr_CM/admin.lang +++ b/htdocs/langs/fr_CM/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_CM/cron.lang b/htdocs/langs/fr_CM/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/fr_CM/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/fr_CM/modulebuilder.lang b/htdocs/langs/fr_CM/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/fr_CM/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/fr_FR/accountancy.lang b/htdocs/langs/fr_FR/accountancy.lang index 68c6f4841c5..e01b49a1e37 100644 --- a/htdocs/langs/fr_FR/accountancy.lang +++ b/htdocs/langs/fr_FR/accountancy.lang @@ -202,14 +202,14 @@ Docref=Référence LabelAccount=Libellé du compte LabelOperation=Libellé opération Sens=Sens -AccountingDirectionHelp=Pour le compte comptable d'un client, utilisez Crédit pour enregistrer un règlement reçu.
Pour le compte comptable d'un fournisseur, utilisez Débit pour enregistrer un règlement reçu. +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Code de lettrage Lettering=Lettrage Codejournal=Journal JournalLabel=Libellé journal NumPiece=Numéro de pièce TransactionNumShort=Num. transaction -AccountingCategory=Custom group +AccountingCategory=Groupe personnalisé GroupByAccountAccounting=Affichage par compte comptable GroupBySubAccountAccounting=Affichage par compte auxiliaire AccountingAccountGroupsDesc=Vous pouvez définir ici des groupes de comptes comptable. Il seront utilisés pour les reporting comptables personnalisés @@ -297,7 +297,7 @@ NoNewRecordSaved=Plus d'enregistrements à journaliser ListOfProductsWithoutAccountingAccount=Liste des produits non liés à un compte comptable ChangeBinding=Changer les liens Accounted=En comptabilité -NotYetAccounted=Pas encore en comptabilité +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Afficher le tutoriel NotReconciled=Non rapproché WarningRecordWithoutSubledgerAreExcluded=Attention : toutes les opérations sans compte auxiliaire défini sont filtrées et exclues de cet écran @@ -402,29 +402,29 @@ UseMenuToSetBindindManualy=Lignes non encore liées, utilisez le menu +ShowBugTrackLink=Définir le lien "%s" (vide pour ne pas afficher ce lien, 'github' pour le lien vers le projet Dolibarr ou définir directement une url 'https:/...') Alerts=Alertes DelaysOfToleranceBeforeWarning=Délais avant affichage de l'avertissement alerte retard DelaysOfToleranceDesc=Cet écran permet de définir les délais de tolérance après lesquels une alerte sera signalée à l'écran par le pictogramme %s sur chaque élément en retard. @@ -1184,8 +1185,8 @@ SetupDescription2=Les deux étapes obligatoires sont les deux premières entrée SetupDescription3=%s -> %s

Paramètres basiques pour personnaliser le comportement par défaut du logiciel (comportement lié au pays par exemple). SetupDescription4= %s -> %s

Ce logiciel est un ensemble de plusieurs modules/applications. Les fonctionnalités en rapport avec vos besoins doivent être activées et configurées. Les entrées menus seront ajoutées avec l'activation de ces modules. SetupDescription5=Les autres entrées de configuration gèrent des paramètres facultatifs. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s +AuditedSecurityEvents=Événements de sécurité audités +NoSecurityEventsAreAduited=Aucun événement de sécurité n'est audité. Vous pouvez les activer à partir du menu %s Audit=Audit de sécurité InfoDolibarr=Infos Dolibarr InfoBrowser=Infos navigateur @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Vous devez exécuter la command YourPHPDoesNotHaveSSLSupport=Fonctions SSL non présentes dans votre PHP DownloadMoreSkins=Plus de thèmes à télécharger SimpleNumRefModelDesc=Renvoie le numéro sous la forme %syymm-nnnn où yy est l'année, mm le mois et nnnn un compteur séquentiel sans rupture et sans remise à 0. +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Afficher l'identifiant professionnel dans les adresses sur les documents ShowVATIntaInAddress=Cacher le numéro de TVA Intracommunautaire dans les adresses sur les documents. TranslationUncomplete=Traduction partielle @@ -1751,7 +1753,7 @@ CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Laissez la case à cocher "Créer automatiqu ##### Agenda ##### AgendaSetup=Configuration du module actions et agenda PasswordTogetVCalExport=Clé pour autoriser le lien d'exportation -SecurityKey = Security Key +SecurityKey = Clé de sécurité PastDelayVCalExport=Ne pas exporter les événements de plus de AGENDA_USE_EVENT_TYPE=Utiliser les types d'événements (gérés dans le menu Configuration -> Dictionnaires -> Type d'événements de l'agenda) AGENDA_USE_EVENT_TYPE_DEFAULT=Configurez automatiquement cette valeur par défaut pour le type d'événement dans le formulaire de création d'événement. @@ -1995,7 +1997,7 @@ SocialNetworkSetup=Configuration du module Réseaux Sociaux EnableFeatureFor=Activer les fonctionnalités pour %s VATIsUsedIsOff=Remarque: l'option d'utilisation de la taxe de vente ou de la TVA a été définie sur Désactivée dans le menu %s - %s, aussi la taxe de vente ou la TVA utilisée sera toujours égale à 0 pour les ventes. SwapSenderAndRecipientOnPDF=Inverser la position des adresses expéditeurs et destinataires sur les documents PDF -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists 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. +FeatureSupportedOnTextFieldsOnly=Attention, fonctionnalité prise en charge sur les champs de texte et les listes déroulantes uniquement. De plus, un paramètre d'URL action=create ou action=edit doit être défini OU le nom de la page doit se terminer par 'new.php' pour déclencher cette fonctionnalité. EmailCollector=Collecteur de courrier électronique EmailCollectorDescription=Ajoute un travail planifié et une page de configuration pour analyser régulièrement les boîtes aux lettres (à l'aide du protocole IMAP) et enregistrer les courriers électroniques reçus dans votre application, au bon endroit et/ou créer automatiquement certains enregistrements (comme des opportunités). NewEmailCollector=Nouveau collecteur d'email @@ -2062,11 +2064,11 @@ UseDebugBar=Utilisez la barre de débogage DEBUGBAR_LOGS_LINES_NUMBER=Nombre de dernières lignes de logs à conserver dans la console WarningValueHigherSlowsDramaticalyOutput=Attention, les valeurs élevées ralentissent considérablement les affichages ModuleActivated=Le module %s est activé et ralentit l'interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) +ModuleSyslogActivatedButLevelNotTooVerbose=Le module %s est activé et le niveau de journalisation (%s) est correct (pas trop verbeux) IfYouAreOnAProductionSetThis=Sur un environnement de production, vous devriez régler ce paramètre sur %s. AntivirusEnabledOnUpload=Antivirus activé sur le téléversement des fichiers -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode +SomeFilesOrDirInRootAreWritable=Certains fichiers ou répertoires ne sont pas en mode lecture seule EXPORTS_SHARE_MODELS=Les modèles d'exportation sont partagés avec tout le monde ExportSetup=Configuration du module Export ImportSetup=Configuration du module Import @@ -2090,8 +2092,8 @@ MakeAnonymousPing=Effectuez un ping «+1» anonyme sur le serveur de la fondatio FeatureNotAvailableWithReceptionModule=Fonction non disponible lorsque le module Réception est activée EmailTemplate=Modèle d'e-mail EMailsWillHaveMessageID=Les e-mails auront une étiquette 'References' correspondant à cette syntaxe -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label +PDF_SHOW_PROJECT=Afficher le projet sur le document +ShowProjectLabel=Libellé du projet PDF_USE_ALSO_LANGUAGE_CODE=Si vous souhaitez que certains textes de votre PDF soient dupliqués dans 2 langues différentes dans le même PDF généré, vous devez définir ici cette deuxième langue pour que le PDF généré contienne 2 langues différentes dans la même page, celle choisie lors de la génération du PDF et celle-ci (seuls quelques modèles PDF prennent en charge cette fonction). Gardez vide pour 1 langue par PDF. FafaIconSocialNetworksDesc=Entrez ici le code d'une icône FontAwesome. Si vous ne savez pas ce qu'est FontAwesome, vous pouvez utiliser la valeur générique fa-address-book. FeatureNotAvailableWithReceptionModule=Fonction non disponible lorsque le module Réception est activée @@ -2116,9 +2118,14 @@ AskThisIDToYourBank=Contacter votre établissement bancaire pour obtenir ce code AdvancedModeOnly=Autorisation disponible en mode Autorisations avancées uniquement ConfFileIsReadableOrWritableByAnyUsers=Le fichier conf est lisible ou inscriptible par tous les utilisateurs. Donnez l'autorisation à l'utilisateur et au groupe du serveur Web uniquement. MailToSendEventOrganization=Organisation d'événements -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands (for the module Scheduled job, or to run the external command line Anti-virus for example), you shoud disable PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -ARestrictedPath=A restricted path +AGENDA_EVENT_DEFAULT_STATUS=État de l’événement par défaut lors de la création d’un événement à partir du formulaire +YouShouldDisablePHPFunctions=Vous devriez désactiver les fonctions PHP +IfCLINotRequiredYouShouldDisablePHPFunctions=Sauf si vous avez besoin d’exécuter des commandes système (pour le module Tâche planifiée, ou pour exécuter l'Anti-virus externe en ligne de commande par exemple), vous devriez désactiver les fonctions PHP +NoWritableFilesFoundIntoRootDir=Aucun fichier ou répertoire des programmes courants n’a été trouvé en écriture dans votre répertoire racine (Bon) +RecommendedValueIs=Recommandé : %s +ARestrictedPath=Un chemin restreint +CheckForModuleUpdate=Vérifier les mises à jour des modules externes +CheckForModuleUpdateHelp=Cette action se connecte aux éditeurs des modules externes pour vérifier si une nouvelle version est disponible. +ModuleUpdateAvailable=Une mise à jour est disponible +NoExternalModuleWithUpdate=Aucune mise à jour trouvée pour les modules externes +SwaggerDescriptionFile=Fichier de description de l’API Swagger (à utiliser avec redoc par exemple) diff --git a/htdocs/langs/fr_FR/banks.lang b/htdocs/langs/fr_FR/banks.lang index e97c2480b1c..e6085517629 100644 --- a/htdocs/langs/fr_FR/banks.lang +++ b/htdocs/langs/fr_FR/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Paiement de charge fiscale/sociale BankTransfer=Virement bancaire BankTransfers=Virements bancaire MenuBankInternalTransfer=Virement interne -TransferDesc=Transférer d'un compte bancaire à un autre, Dolibarr ajoutera deux lignes d'écritures (une ligne de débit dans le compte source et une ligne de crédit dans le compte de destination. le même montant (excepté le signe), le libellé et la date seront utilisés pour la transaction). +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=De TransferTo=Vers TransferFromToDone=Le virement depuis %s vers %s de %s %s a été créé. -CheckTransmitter=Emetteur +CheckTransmitter=Émetteur ValidateCheckReceipt=Valider ce bordereau de remise de chèques ? -ConfirmValidateCheckReceipt=Êtes-vous sûr de vouloir valider ce bordereau, aucune modification n'est possible une fois le bordereau validé ? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Supprimer ce bordereau de remise ? ConfirmDeleteCheckReceipt=Êtes-vous sûr de vouloir supprimer ce bordereau ? BankChecks=Chèques @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Êtes-vous sûr de vouloir supprimer cette écriture ? ThisWillAlsoDeleteBankRecord=Ceci supprimera aussi les écritures bancaires générées BankMovements=Mouvements PlannedTransactions=Écritures prévues -Graph=Graphiques +Graph=Graphs ExportDataset_banque_1=Écritures bancaires et relevés ExportDataset_banque_2=Bordereaux de remises de chèques TransactionOnTheOtherAccount=Écriture sur l'autre compte @@ -142,7 +142,7 @@ AllAccounts=Tous les comptes bancaires et caisses BackToAccount=Retour au compte ShowAllAccounts=Afficher pour tous les comptes FutureTransaction=Transaction future. Pas moyen de rapprocher. -SelectChequeTransactionAndGenerate=Sélectionner/filtrer les chèques à inclure dans le bordereau de remise et cliquer sur "Créer". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choisissez le relevé bancaire liés au rapprochement. Utilisez une valeur numérique triable: AAAAMM ou AAAAMMJJ EventualyAddCategory=Eventuellement, saisissez une catégorie dans laquelle classer les écritures ToConciliate=A rapprocher ? diff --git a/htdocs/langs/fr_FR/bills.lang b/htdocs/langs/fr_FR/bills.lang index 4b321bd3464..6fd0827698c 100644 --- a/htdocs/langs/fr_FR/bills.lang +++ b/htdocs/langs/fr_FR/bills.lang @@ -82,8 +82,8 @@ PaymentsAlreadyDone=Versements déjà effectués PaymentsBackAlreadyDone=Remboursements déjà effectués PaymentRule=Mode de paiement PaymentMode=Mode de règlement -DefaultPaymentMode=Default Payment Type -DefaultBankAccount=Default Bank Account +DefaultPaymentMode=Type de paiement par défaut +DefaultBankAccount=Compte bancaire par défaut PaymentTypeDC=Carte débit/crédit PaymentTypePP=PayPal IdPaymentMode=Type de paiement (id) @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convertir le trop-payé en crédit disponible EnterPaymentReceivedFromCustomer=Saisie d'un règlement reçu du client EnterPaymentDueToCustomer=Saisie d'un remboursement d'un avoir client DisabledBecauseRemainderToPayIsZero=Désactivé car reste à payer est nul -PriceBase=Base du prix +PriceBase=Base price BillStatus=État de la facture StatusOfGeneratedInvoices=Statut des factures générées BillStatusDraft=Brouillon (à valider) @@ -376,7 +376,7 @@ DateLastGeneration=Date de la dernière génération DateLastGenerationShort=Date de dernière génération MaxPeriodNumber=Nombre maximum de génération NbOfGenerationDone=Nombre de génération de facture déjà réalisées -NbOfGenerationOfRecordDone=Number of record generation already done +NbOfGenerationOfRecordDone=Nombre d’enregistrements déjà générés NbOfGenerationDoneShort=Nb de générations réalisée MaxGenerationReached=Nombre maximum de générations atteint InvoiceAutoValidate=Valider les factures automatiquement @@ -454,7 +454,7 @@ RegulatedOn=Réglé le ChequeNumber=Chèque N° ChequeOrTransferNumber=Chèque/Virement N° ChequeBordereau=Vérifier -ChequeMaker=Emetteur du chèque/virement +ChequeMaker=Check/Transfer sender ChequeBank=Banque du chèque CheckBank=Chèque NetToBePaid=Net à payer @@ -520,10 +520,10 @@ YouMustCreateStandardInvoiceFirstDesc=Pour créer une facture modèle, vous deve PDFCrabeDescription=Modèle de facture PDF Crabe. Un modèle de facture complet (ancienne implémentation du modèle Sponge) 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=Return number in the format %syymm-nnnn for standard invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 -MarsNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for replacement invoices, %syymm-nnnn for down payment invoices and %syymm-nnnn for credit notes where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +TerreNumRefModelDesc1=Renvoie une numérotation au format %syymm-nnnn pour les factures standard et %syymm-nnnn pour les avoirs où yy es l'année, mm le mois et nnnn est un compteur sans rupture ni retour à zéro +MarsNumRefModelDesc1=Renvoie une numérotation au format %syymm-nnnn pour les factures standards, %syymm-nnnn pour les factures de remplacement, %syymm-nnnn pour les factures d'acompte et %syymm-nnnn pour les avoirs où yy est l'année, mm le mois et nnnn un compteur sans rupture ni retour à 0. TerreNumRefModelError=Une facture commençant par $syymm existe déjà et est incompatible avec cet modèle de numérotation. Supprimez-la ou renommez-la pour activer ce module. -CactusNumRefModelDesc1=Return number in the format %syymm-nnnn for standard invoices, %syymm-nnnn for credit notes and %syymm-nnnn for down payment invoices where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0 +CactusNumRefModelDesc1=Renvoie une numérotation au format %syymm-nnnn pour les factures standards, %syymm-nnnn pour les avoirs et %syymm-nnnn pour les factures d'acompte où yy est l'année, mm le mois et nnnn un compteur sans rupture ni retour à 0. EarlyClosingReason=Raison de la clôture anticipée EarlyClosingComment=Note de clôture anticipée ##### Types de contacts ##### diff --git a/htdocs/langs/fr_FR/blockedlog.lang b/htdocs/langs/fr_FR/blockedlog.lang index be1cefc6ef7..5ef44ec366c 100644 --- a/htdocs/langs/fr_FR/blockedlog.lang +++ b/htdocs/langs/fr_FR/blockedlog.lang @@ -8,7 +8,7 @@ BrowseBlockedLog=Logs inaltérables ShowAllFingerPrintsMightBeTooLong=Afficher tous les journaux archivés (peut être long) ShowAllFingerPrintsErrorsMightBeTooLong=Afficher tous les journaux d'archives non valides (peut être long) DownloadBlockChain=Télécharger les empreintes -KoCheckFingerprintValidity=Le journal archivé n'est pas valide. Cela signifie que quelqu'un (un pirate informatique ?) a modifié certaines données de ce journal archivé après son enregistrement ou a effacé l'enregistrement archivé précédent (vérifiez que la ligne avec le numéro précédent existe). +KoCheckFingerprintValidity=L'entrée du journal archivé n'est pas valide. Cela signifie que quelqu'un (un hacker ?) a modifié certaines données de cet enregistrement après qu'il ait été enregistré, ou a effacé l'enregistrement archivé précédent (vérifiez que la ligne avec le # précédent existe) ou a modifié la somme de contrôle de l'enregistrement précédent. OkCheckFingerprintValidity=Le journal archivé est valide. Les données de cette ligne n'ont pas été modifiées et l'enregistrement suit le précédent. OkCheckFingerprintValidityButChainIsKo=Le journal archivé semble valide par rapport au précédent mais la chaîne était corrompue auparavant. AddedByAuthority=Stocké dans une autorité distante diff --git a/htdocs/langs/fr_FR/boxes.lang b/htdocs/langs/fr_FR/boxes.lang index e54f69e69bf..a70ab75ca55 100644 --- a/htdocs/langs/fr_FR/boxes.lang +++ b/htdocs/langs/fr_FR/boxes.lang @@ -18,13 +18,13 @@ BoxLastActions=Derniers évènements BoxLastContracts=Derniers contrats BoxLastContacts=Derniers contacts/adresses BoxLastMembers=Derniers adhérents -BoxLastModifiedMembers=Latest modified members -BoxLastMembersSubscriptions=Latest member subscriptions +BoxLastModifiedMembers=Derniers adhérents modifiés +BoxLastMembersSubscriptions=Dernières cotisations d'adhérents BoxFicheInter=Dernières interventions BoxCurrentAccounts=Balance des comptes ouverts BoxTitleMemberNextBirthdays=Anniversaires de ce mois (adhérents) -BoxTitleMembersByType=Members by type -BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year +BoxTitleMembersByType=Adhérents par type +BoxTitleMembersSubscriptionsByYear=Cotisations des adhérents par année BoxTitleLastRssInfos=Les %s dernières informations de %s BoxTitleLastProducts=Les %s derniers produits/services modifiés BoxTitleProductsAlertStock=Produits en alerte stock @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Mes %s derniers marque-pages BoxOldestExpiredServices=Plus anciens services expirés BoxLastExpiredServices=Les %s plus anciens contrats avec services actifs expirés BoxTitleLastActionsToDo=Les %s derniers événements à réaliser -BoxTitleLastContracts=Les %s derniers contrats modifiés -BoxTitleLastModifiedDonations=Les %s derniers dons modifiés -BoxTitleLastModifiedExpenses=Les %s dernières notes de frais modifiées -BoxTitleLatestModifiedBoms=Les %s dernières nomenclatures modifiées -BoxTitleLatestModifiedMos=Les %s dernières Ordres de Fabrication modifiées +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Clients dont l'en-cours autorisé est dépassé BoxGlobalActivity=Activité globale (factures, propositions, commandes) BoxGoodCustomers=Bons clients @@ -112,9 +112,9 @@ BoxTitleLastCustomerShipments=Les %s dernières expéditions clients NoRecordedShipments=Aucune expédition client BoxCustomersOutstandingBillReached=Clients dont l'en-cours de facturation est dépassé # Pages -UsersHome=Home users and groups -MembersHome=Home Membership -ThirdpartiesHome=Home Thirdparties -TicketsHome=Home Tickets +UsersHome=Accueil utilisateurs et groupes +MembersHome=Accueil adhésion +ThirdpartiesHome=Accueil tiers +TicketsHome=Accueil tickets AccountancyHome=Espace Comptabilité ValidatedProjects=Projets validés diff --git a/htdocs/langs/fr_FR/cashdesk.lang b/htdocs/langs/fr_FR/cashdesk.lang index 9e3d3fcbf62..93005f5a583 100644 --- a/htdocs/langs/fr_FR/cashdesk.lang +++ b/htdocs/langs/fr_FR/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Etage AddTable=Ajouter une table Place=Emplacement TakeposConnectorNecesary='Connecteur TakePOS' requis -OrderPrinters=Commande imprimantes +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Rechercher un produit Receipt=Reçu Header=Entête @@ -58,7 +59,7 @@ BillsCoinsPad=Pavé avec montant des Pièces et Billets DolistorePosCategory=Modules TakePOS et autres solutions de PDV pour Dolibarr TakeposNeedsCategories=TakePOS a besoin d'au moins une catégorie de produits pour fonctionner TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS a besoin d'au moins 1 catégorie de produits dans la catégorie %s pour fonctionner -OrderNotes=Notes de commande +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Compte par défaut à utiliser pour les paiements en NoPaimementModesDefined=Aucun mode de paiement défini dans la configuration de TakePOS TicketVatGrouped=Grouper la TVA par taux sur les tickets / reçus @@ -83,7 +84,7 @@ InvoiceIsAlreadyValidated=La facture est déjà validée NoLinesToBill=Aucune ligne à facturer CustomReceipt=Reçu personnalisé ReceiptName=Nom du reçu -ProductSupplements=Suppléments de produit +ProductSupplements=Manage supplements of products SupplementCategory=Catégorie des suppléments ColorTheme=Couleur du thème Colorful=Coloré @@ -93,7 +94,7 @@ Browser=Navigateur BrowserMethodDescription=Impression simple et facile des reçus. Seuls quelques paramètres pour configurer le reçu. Impression via le navigateur. TakeposConnectorMethodDescription=Module externe avec fonctionnalités supplémentaires. Possibilité d'imprimer depuis le cloud. PrintMethod=Méthode d'impression -ReceiptPrinterMethodDescription=Méthode puissante avec beaucoup de paramètres. Entièrement personnalisable avec des modèles. Impossible d'imprimer à partir du cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Par terminal TakeposNumpadUsePaymentIcon=Utilisez un icône au lieu du texte sur les boutons de paiement du pavé numérique CashDeskRefNumberingModules=Module de numérotation pour le POS diff --git a/htdocs/langs/fr_FR/categories.lang b/htdocs/langs/fr_FR/categories.lang index 872d04cfa1b..f428f5a2aa6 100644 --- a/htdocs/langs/fr_FR/categories.lang +++ b/htdocs/langs/fr_FR/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Catégorie Rubriques=Tags/catégories RubriquesTransactions=Tags/catégories des transactions categories=tags/catégories -NoCategoryYet=Aucun tag/catégorie de ce type n'a été créé +NoCategoryYet=No tag/category of this type has been created In=Dans AddIn=Ajouter dans modify=modifier Classify=Classer CategoriesArea=Espace tags/catégories -ProductsCategoriesArea=Espace tags/catégories de produits/services -SuppliersCategoriesArea=Espace tags/catégories de fournisseurs -CustomersCategoriesArea=Espace tags/catégories de clients -MembersCategoriesArea=Espace tags/catégories adhérents -ContactsCategoriesArea=Espace tags/catégories de contacts -AccountsCategoriesArea=Espace des tags/categories de comptes bancaires -ProjectsCategoriesArea=Zone des tags/catégories des projets -UsersCategoriesArea=Espace tags/catégories des utlisateurs +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sous-catégories CatList=Liste des tags/catégories CatListAll=Liste de toutes les catégories (de tous types) @@ -93,7 +93,7 @@ AddSupplierIntoCategory=Assigner cette catégorie au fournisseur ShowCategory=Afficher tag/catégorie ByDefaultInList=Par défaut dans la liste ChooseCategory=Choisissez une catégorie -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories +StocksCategoriesArea=Catégories d’entrepôt +ActionCommCategoriesArea=Catégories d’événements WebsitePagesCategoriesArea=Catégories des pages-conteneurs -UseOrOperatorForCategories=Utiliser l'opérateur 'ou' pour les catégories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/fr_FR/companies.lang b/htdocs/langs/fr_FR/companies.lang index d4a26e93344..97b878e59fc 100644 --- a/htdocs/langs/fr_FR/companies.lang +++ b/htdocs/langs/fr_FR/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Le nom de société %s existe déjà. Veuillez en choisir un autre. ErrorSetACountryFirst=Définissez d'abord le pays SelectThirdParty=Sélectionner un tiers -ConfirmDeleteCompany=Êtes-vous sûr de vouloir supprimer cette société et toutes les informations qui en dépendent ? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Supprimer un contact -ConfirmDeleteContact=Êtes-vous sûr de vouloir supprimer ce contact et toutes les informations qui en dépendent ? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Nouveau tiers MenuNewCustomer=Nouveau client MenuNewProspect=Nouveau prospect @@ -45,7 +45,7 @@ ParentCompany=Maison mère Subsidiaries=Filiales ReportByMonth=Rapport par mois ReportByCustomers=Rapport par client -ReportByThirdparties=Report per thirdparty +ReportByThirdparties=Rapport par tiers ReportByQuarter=Rapport par taux CivilityCode=Code civilité RegisteredOffice=Siège social @@ -69,7 +69,7 @@ PhoneShort=Tél. Skype=Skype Call=Appeler Chat=Tchat -PhonePro=Tél pro. +PhonePro=Bus. phone PhonePerso=Tél perso. PhoneMobile=Tél portable No_Email=Refuse les emailings @@ -179,7 +179,7 @@ ProfId1FR=Id. prof. 1 (SIREN) ProfId2FR=Id. prof. 2 (SIRET) ProfId3FR=Id. prof. 3 (NAF-APE) ProfId4FR=Id. prof. 4 (RCS/RM) -ProfId5FR=Prof Id 5 (numéro EORI) +ProfId5FR=Id. prof. 5 (numéro EORI) ProfId6FR=- ProfId1ShortFR=SIREN ProfId2ShortFR=SIRET @@ -331,7 +331,7 @@ CustomerCodeDesc=Code client unique pour chaque client SupplierCodeDesc=Code fournisseur unique pour chaque fournisseur RequiredIfCustomer=Requis si le tiers est un client ou un prospect RequiredIfSupplier=Requis si un tiers est un fournisseur -ValidityControledByModule=Validité contrôlée par le module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Voici les règles de ce module ProspectToContact=Prospect à contacter CompanyDeleted=La société "%s" a été supprimée de la base. @@ -439,22 +439,22 @@ ListSuppliersShort=Liste des fournisseurs ListProspectsShort=Liste des prospects ListCustomersShort=Liste des clients ThirdPartiesArea=Tiers / Contacts -LastModifiedThirdParties=Les %s derniers tiers modifiés -UniqueThirdParties=Total de tiers uniques +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Ouvert ActivityCeased=Clos ThirdPartyIsClosed=Le tiers est clôturé -ProductsIntoElements=Liste des produits/services dans %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Montant encours OutstandingBill=Montant encours autorisé OutstandingBillReached=Montant encours autorisé dépassé OrderMinAmount=Montant minimum pour la commande -MonkeyNumRefModelDesc=Return a number in the format %syymm-nnnn for the customer code and %syymm-nnnn for the vendor code where yy is year, mm is month and nnnn is a sequencial auto-incrementing number with no break and no return to 0. +MonkeyNumRefModelDesc=Renvoie une numérotation au format %syymm-nnnn pour le code client et %syymm-nnnn pour le code fournisseur où yy es l'année, mm le mois et nnnn est un compteur sans rupture ni retour à 0. LeopardNumRefModelDesc=Code libre sans vérification. Peut être modifié à tout moment. ManagingDirectors=Nom du(des) gestionnaire(s) (PDG, directeur, président...) MergeOriginThirdparty=Tiers en doublon (le tiers que vous voulez supprimer) MergeThirdparties=Fusionner tiers -ConfirmMergeThirdparties=Êtes-vous sur de vouloir fusionner ce tiers avec le tiers courant ? Tous ses objets liés (factures, commandes, ...) seront déplacés vers le tiers courant avant sa suppression. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Les tiers ont été fusionnés SaleRepresentativeLogin=Login du commercial SaleRepresentativeFirstname=Prénom du commercial diff --git a/htdocs/langs/fr_FR/compta.lang b/htdocs/langs/fr_FR/compta.lang index 38574580e7b..6510a520a3a 100644 --- a/htdocs/langs/fr_FR/compta.lang +++ b/htdocs/langs/fr_FR/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nouvelle remise NewCheckDeposit=Nouveau dépôt NewCheckDepositOn=Créer bordereau de dépôt sur compte: %s NoWaitingChecks=Pas de chèques en attente de remise -DateChequeReceived=Date réception chèque +DateChequeReceived=Check receiving date NbOfCheques=Nb de chèques PaySocialContribution=Payer une charge sociale/fiscale PayVAT=Payer une déclaration de TVA @@ -175,7 +175,7 @@ RulesResultInOut=- Il comprend les paiements réels effectués sur les factures, RulesCADue=- Il inclut les factures clients dues, qu'elles soient payées ou non.
- Il se base sur la date de facturation de ces factures.
RulesCAIn=- Il inclut les règlements effectivement reçus des factures clients.
- Il se base sur la date de règlement de ces factures
RulesCATotalSaleJournal=Il comprend toutes les lignes du journal de vente. -RulesSalesTurnoverOfIncomeAccounts=It includes (credit - debit) of lines for product accounts in group INCOME +RulesSalesTurnoverOfIncomeAccounts=Comprend (débit - crédit) des lignes pour les comptes produits dans le groupe INCOME RulesAmountOnInOutBookkeepingRecord=Cela inclut les enregistrements dans votre Grand Livre ayant les comptes de comptabilité qui ont le groupe "EXPENSE" ou "INCOME" RulesResultBookkeepingPredefined=Cela inclut les enregistrements dans votre Grand Livre ayant les comptes de comptabilité qui ont le groupe "EXPENSE" ou "INCOME" RulesResultBookkeepingPersonalized=Cela inclut les enregistrements dans votre Grand Livre ayant les comptes de comptabilité regroupés par les groupes personnalisés @@ -196,7 +196,7 @@ VATReportByThirdParties=Rapport TVA par Tiers VATReportByCustomers=Rapport par client VATReportByCustomersInInputOutputMode=Rapport par client des TVA collectées et payées VATReportByQuartersInInputOutputMode=Rapport par taux des TVA collectées et payées -VATReportShowByRateDetails=Show details of this rate +VATReportShowByRateDetails=Afficher les détails de ce taux LT1ReportByQuarters=Rapport Tax 2 par Taux LT2ReportByQuarters=Rapport Tax 3 par Taux LT1ReportByQuartersES=Rapport par taux de RE @@ -231,7 +231,7 @@ Pcg_subtype=Sous classe de compte InvoiceLinesToDispatch=Lignes de factures à ventiler ByProductsAndServices=Par produit et service RefExt=Référence externe -ToCreateAPredefinedInvoice=To create a template invoice, create a standard invoice, then, without validating it, click on button "%s". +ToCreateAPredefinedInvoice=Pour créer un modèle de facture, créez une facture standard puis, sans la valider, cliquez sur le bouton "%s". LinkedOrder=Lier à une commande Mode1=Mode 1 Mode2=Mode 2 diff --git a/htdocs/langs/fr_FR/ecm.lang b/htdocs/langs/fr_FR/ecm.lang index 3e6e3e37bad..23ac6fd869b 100644 --- a/htdocs/langs/fr_FR/ecm.lang +++ b/htdocs/langs/fr_FR/ecm.lang @@ -41,7 +41,7 @@ FileNotYetIndexedInDatabase=Fichier non indexé dans la base de données. Télé ExtraFieldsEcmFiles=Attributs supplémentaires des fichiers de la GED ExtraFieldsEcmDirectories=Attributs supplémentaires des dossiers de la GED ECMSetup=Configuration du module de gestion de documents (GED) -GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... -ConfirmImgWebpCreation=Confirm all images duplication -SucessConvertImgWebp=Images successfully duplicated +GenerateImgWebp=Dupliquer toutes les images avec une autre version au format .webp +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... +ConfirmImgWebpCreation=Confirmer la duplication de toutes les images +SucessConvertImgWebp=Images dupliquées avec succès diff --git a/htdocs/langs/fr_FR/errors.lang b/htdocs/langs/fr_FR/errors.lang index 072653e95b5..598bd091ae3 100644 --- a/htdocs/langs/fr_FR/errors.lang +++ b/htdocs/langs/fr_FR/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Pas d'erreur, on valide # Errors ErrorButCommitIsDone=Erreurs trouvées mais on valide malgré tout -ErrorBadEMail=email %s invalide -ErrorBadMXDomain=L'adresse e-mail %s ne semble pas correcte (le domaine n'a pas d'enregistrement MX valide) -ErrorBadUrl=Url %s invalide +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Mauvaise valeur de paramètre. Ceci arrive lors d'une tentative de traduction d'une clé non renseignée. ErrorRefAlreadyExists=Le référence %s existe déjà. ErrorLoginAlreadyExists=L'identifiant %s existe déjà. @@ -46,8 +46,8 @@ ErrorWrongDate=La date est incorrecte ErrorFailedToWriteInDir=Impossible d'écrire dans le répertoire %s ErrorFoundBadEmailInFile=Syntaxe d'email incorrecte trouvée pour %s lignes dans le fichier (exemple ligne %s avec email=%s) ErrorUserCannotBeDelete=L'utilisateur ne peut pas être supprimé. Peut-être est-il associé à des éléments de Dolibarr. -ErrorFieldsRequired=Des champs obligatoires n'ont pas été renseignés -ErrorSubjectIsRequired=Le sujet du mail est obligatoire +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Echec à la création d'un répertoire. Vérifiez que le user du serveur Web ait bien les droits d'écriture dans les répertoires documents de Dolibarr. Si le paramètre safe_mode a été activé sur ce PHP, vérifiez que les fichiers php dolibarr appartiennent à l'utilisateur du serveur Web. ErrorNoMailDefinedForThisUser=Email non défini pour cet utilisateur ErrorSetupOfEmailsNotComplete=La configuration de l'envoi des e-mails n'est pas terminée @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=La page / container %s %s
est activée WarningCreateSubAccounts=Attention, vous ne pouvez pas créer directement un compte auxiliaire, vous devez créer un tiers ou un utilisateur et leur attribuer un code comptable pour les retrouver dans cette liste WarningAvailableOnlyForHTTPSServers=Disponible uniquement si une connexion sécurisée HTTPS est utilisée -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. +WarningModuleXDisabledSoYouMayMissEventHere=Le module %s n’a pas été activé. Par conséquent, il se peut que vous manquiez beaucoup d’événements ici. ErrorActionCommPropertyUserowneridNotDefined=Le propriétaire de l'utilisateur est requis ErrorActionCommBadType=Le type d'événement sélectionné (id: %n, code: %s) n'existe pas dans le dictionnaire des types d'événement +CheckVersionFail=Échec de la vérification de version diff --git a/htdocs/langs/fr_FR/eventorganization.lang b/htdocs/langs/fr_FR/eventorganization.lang new file mode 100644 index 00000000000..f311d553874 --- /dev/null +++ b/htdocs/langs/fr_FR/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Organisation d'événements +EventOrganizationDescription = Organisation de l’événement par le biais du module projet +EventOrganizationDescriptionLong= Gérer l’organisation d'événements pour les conférences, les participants et les conférenciers, avec une page d'inscription publique +# +# Menu +# +EventOrganizationMenuLeft = Événements organisés +EventOrganizationConferenceOrBoothMenuLeft = Conférence ou stand + +# +# Admin page +# +EventOrganizationSetup = Configuration de l’organisation de l’événement +Settings = Paramètres +EventOrganizationSetupPage = Page de configuration de l’organisation de l’événement +EVENTORGANIZATION_TASK_LABEL = Libellé des tâches à créer automatiquement lors de la validation du projet +EVENTORGANIZATION_TASK_LABELTooltip = Lorsque vous validez un événement organisé, certaines tâches peuvent être automatiquement créées dans le projet

Par exemple :
Envoyer un appel de conférence
Envoyer un appel pour le stand
Recevoir un appel de conférences
Recevoir un appel de stand
Ouvrir les inscriptions aux événements pour les participants
Envoyer un rappel de l’événement aux conférenciers
Envoyer un rappel de l’événement à l’animateur du stand
Envoyer un rappel de l’événement aux participants +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Catégorie à ajouter à des tiers automatiquement créée lorsque quelqu’un suggère une conférence +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Catégorie à ajouter à des tiers automatiquement créée lorsque quelqu’un suggère un stand +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Modèle de courriel à envoyer après avoir reçu une suggestion de conférence. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Modèle de courriel à envoyer après avoir reçu une suggestion d'un stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Modèle de courriel à envoyer après paiement d'une inscription à un stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Modèle de courriel à envoyer après paiement d'une inscription à un événement. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Modèle de courriel pour action de masse aux participants +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Modèle de courriel pour action de masse aux intervenants +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filtrer la liste de sélection des tiers dans la fiche/le formulaire de création des participants avec/selon la catégorie +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filtrer la liste de sélection des tiers dans la fiche/le formulaire de création des participants avec le type de client + +# +# Object +# +EventOrganizationConfOrBooth= Conférence ou stand +ManageOrganizeEvent = Gestion d'organisation d'événements +ConferenceOrBooth = Conférence ou stand +ConferenceOrBoothTab = Conférence ou stand +AmountOfSubscriptionPaid = Montant de l'inscription payée +DateSubscription = Date de l'inscription +ConferenceOrBoothAttendee = Participant à la conférence ou au stand + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Votre demande de conférence a été transmise. +YourOrganizationEventBoothRequestWasReceived = Votre demande de stand a été transmise +EventOrganizationEmailAskConf = Demande de conférence +EventOrganizationEmailAskBooth = Demande de stand +EventOrganizationEmailSubsBooth = Inscription au stand +EventOrganizationEmailSubsEvent = Inscription à un événement +EventOrganizationMassEmailAttendees = Communication aux participants +EventOrganizationMassEmailSpeakers = Communication aux conférenciers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Autoriser des personnes inconnues à suggérer des conférences +AllowUnknownPeopleSuggestConfHelp=Autoriser des personnes inconnues à suggérer des conférences +AllowUnknownPeopleSuggestBooth=Autoriser des personnes inconnues à suggérer un stand +AllowUnknownPeopleSuggestBoothHelp=Autoriser des personnes inconnues à suggérer un stand +PriceOfRegistration=Prix de l'inscription +PriceOfRegistrationHelp=Prix de l'inscription +PriceOfBooth=Prix d’inscription pour un stand +PriceOfBoothHelp=Prix d’inscription pour un stand +EventOrganizationICSLink=Lien ICS des événements +ConferenceOrBoothInformation=Renseignements sur la conférence ou le stand +Attendees = Participants +EVENTORGANIZATION_SECUREKEY = Clé sécurisée pour le lien d’inscription public à une conférence +# +# Status +# +EvntOrgDraft = Brouillon +EvntOrgSuggested = Suggéré +EvntOrgConfirmed = Confirmé +EvntOrgNotQualified = Non qualifié +EvntOrgDone = Effectuées +EvntOrgCancelled = Annulé +# +# Public page +# +PublicAttendeeSubscriptionPage = Lien d’inscription public à une conférence +MissingOrBadSecureKey = La clé de sécurité est invalide ou manquante +EvntOrgWelcomeMessage = Ce formulaire vous permet de vous enregistrer en tant que participant à la conférence +EvntOrgStartDuration = Cette conférence débute à +EvntOrgEndDuration = et se termine à diff --git a/htdocs/langs/fr_FR/knowledgemanagement.lang b/htdocs/langs/fr_FR/knowledgemanagement.lang index 5159492c013..f928e48432e 100644 --- a/htdocs/langs/fr_FR/knowledgemanagement.lang +++ b/htdocs/langs/fr_FR/knowledgemanagement.lang @@ -14,46 +14,42 @@ # along with this program. If not, see . # -# Générique +# Generic # -# Module label 'Module Base de connaissance' -ModuleKnowledgeManagementName = Base de connaissance +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System # Module description 'ModuleKnowledgeManagementDesc' -ModuleKnowledgeManagementDesc = Base de connaissance +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base # -# Page d'administration +# Admin page # -KnowledgeManagementSetup = Configuration du module Base de connaissance -Settings = Réglages -KnowledgeManagementSetupPage = Page de configuration du module Base de connaissance +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Paramètres +KnowledgeManagementSetupPage = Knowledge Management System setup page + # -# Page À propos +# About page # About = À propos -KnowledgeManagementAbout = À propos de la Base de connaissance -KnowledgeManagementAboutPage = Page à propos de la Base de connaissance +KnowledgeManagementAbout = A propos de la base de connaissances +KnowledgeManagementAboutPage = A propos de la base de connaissances # -# Page d'exemple +# Sample page # -MyPageName = Nom de ma page +KnowledgeManagementArea = Base de connaissances -# -# Box d'exemple -# -MyWidget = Mon widget -MyWidgetDescription = Description de mon widget # # Menu # -MenuKnowledgeRecord = Registres de connaissances -ListKnowledgeRecord = Liste -NewKnowledgeRecord = Nouveau registre de connaissance -Reply = Répondre -KnowledgeRecords = registres de connaissances -KnowledgeRecord = registre de connaissances -KnowledgeRecordExtraFields = Attributs supplémentaires pour les registres de connaissance \ No newline at end of file +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/fr_FR/mails.lang b/htdocs/langs/fr_FR/mails.lang index 5408ca6e4c7..c0f5c00808e 100644 --- a/htdocs/langs/fr_FR/mails.lang +++ b/htdocs/langs/fr_FR/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Aux utilisateurs MailCC=Copie à MailToCCUsers=Copie aux utilisateurs MailCCC=Copie cachée à -MailTopic=Sujet du mail +MailTopic=Email subject MailText=Message MailFile=Fichiers joints MailMessage=Corps du message @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=Aucune notification automatique prévue pour ce type d ANotificationsWillBeSent=1 notification automatique sera envoyée par e-mail SomeNotificationsWillBeSent=%s notification(s) automatique(s) sera(seront) envoyée(s) par e-mail AddNewNotification=Souscrire à une nouvelle notification automatique (cible/évènement) -ListOfActiveNotifications=Liste de toutes les souscriptions (cibles/évènements) pour des notifications emails automatiques -ListOfNotificationsDone=Liste des toutes les notifications automatiques envoyées par e-mail +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=La configuration d'envoi d'emails a été définir sur '%s'. Ce mode ne peut pas être utilisé pour envoyer des e-mailing en masse. MailSendSetupIs2=Vous devez d'abord aller, avec un compte d'administrateur, dans le menu %sAccueil - Configuration - EMails%s pour changer le paramètre '%s' pour utiliser le mode '%s'. Avec ce mode, vous pouvez entrer le paramétrage du serveur SMTP fourni par votre fournisseur de services Internet et utiliser la fonction d'envoi d'email en masse. MailSendSetupIs3=Si vous avez des questions sur la façon de configurer votre serveur SMTP, vous pouvez demander à %s. diff --git a/htdocs/langs/fr_FR/main.lang b/htdocs/langs/fr_FR/main.lang index 32ee14fb0c7..5bba9b2b897 100644 --- a/htdocs/langs/fr_FR/main.lang +++ b/htdocs/langs/fr_FR/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Enregistrer et nouveau TestConnection=Tester la connexion ToClone=Cloner ConfirmCloneAsk=Voulez-vous vraiment cloner l'objet %s ? -ConfirmClone=Veuillez choisir votre option de clonage : +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Aucun option de clonage n'a été spécifiée. Of=du Go=Aller @@ -246,7 +246,7 @@ DefaultModel=Modèle de document par défaut Action=Action About=À propos Number=Nombre -NumberByMonth=Nombre par mois +NumberByMonth=Total reports by month AmountByMonth=Montant par mois Numero=Numéro Limit=Limite @@ -341,8 +341,8 @@ KiloBytes=Kilooctets MegaBytes=Mégaoctets GigaBytes=Gigaoctets TeraBytes=Teraoctets -UserAuthor=Utilisateur de création -UserModif=Utilisateur de dernière mise à jour +UserAuthor=Ceated by +UserModif=Réalisée par b=o. Kb=Ko Mb=Mo @@ -503,9 +503,11 @@ By=Par From=Du FromDate=A partir du FromLocation=A partir du -at=à to=au To=au +ToDate=au +ToLocation=au +at=à and=et or=ou Other=Autre @@ -843,7 +845,7 @@ XMoreLines=%s ligne(s) cachées ShowMoreLines=Afficher plus/moins de lignes PublicUrl=URL publique AddBox=Ajouter boite -SelectElementAndClick=Sélectionnez un élément et cliquez %s +SelectElementAndClick=Select an element and click on %s PrintFile=Imprimer fichier %s ShowTransaction=Afficher l'écriture sur le compte bancaire ShowIntervention=Afficher intervention @@ -854,8 +856,8 @@ Denied=Refusé ListOf=Liste de %s ListOfTemplates=Liste des modèles Gender=Genre -Genderman=Homme -Genderwoman=Femme +Genderman=Male +Genderwoman=Female Genderother=Autre ViewList=Vue liste ViewGantt=Vue Gantt @@ -905,7 +907,7 @@ SomeTranslationAreUncomplete=Certaines des langues proposées peuvent n'être tr DirectDownloadLink=Lien de téléchargement public PublicDownloadLinkDesc=Seul le lien est nécessaire pour télécharger le fichier DirectDownloadInternalLink=Lien de téléchargement privé -PrivateDownloadLinkDesc=You need to be logged and you need permissions to view or download the file +PrivateDownloadLinkDesc=Vous devez être connecté et vous avez besoin d’autorisations pour afficher ou télécharger le fichier Download=Téléchargement DownloadDocument=Télécharger le document ActualizeCurrency=Mettre à jour le taux de devise @@ -1018,7 +1020,7 @@ SearchIntoContacts=Contacts SearchIntoMembers=Adhérents SearchIntoUsers=Utilisateurs SearchIntoProductsOrServices=Produits ou services -SearchIntoBatch=Lots / Serials +SearchIntoBatch=Lots / Séries SearchIntoProjects=Projets SearchIntoMO=Ordres de fabrication SearchIntoTasks=Tâches @@ -1128,4 +1130,5 @@ ConfirmAffectTag=Affecter les tags en masse ConfirmAffectTagQuestion=Êtes-vous sur de vouloir affecter ces catégories aux %s lignes sélectionnées ? CategTypeNotFound=Aucun type de tag trouvé pour ce type d'enregistrements CopiedToClipboard=Copié dans le presse-papier -InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +InformationOnLinkToContract=Ce montant n’est que le total de toutes les lignes du contrat. Aucune notion de temps n’est prise en considération. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/fr_FR/members.lang b/htdocs/langs/fr_FR/members.lang index dff2f9c885b..9126589281e 100644 --- a/htdocs/langs/fr_FR/members.lang +++ b/htdocs/langs/fr_FR/members.lang @@ -15,24 +15,24 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Un autre adhérent (nom: %s, i ErrorUserPermissionAllowsToLinksToItselfOnly=Pour des raisons de sécurité, il faut posséder les droits de modification de tous les utilisateurs pour pouvoir lier un adhérent à un utilisateur autre que vous même. SetLinkToUser=Lier à un utilisateur Dolibarr SetLinkToThirdParty=Lier à un tiers Dolibarr -MembersCards=Cartes d'adhérent +MembersCards=Business cards for members MembersList=Liste des adhérents MembersListToValid=Liste des adhérents brouillons (à valider) MembersListValid=Liste des adhérents valides MembersListUpToDate=Liste des adhérents validés avec une adhésion à jour MembersListNotUpToDate=Liste des adhérents validés avec une adhésion expirée -MembersListExcluded=List of excluded members +MembersListExcluded=Liste des adhérents exclus MembersListResiliated=Liste des adhérents résiliés MembersListQualified=Liste des adhérents qualifiés MenuMembersToValidate=Adhérents brouillons MenuMembersValidated=Adhérents validés -MenuMembersExcluded=Excluded members +MenuMembersExcluded=Adhérents exclus MenuMembersResiliated=Adhérents résiliés MembersWithSubscriptionToReceive=Adhérents avec cotisation à recevoir MembersWithSubscriptionToReceiveShort=Cotisations à recevoir DateSubscription=Date adhésion DateEndSubscription=Date fin adhésion -EndSubscription=Fin adhésion +EndSubscription=Subscription Ends SubscriptionId=Id adhésion WithoutSubscription=Sans adhésion MemberId=Id adhérent @@ -49,12 +49,12 @@ MemberStatusActiveLate=Adhésion/cotisation expirée MemberStatusActiveLateShort=Expiré MemberStatusPaid=Adhésions à jour MemberStatusPaidShort=A jour -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded +MemberStatusExcluded=Adhérent exclu +MemberStatusExcludedShort=Exclu MemberStatusResiliated=Adhérent résilié MemberStatusResiliatedShort=Résilié MembersStatusToValid=Adhérents brouillons -MembersStatusExcluded=Excluded members +MembersStatusExcluded=Adhérents exclus MembersStatusResiliated=Adhérents résiliés MemberStatusNoSubscription=Validé (pas de cotisation nécessaire) MemberStatusNoSubscriptionShort=Validé @@ -83,12 +83,12 @@ WelcomeEMail=Email de bienvenue SubscriptionRequired=Soumis à cotisation DeleteType=Supprimer VoteAllowed=Vote autorisé -Physical=Physique -Moral=Morale -MorAndPhy=Morales et physiques -Reenable=Réactiver -ExcludeMember=Exclude a member -ConfirmExcludeMember=Are you sure you want to exclude this member ? +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable +ExcludeMember=Exclure un adhérent +ConfirmExcludeMember=Êtes-vous sûr de vouloir exclure cet adhérent ? ResiliateMember=Résilier un adhérent ConfirmResiliateMember=Êtes-vous sûr de vouloir résilier cet adhérent ? DeleteMember=Effacer un membre @@ -144,7 +144,7 @@ DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=Modèle d'email à utiliser pour e DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=Modèle d'email électronique à utiliser pour envoyer un courrier électronique à un membre lors de l'enregistrement d'une nouvelle cotisation DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=Modèle d'email électronique à utiliser pour envoyer un rappel par courrier électronique lorsque l'adhésion est sur le point d'expirer DescADHERENT_EMAIL_TEMPLATE_CANCELATION=Modèle d'email utilisé pour envoyer un email à un adhérent lors de l'annulation d'adhésion -DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Email template to use to send email to a member on member exclusion +DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=Modèle de courriel à utiliser pour envoyer un courriel à un adhérent en cas d’exclusion de l'adhérent DescADHERENT_MAIL_FROM=Email émetteur pour les mails automatiques DescADHERENT_ETIQUETTE_TYPE=Format pages étiquettes DescADHERENT_ETIQUETTE_TEXT=Texte imprimé sur les planches d'adresses adhérent @@ -170,37 +170,37 @@ DocForLabels=Génération d'étiquettes d'adresses SubscriptionPayment=Paiement cotisation LastSubscriptionDate=Date de dernière adhésion LastSubscriptionAmount=Montant dernière adhésion -LastMemberType=Last Member type +LastMemberType=Dernier type d'adhérent MembersStatisticsByCountries=Statistiques des membres par pays MembersStatisticsByState=Statistiques des membres par département/province/canton MembersStatisticsByTown=Statistiques des membres par ville MembersStatisticsByRegion=Statistiques des membres par région -NbOfMembers=Nombre de membres -NbOfActiveMembers=Nombre d'adhérents actifs en cours +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Aucun membre validé trouvé -MembersByCountryDesc=Cet écran vous présente une vue statistique du nombre d'adhérents par pays. Le graphique utilise toutefois le service en ligne de graphique de Google et n'est opérationnel uniquement que si une connexion internet est disponible. -MembersByStateDesc=Cet écran vous présente une vue statistique du nombre d'adhérents par département/province/canton. -MembersByTownDesc=Cet écran vous présente une vue statistique du nombre d'adhérents par ville. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choisissez les statistiques que vous désirez consulter... MenuMembersStats=Statistiques -LastMemberDate=Date dernier adhérent +LastMemberDate=Latest membership date LatestSubscriptionDate=Date de dernière adhésion -MemberNature=Nature d'adhérent -MembersNature=Nature des adhérents -Public=Informations publiques +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Nouvel adhérent ajouté. En attente de validation NewMemberForm=Nouvel Adhérent form -SubscriptionsStatistics=Statistiques sur les cotisations +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Nombre de cotisations -AmountOfSubscriptions=Montant de cotisations +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Chiffre affaire (pour société) ou Budget (asso ou collectivité) DefaultAmount=Montant par défaut de la cotisation CanEditAmount=Le visiteur peut modifier/choisir le montant de sa cotisation MEMBER_NEWFORM_PAYONLINE=Rediriger sur la page intégrée de paiement en ligne ByProperties=Par nature MembersStatisticsByProperties=Statistiques des adhérents par nature -MembersByNature=Cet écran vous montre les statistiques sur les membres par nature. -MembersByRegion=Cet écran vous montre les statistiques sur les membres par région. VATToUseForSubscriptions=Taux de TVA pour les adhésions NoVatOnSubscription=Pas de TVA sur les adhésions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produit/Service utilisé pour la ligne de cotisation dans la facture: %s diff --git a/htdocs/langs/fr_FR/modulebuilder.lang b/htdocs/langs/fr_FR/modulebuilder.lang index d2ed35e1282..1bd6f76c06f 100644 --- a/htdocs/langs/fr_FR/modulebuilder.lang +++ b/htdocs/langs/fr_FR/modulebuilder.lang @@ -85,7 +85,7 @@ 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) -DisplayOnPdfDesc=Affichez ce champ sur les documents PDF compatibles, vous pouvez gérer la position avec le champ "Position".
Actuellement, les modèles compatibles PDF connus sont: Eratostene (ordre), Espadon (navire), une éponge (factures), cyan (Propal / citation), Cornas (commande fournisseur)

Pour le document:
0 = non affiché
1 = affiché
2 = affiché uniquement si non vide

Pour les lignes de document:
0 = non affiché
1 = affiché dans une colonne
3 = affiché dans la colonne de description de ligne après la description
4 = affiché dans la colonne de description après le description uniquement si non vide +DisplayOnPdfDesc=Afficher ce champ sur les documents PDF compatibles, vous pouvez gérer la position avec le champ "Position.
Actuellement, les modèles compatibles PDF connus sont: eratostene (commande), espadon (expédition), sponge (factures), cyan (devis/propositions commerciales), cornas (commande fournisseur)

Pour le document :
0 = non affiché
1 = affiché
2 = affiché uniquement si non vide

Pour les lignes de document :
0 = non affiché
1 = 0 = non affiché 1 = affiché dans une colonne
3 = affiché dans la colonne description après la description
4 = affiché dans la colonne description après la description uniquement si non vide DisplayOnPdf=Afficher sur PDF 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) @@ -134,8 +134,8 @@ IncludeDocGenerationHelp=Si vous cochez cette case, du code sera généré pour ShowOnCombobox=Afficher la valeur dans la liste déroulante KeyForTooltip=Clé pour l'info-bulle CSSClass=CSS pour le formulaire d'édition / création -CSSViewClass=CSS for read form -CSSListClass=CSS for list +CSSViewClass=CSS pour le formulaire de lecture +CSSListClass=CSS pour la liste 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) diff --git a/htdocs/langs/fr_FR/orders.lang b/htdocs/langs/fr_FR/orders.lang index 5b49fcf64bd..0732013a49b 100644 --- a/htdocs/langs/fr_FR/orders.lang +++ b/htdocs/langs/fr_FR/orders.lang @@ -16,8 +16,8 @@ ToOrder=Passer commande MakeOrder=Passer commande SupplierOrder=Commande fournisseur SuppliersOrders=Commandes fournisseurs -SaleOrderLines=Sale order lines -PurchaseOrderLines=Puchase order lines +SaleOrderLines=Lignes de commande de vente +PurchaseOrderLines=Lignes de bons de commande SuppliersOrdersRunning=Commandes fournisseurs en cours CustomerOrder=Commande client CustomersOrders=Commandes diff --git a/htdocs/langs/fr_FR/other.lang b/htdocs/langs/fr_FR/other.lang index 433f72df63d..dff5915fa6b 100644 --- a/htdocs/langs/fr_FR/other.lang +++ b/htdocs/langs/fr_FR/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Vous devez activer ou installer la librairie GD avec votre P ProfIdShortDesc=Id prof. %s est une information qui dépend du pays du tiers.
Par exemple, pour le pays %s, il s'agit du code %s. DolibarrDemo=Démonstration de Dolibarr ERP/CRM StatsByNumberOfUnits=Statistiques de quantités de produits/services -StatsByNumberOfEntities=Statistiques en nombre d'entités référantes (nb de factures, ou commandes...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Nombre de propositions commerciales NumberOfCustomerOrders=Nombre de commandes clients NumberOfCustomerInvoices=Nombre de factures clients @@ -245,7 +245,7 @@ NewKeyIs=Voici vos nouveaux identifiants pour vous connecter NewKeyWillBe=Vos nouveaux identifiants pour vous connecter à l'application seront ClickHereToGoTo=Cliquez ici pour aller sur %s YouMustClickToChange=Vous devez toutefois auparavant cliquer sur le lien suivant, afin de valider ce changement de mot de passe -ConfirmPasswordChange=Confirm password change +ConfirmPasswordChange=Confirmer la modification du mot de passe ForgetIfNothing=Si vous n'êtes pas à l'origine de cette demande, ignorez simplement ce message. Vos identifiants restent sécurisés. IfAmountHigherThan=Si le montant est supérieur à %s SourcesRepository=Répertoire pour les sources @@ -289,4 +289,4 @@ PopuProp=Produits / services par popularité dans les propositions PopuCom=Produits/services par popularité dans les commandes ProductStatistics=Statistiques sur les produits / services NbOfQtyInOrders=Qté en commandes -SelectTheTypeOfObjectToAnalyze=Sélectionnez le type d'objet à analyser ... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/fr_FR/partnership.lang b/htdocs/langs/fr_FR/partnership.lang new file mode 100644 index 00000000000..4200ee5dfc9 --- /dev/null +++ b/htdocs/langs/fr_FR/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Gestion des partenariats +PartnershipDescription = Module de gestion des partenariats +PartnershipDescriptionLong= Module de gestion des partenariats + +# +# Menu +# +NewPartnership = Nouveau partenariat +ListOfPartnerships = Listes des partenariats + +# +# Admin page +# +PartnershipSetup = Page de configuration du module Partenariat +PartnershipAbout = À propos de Partenariat +PartnershipAboutPage = Page d'informations du module Partenariat + + +# +# Object +# +DatePartnershipStart=Date de début +DatePartnershipEnd=Date de fin + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Brouillon +PartnershipAccepted = Accepté +PartnershipRefused = Refusé +PartnershipCanceled = Annulé + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/fr_FR/productbatch.lang b/htdocs/langs/fr_FR/productbatch.lang index 5a1ddd19ae8..89c7ab9d347 100644 --- a/htdocs/langs/fr_FR/productbatch.lang +++ b/htdocs/langs/fr_FR/productbatch.lang @@ -1,10 +1,10 @@ # ProductBATCH language file - en_US - ProductBATCH ManageLotSerial=Utiliser les numéros de lots/série -ProductStatusOnBatch=Lot (requis) -ProductStatusOnSerial=Numéro de série (doit être unique pour chaque équipement) +ProductStatusOnBatch=Oui (Lot/Série requis) +ProductStatusOnSerial=Oui (numéro de série unique requis) ProductStatusNotOnBatch=Non (Lot/Série non utilisé) ProductStatusOnBatchShort=Lot -ProductStatusOnSerialShort=N°série +ProductStatusOnSerialShort=Numéro Série ProductStatusNotOnBatchShort=Non Batch=Lot/Série atleast1batchfield=Date limite utilisation optimale, de consommation ou numéro de lot/série @@ -25,10 +25,11 @@ ShowCurrentStockOfLot=Afficher le stock actuel pour le couple produit / lot ShowLogOfMovementIfLot=Afficher l'historique des mouvements de couple produit / lot StockDetailPerBatch=Stock détaillé par lot SerialNumberAlreadyInUse=Le numéro de série %s est déjà utilisé pour le produit %s -TooManyQtyForSerialNumber=Vous ne pouvez avoir qu'un produit %s avec le numéro de série %s -BatchLotNumberingModules=Modèle de génération et contrôle des numéros de lot -BatchSerialNumberingModules=Modèle de génération et contrôle des numéros de série +TooManyQtyForSerialNumber=Vous ne pouvez avoir qu'un seul produit %s pour le numéro de série %s +BatchLotNumberingModules=Options pour la génération automatique de produits en lots gérés par lots +BatchSerialNumberingModules=Options pour la génération automatique de produits en lots gérés par numéros de série ManageLotMask=Masque personnalisé CustomMasks=Ajoute une option pour définir le masque dans la fiche produit -LotProductTooltip=Crée un champ dans la fiche produit pour définir un modèle spécifique de numéro de lot -SNProductTooltip=Crée un champ dans la fiche produit pour définir un modèle spécifique de numéro de série +LotProductTooltip=Ajoute une option dans la fiche produit pour définir un masque de numéro de lot dédié +SNProductTooltip=Ajoute une option dans la fiche produit pour définir un masque de numéro de série dédié +QtyToAddAfterBarcodeScan=Quantité à ajouter pour chaque code à barres/lot/série scanné diff --git a/htdocs/langs/fr_FR/products.lang b/htdocs/langs/fr_FR/products.lang index 4d4e2ce6fac..9501fc6022b 100644 --- a/htdocs/langs/fr_FR/products.lang +++ b/htdocs/langs/fr_FR/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services en vente uniquement ServicesOnPurchaseOnly=Services en achat uniquement ServicesNotOnSell=Services hors vente et hors achat ServicesOnSellAndOnBuy=Services en vente et en achat -LastModifiedProductsAndServices=Les %s derniers produits/services modifiés +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Les %s derniers produits enregistrés LastRecordedServices=Les %s derniers services enregistrés CardProduct0=Produit @@ -73,12 +73,12 @@ SellingPrice=Prix de vente SellingPriceHT=Prix de vente HT SellingPriceTTC=Prix de vente TTC SellingMinPriceTTC=Prix de vente min. (TTC) -CostPriceDescription=Ce prix (net de taxe) peut être utilisé pour stocker le montant moyen du coût de ce produit pour votre entreprise. Il peut être calculé par exemple à partir du prix d'achat moyen majoré des coûts moyens de production et de distribution. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Cette valeur peut être utilisée dans le calcul des marges. SoldAmount=Solde PurchasedAmount=Montant des achats NewPrice=Nouveau prix -MinPrice=Prix de vente min. +MinPrice=Min. selling price EditSellingPriceLabel=Modifier le libellé du prix de vente CantBeLessThanMinPrice=Le prix de vente ne doit pas être inférieur au minimum pour ce produit (%s HT). Ce message peut aussi être provoqué par une remise trop importante. ContractStatusClosed=Clôturé @@ -157,11 +157,11 @@ ListServiceByPopularity=Liste des services par popularité Finished=Produit manufacturé RowMaterial=Matière première ConfirmCloneProduct=Êtes-vous sûr de vouloir cloner le produit ou service %s ? -CloneContentProduct=Cloner les informations générales du produit/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Cloner les prix -CloneCategoriesProduct=Cloner les tags/catégories liées -CloneCompositionProduct=Cloner les produits virtuels -CloneCombinationsProduct=Cloner les variantes +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Ce produit est utilisé NewRefForClone=Réf. du nouveau produit/service SellingPrices=Prix de vente @@ -170,12 +170,12 @@ CustomerPrices=Prix clients SuppliersPrices=Prix fournisseurs SuppliersPricesOfProductsOrServices=Prix fournisseurs (des produits ou services) CustomCode=Nomenclature douanière ou Code SH -CountryOrigin=Pays d'origine -RegionStateOrigin=Région d'origine -StateOrigin=Département d'origine -Nature=Nature du produit (matière première / produit fini) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature de produit -NatureOfProductDesc=Matière première ou produit fini +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Libellé court Unit=Unité p=u. @@ -314,7 +314,7 @@ LastUpdated=Dernière mise à jour CorrectlyUpdated=Mise à jour avec succès PropalMergePdfProductActualFile=Fichiers utilisés pour l'ajout au PDF Azur sont PropalMergePdfProductChooseFile=Sélectionnez les fichiers PDF -IncludingProductWithTag=Include products/services with tag +IncludingProductWithTag=Inclure les produits/services avec tag/catégorie DefaultPriceRealPriceMayDependOnCustomer=Prix ​​par défaut, le prix réel peut dépendre du client WarningSelectOneDocument=Sélectionnez au moins un document DefaultUnitToShow=Unité diff --git a/htdocs/langs/fr_FR/projects.lang b/htdocs/langs/fr_FR/projects.lang index 9599f880936..d7ab95ff424 100644 --- a/htdocs/langs/fr_FR/projects.lang +++ b/htdocs/langs/fr_FR/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Contacts projet ProjectsImContactFor=Projets dont je suis un contact explicite AllAllowedProjects=Tout projet que je peux lire (les miens + public) AllProjects=Tous les projets -MyProjectsDesc=Cette vue est limitée aux projets pour lesquels vous êtres un contact affecté +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Cette vue présente tous les projets pour lesquels vous êtes habilité à avoir une visibilité. TasksOnProjectsPublicDesc=Cette vue affiche toutes les tâches de projets selon vos permissions utilisateur ProjectsPublicTaskDesc=Cette vue présente tous les projets et tâches pour lesquels vous êtes habilité à avoir une visibilité. ProjectsDesc=Cette vue présente tous les projets (vos habilitations vous offrant une vue exhaustive). TasksOnProjectsDesc=Cette vue présente toutes les tâches sur tous les projets (vos permissions d'utilisateur vous accordent la permission de voir tout). -MyTasksDesc=Cette vue est restreinte aux projets ou tâches pour lesquels vous êtes un contact affecté. +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Seuls les projets ouverts sont visibles (les projets à l'état brouillon ou fermé ne sont pas visibles). ClosedProjectsAreHidden=Les projets fermés ne sont pas visible. TasksPublicDesc=Cette vue présente tous les projets et tâches pour lesquels vous êtes habilité à avoir une visibilité. TasksDesc=Cette vue présente tous les projets et tâches (vos habilitations vous offrant une vue exhaustive). AllTaskVisibleButEditIfYouAreAssigned=Toutes les tâches des projets sont visibles mais il n'est possible de saisir du temps passé que sur celles assignées à l'utilisateur sélectionné.\nAssignez la tâche si elle ne l'est pas déjà pour pouvoir saisir du temps dessus. -OnlyYourTaskAreVisible=Seules les tâches qui vous sont assignées sont visibles. Assignez vous une tâche pour la voir et saisir du temps. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tâches des projets ProjectCategories=Catégories/tags de projet NewProject=Nouveau projet @@ -89,7 +89,7 @@ TimeConsumed=Consommé ListOfTasks=Liste de tâches GoToListOfTimeConsumed=Aller à la liste des temps consommés GanttView=Vue Gantt -ListWarehouseAssociatedProject=List of warehouses associated to the project +ListWarehouseAssociatedProject=Liste des entrepôts associés au projet ListProposalsAssociatedProject=Liste des propositions commerciales associées au projet ListOrdersAssociatedProject=Liste des commandes clients associées au projet ListInvoicesAssociatedProject=Liste des factures clients associées au projet @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Non assigné à la tache NoUserAssignedToTheProject=Aucun utilisateur assigné à ce projet TimeSpentBy=Temps consommé par TasksAssignedTo=Tâches assignées à -AssignTaskToMe=M'assigner la tâche +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assigner tâche à %s SelectTaskToAssign=Sélectionnez la tâche à assigner AssignTask=Assigner @@ -271,5 +271,5 @@ RefTaskParent=Réf. Tâche parent ProfitIsCalculatedWith=Le bénéfice est calculé sur la base de AddPersonToTask=Ajouter également aux tâches UsageOrganizeEvent=Utilisation: Organisation d'événements -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classify project as closed when all its tasks are completed (100%% progress) -PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Note: existing projects with all tasks at 100 %% progress won't be affected: you will have to close them manually. This option only affects open projects. +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE=Classer le projet comme étant clos lorsque toutes ses tâches sont terminées (progression 100%%) +PROJECT_CLASSIFY_CLOSED_WHEN_ALL_TASKS_DONE_help=Remarque : les projets existants avec toutes les tâches terminées à 100 %% ne seront pas affectés : vous devrez les fermer manuellement. Cette option n’affecte que les projets ouverts. diff --git a/htdocs/langs/fr_FR/propal.lang b/htdocs/langs/fr_FR/propal.lang index 6727ad21a8a..b019b275e6e 100644 --- a/htdocs/langs/fr_FR/propal.lang +++ b/htdocs/langs/fr_FR/propal.lang @@ -59,7 +59,7 @@ ConfirmClonePropal=Êtes-vous sûr de vouloir cloner la proposition commerciale ConfirmReOpenProp=Êtes-vous sûr de vouloir réouvrir la proposition commerciale %s ? ProposalsAndProposalsLines=Propositions commerciales clients et lignes de propositions ProposalLine=Ligne de proposition -ProposalLines=Proposal lines +ProposalLines=Ligne de proposition AvailabilityPeriod=Délai de livraison SetAvailability=Définir le délai de livraison AfterOrder=après commande diff --git a/htdocs/langs/fr_FR/recruitment.lang b/htdocs/langs/fr_FR/recruitment.lang index c3fcd8fece3..f2d8df78aa3 100644 --- a/htdocs/langs/fr_FR/recruitment.lang +++ b/htdocs/langs/fr_FR/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Merci de votre candidature.
... JobClosedTextCandidateFound=Le poste n'est plus ouvert. Le poste a été pourvu. JobClosedTextCanceled=Le poste n'est plus ouvert. ExtrafieldsJobPosition=Attributs complémentaires (postes) -ExtrafieldsCandidatures=Attributs complémentaires (candidature) +ExtrafieldsApplication=Attributs complémentaires (candidature) MakeOffer=Faire un offre diff --git a/htdocs/langs/fr_FR/salaries.lang b/htdocs/langs/fr_FR/salaries.lang index 4005859617f..848ec9b039d 100644 --- a/htdocs/langs/fr_FR/salaries.lang +++ b/htdocs/langs/fr_FR/salaries.lang @@ -2,7 +2,7 @@ SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Compte comptable utilisé pour les utilisateurs SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=Le compte comptable défini sur la fiche utilisateur sera utilisé uniquement pour la comptabilité auxiliaire. Celui-ci sera utilisé pour le grand livre et comme valeur par défaut de la comptabilité auxiliaire si le compte dédié de l'utilisateur n'est pas défini. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Compte comptable par défaut pour les paiements de salaires -CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=By default, leave empty the option "Automatically create a total payment" when creating a Salary +CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=Par défaut, laissez vide l’option "Créer automatiquement un paiement complet" lors de la création d’un salaire Salary=Salaire Salaries=Salaires NewSalary=Nouveau salaire @@ -10,7 +10,7 @@ NewSalaryPayment=Nouveau salaire AddSalaryPayment=Ajouter paiement de salaire SalaryPayment=Règlement salaire SalariesPayments=Règlements des salaires -SalariesPaymentsOf=Salaries payments of %s +SalariesPaymentsOf=Paiements des salaires de %s ShowSalaryPayment=Afficher règlement de salaire THM=Tarif horaire moyen TJM=Tarif journalier moyen diff --git a/htdocs/langs/fr_FR/sendings.lang b/htdocs/langs/fr_FR/sendings.lang index d2b56dfe677..cd4c3d1d94d 100644 --- a/htdocs/langs/fr_FR/sendings.lang +++ b/htdocs/langs/fr_FR/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Êtes-vous sûr de vouloir valider cette expédition sous ConfirmCancelSending=Êtes-vous sûr de vouloir annuler cette expédition ? DocumentModelMerou=Modèle Merou A5 WarningNoQtyLeftToSend=Alerte, aucun produit en attente d'expédition. -StatsOnShipmentsOnlyValidated=Statistiques effectuées sur les expéditions validées uniquement. La date prise en compte est la date de validation (la date de prévision de livraison n'étant pas toujours renseignée). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Date prévue de livraison RefDeliveryReceipt=Ref bon de réception StatusReceipt=Status du bon de réception diff --git a/htdocs/langs/fr_FR/stocks.lang b/htdocs/langs/fr_FR/stocks.lang index 811f64f0d84..c0cd183c506 100644 --- a/htdocs/langs/fr_FR/stocks.lang +++ b/htdocs/langs/fr_FR/stocks.lang @@ -19,8 +19,8 @@ Stock=Stock Stocks=Stocks MissingStocks=Stocks manquants StockAtDate=Stock à date -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future +StockAtDateInPast=Date dans le passé +StockAtDateInFuture=Date dans le futur StocksByLotSerial=Stocks par lot/série LotSerial=Lots/séries LotSerialList=Liste des numéros de lots/séries @@ -37,8 +37,8 @@ AllWarehouses=Tous les entrepôts IncludeEmptyDesiredStock=Inclure aussi les stocks négatifs quand le stock désiré optimal n'est pas défini IncludeAlsoDraftOrders=Inclure également les commandes brouillons Location=Lieu -LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products +LocationSummary=Nom court du lieu +NumberOfDifferentProducts=Nombre de produits uniques NumberOfProducts=Nombre total de produits LastMovement=Dernier mouvement LastMovements=Derniers mouvements @@ -62,7 +62,7 @@ EnhancedValueOfWarehouses=Valorisation des stocks UserWarehouseAutoCreate=Créer automatiquement un stock/entrepôt propre à l'utilisateur lors de sa création AllowAddLimitStockByWarehouse=Gérez également les valeurs des stocks minimums et souhaités par paire (produit-entrepôt) en plus des valeurs de minimums et souhaités par produit RuleForWarehouse=Règle pour les entrepôts -WarehouseAskWarehouseOnThirparty=Set a warehouse on third-party +WarehouseAskWarehouseOnThirparty=Définir un entrepôt sur un tiers WarehouseAskWarehouseDuringPropal=Définir un entrepôt sur les propositions commerciales WarehouseAskWarehouseDuringOrder=Définir un entrepôt sur les commandes UserDefaultWarehouse=Définir un entrepôt sur les utilisateurs @@ -91,14 +91,14 @@ NoPredefinedProductToDispatch=Pas de produits prédéfinis dans cet objet. Aucun DispatchVerb=Ventiler StockLimitShort=Limite pour alerte StockLimit=Limite stock pour alerte -StockLimitDesc=(vide) n'affichera aucune icone d'alerte.
0 peut être saisi pour afficher une alerte en cas de stock nul. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Stock physique RealStock=Stock réel RealStockDesc=Le stock physique ou réel est le stock présent dans les entrepôts. RealStockWillAutomaticallyWhen=Le stock réel sera modifié selon ces règles (voir la configuration du module Stock) : VirtualStock=Stock virtuel VirtualStockAtDate=Stock virtuel à date -VirtualStockAtDateDesc=Virtual stock once all the pending orders that are planned to be processed before the chosen date will be finished +VirtualStockAtDateDesc=Stock virtuel une fois que tous les ordres en attente, prévus d'être traités avant la date choisie, soient terminés VirtualStockDesc=Le stock virtuel est la quantité de produit en stock après que les opérations en cours (et qui affectent les stocks) soient terminées (réceptions de commandes fournisseurs, expéditions de commandes clients, production des ordres de fabrications, etc) AtDate=À date IdWarehouse=Identifiant entrepôt @@ -107,7 +107,7 @@ LieuWareHouse=Lieu entrepôt WarehousesAndProducts=Entrepôts et produits WarehousesAndProductsBatchDetail=Entrepôts et produits (avec détail par lot/série) AverageUnitPricePMPShort=Prix moyen pondéré (PMP) -AverageUnitPricePMPDesc=The input average unit price we had to expense to get 1 unit of product into our stock. +AverageUnitPricePMPDesc=Le prix unitaire moyen que nous avons dû dépenser pour obtenir 1 unité de produit dans notre stock. SellPriceMin=Prix de vente unitaire EstimatedStockValueSellShort=Valeur à la vente EstimatedStockValueSell=Valeur vente @@ -147,7 +147,7 @@ Replenishments=Réapprovisionnement NbOfProductBeforePeriod=Quantité du produit %s en stock avant la période sélectionnée (< %s) NbOfProductAfterPeriod=Quantité du produit %s en stock après la période sélectionnée (> %s) MassMovement=Mouvement en masse -SelectProductInAndOutWareHouse=Select a source warehouse and a target warehouse, a product and a quantity then click "%s". Once this is done for all required movements, click on "%s". +SelectProductInAndOutWareHouse=Sélectionnez un entrepôt source et un entrepôt cible, un produit et une quantité puis cliquez sur "%s". Une fois ceci fait pour tous les mouvements requis, cliquez sur "%s". RecordMovement=Enregistrer transfert ReceivingForSameOrder=Réceptions pour cette commande StockMovementRecorded=Mouvement de stocks enregistré @@ -238,20 +238,20 @@ StockIsRequiredToChooseWhichLotToUse=Le module Stock est requis pour choisir une ForceTo=Forcer à AlwaysShowFullArbo=Afficher l'arborescence complète de l'entrepôt sur la popup du lien entrepôt (Avertissement: cela peut réduire considérablement les performances) StockAtDatePastDesc=Vous pouvez voir ici le stock (stock réel) à une date donnée dans le passé -StockAtDateFutureDesc=You can view here the stock (virtual stock) at a given date in the future +StockAtDateFutureDesc=Vous pouvez voir ici le stock (stock virtuel) à une date donnée dans le futur CurrentStock=Stock actuel InventoryRealQtyHelp=Définissez la valeur sur 0 pour réinitialiser la quantité
Gardez le champ vide ou supprimez la ligne pour qu'elle reste inchangé UpdateByScaning=Remplir la quantité réelle en scannant UpdateByScaningProductBarcode=Mettre à jour par scan (code-barres produit) UpdateByScaningLot=Mise à jour par scan (code barres lot/série) DisableStockChangeOfSubProduct=Désactiver les mouvements de stock des composants pour ce mouvement de stock. -ImportFromCSV=Import CSV list of movement +ImportFromCSV=Importer une liste CSV des mouvements ChooseFileToImport=Ajoutez le fichier à importer puis cliquez sur le pictogramme %s pour le sélectionner comme fichier source d'import… SelectAStockMovementFileToImport=sélectionnez un fichier de mouvement de stock à importer -InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
CSV character separator must be "%s" +InfoTemplateImport=Le fichier téléchargé doit avoir ce format (* champs obligatoires):
Entrepôt source* | Entrepôt cible* | Produit* | Quantité* | Numéro de lot/série
Le caractère de séparation CSV doit être "%s" LabelOfInventoryMovemement=Inventaire %s ReOpen=Réouvrir -ConfirmFinish=Do you confirm the closing of the inventory ? This will generate all stock movements to update your stock. -ObjectNotFound=%s not found -MakeMovementsAndClose=Generate movements and close -AutofillWithExpected=Fill real quantity with expected quantity +ConfirmFinish=Confirmez-vous la clôture de l’inventaire? Ceci générera tous les mouvements de stock pour mettre à jour votre stock. +ObjectNotFound=%s introuvable +MakeMovementsAndClose=Générer les mouvements et fermer +AutofillWithExpected=Remplir la quantité réelle avec la quantité prévue diff --git a/htdocs/langs/fr_FR/ticket.lang b/htdocs/langs/fr_FR/ticket.lang index f97eeb7c35c..9a62c443c56 100644 --- a/htdocs/langs/fr_FR/ticket.lang +++ b/htdocs/langs/fr_FR/ticket.lang @@ -70,8 +70,8 @@ Deleted=Supprimé # Dict Type=Type Severity=Sévérité -TicketGroupIsPublic=Group is public -TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface +TicketGroupIsPublic=Le groupe est public +TicketGroupIsPublicDesc=Si un groupe de tickets est public, il sera visible dans le formulaire lors de la création d’un ticket à partir de l’interface publique # Email templates MailToSendTicketMessage=Pour envoyer un e-mail depuis un ticket @@ -304,13 +304,13 @@ BoxLastModifiedTicket=Derniers tickets modifiés BoxLastModifiedTicketDescription=Les %s derniers tickets modifiés BoxLastModifiedTicketContent= BoxLastModifiedTicketNoRecordedTickets=Pas de tickets modifiés récemment -BoxTicketType=Number of open tickets by type -BoxTicketSeverity=Number of open tickets by severity -BoxNoTicketSeverity=No tickets opened -BoxTicketLastXDays=Number of new tickets by days the last %s days -BoxTicketLastXDayswidget = Number of new tickets by days the last X days -BoxNoTicketLastXDays=No new tickets the last %s days -BoxNumberOfTicketByDay=Number of new tickets by day -BoxNewTicketVSClose=Number of today's new tickets versus today's closed tickets -TicketCreatedToday=Ticket created today -TicketClosedToday=Ticket closed today +BoxTicketType=Nombre de tickets ouverts par type +BoxTicketSeverity=Nombre de tickets ouverts par sévérité +BoxNoTicketSeverity=Aucun ticket ouvert +BoxTicketLastXDays=Nombre de nouveaux tickets par jour ces %s derniers jours +BoxTicketLastXDayswidget = Nombre de nouveaux tickets par jour ces X derniers jours +BoxNoTicketLastXDays=Aucun nouveau ticket ces %s derniers jours +BoxNumberOfTicketByDay=Nombre de nouveaux tickets par jour +BoxNewTicketVSClose=Nombre de nouveaux tickets aujourd’hui par rapport aux tickets fermés aujourd’hui +TicketCreatedToday=Ticket créé aujourd'hui +TicketClosedToday=Ticket fermé aujourd'hui diff --git a/htdocs/langs/fr_FR/users.lang b/htdocs/langs/fr_FR/users.lang index a3085eb5d56..d730ca167ed 100644 --- a/htdocs/langs/fr_FR/users.lang +++ b/htdocs/langs/fr_FR/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Mot de passe modifié en: %s SubjectNewPassword=Votre mot de passe pour %s GroupRights=Permissions groupe UserRights=Permissions utilisateur +Credentials=Credentials UserGUISetup=Interface utilisateur DisableUser=Désactiver DisableAUser=Désactiver un utilisateur @@ -105,7 +106,7 @@ UseTypeFieldToChange=Modifier le champ Type pour changer OpenIDURL=URL OpenID LoginUsingOpenID=Se connecter par OpenID WeeklyHours=Heures de travail (par semaine) -ExpectedWorkedHours=Heures de travail prévues par semaine +ExpectedWorkedHours=Expected hours worked per week ColorUser=Couleur de l'utilisateur DisabledInMonoUserMode=Désactivé en mode maintenance UserAccountancyCode=Code comptable de l'utilisateur @@ -115,7 +116,7 @@ DateOfEmployment=Date d'embauche DateEmployment=Emploi DateEmploymentstart=Date d'embauche DateEmploymentEnd=Date de fin d'emploi -RangeOfLoginValidity=Période de validité de l'identifiant +RangeOfLoginValidity=Access validity date range CantDisableYourself=Vous ne pouvez pas désactiver votre propre compte utilisateur ForceUserExpenseValidator=Forcer le valideur des notes de frais ForceUserHolidayValidator=Forcer le valideur des congés diff --git a/htdocs/langs/fr_FR/website.lang b/htdocs/langs/fr_FR/website.lang index 3af0b44c17c..9704067d76c 100644 --- a/htdocs/langs/fr_FR/website.lang +++ b/htdocs/langs/fr_FR/website.lang @@ -137,11 +137,11 @@ PagesRegenerated=%s page(s)/conteneur(s) régénéré(s) RegenerateWebsiteContent=Régénérer les fichiers de cache du site Web AllowedInFrames=Autorisé dans les Frames DefineListOfAltLanguagesInWebsiteProperties=Définir la liste des langues disponibles dans les propriétés du site web. -GenerateSitemaps=Generate website sitemap file -ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... -ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +GenerateSitemaps=Générer un fichier de plan du site +ConfirmGenerateSitemaps=Si vous confirmez, vous effacerez le fichier de plan du site existant... +ConfirmSitemapsCreation=Confirmer la génération du plan du site +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon -ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconType=Le Favicon doit être en png +ErrorFaviconSize=Le Favicon doit être de taille 16x16, 32x32 ou 64x64 +FaviconTooltip=Téléverser une image qui doit être au format png (16x16, 32x32 ou 64x64) diff --git a/htdocs/langs/fr_FR/zapier.lang b/htdocs/langs/fr_FR/zapier.lang index c8f0d311f1f..d3e0c2a8799 100644 --- a/htdocs/langs/fr_FR/zapier.lang +++ b/htdocs/langs/fr_FR/zapier.lang @@ -17,5 +17,5 @@ ModuleZapierForDolibarrName = Zapier pour Dolibarr ModuleZapierForDolibarrDesc = Module Zapier pour Dolibarr ZapierForDolibarrSetup=Configuration de Zapier pour Dolibarr ZapierDescription=Interface avec Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. +ZapierAbout=À propos du module Zapier +ZapierSetupPage=Il n’y a pas besoin de configuration du côté de Dolibarr pour utiliser Zapier. Cependant, vous devez générer et publier un paquet sur zapier afin de pouvoir utiliser Zapier avec Dolibarr. Voir la documentation sur cette page wiki. diff --git a/htdocs/langs/fr_GA/accountancy.lang b/htdocs/langs/fr_GA/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/fr_GA/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/fr_GA/admin.lang b/htdocs/langs/fr_GA/admin.lang index 140767493ca..8c6135dc874 100644 --- a/htdocs/langs/fr_GA/admin.lang +++ b/htdocs/langs/fr_GA/admin.lang @@ -1,6 +1,5 @@ # Dolibarr language file - Source file is en_US - admin Module20Name=Devis Module30Name=Factures -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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_GA/cron.lang b/htdocs/langs/fr_GA/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/fr_GA/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/fr_GA/modulebuilder.lang b/htdocs/langs/fr_GA/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/fr_GA/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/gl_ES/accountancy.lang b/htdocs/langs/gl_ES/accountancy.lang index 9a9114c4fdc..474e593baca 100644 --- a/htdocs/langs/gl_ES/accountancy.lang +++ b/htdocs/langs/gl_ES/accountancy.lang @@ -202,7 +202,7 @@ Docref=Referencia LabelAccount=Etiqueta conta LabelOperation=Etiqueta operación Sens=Sentido -AccountingDirectionHelp=Para unha conta contable dun cliente, use o crédito para rexistrar o pago recibido.
. Para unha conta contable dun provedor, use Débito para rexistrar o pago realizado +AccountingDirectionHelp=Para unha conta contable dun cliente, use o Crédito para rexistrar un pagamento que recibiu
Para unha conta contable dun provedor, use Débito para rexistrar un pago que vostede realizou LetteringCode=Codigo de letras Lettering=Letras Codejournal=Diario @@ -297,7 +297,7 @@ NoNewRecordSaved=Non hai mais rexistros para o diario ListOfProductsWithoutAccountingAccount=Listaxe de produtos sen contas contables ChangeBinding=Cambiar a unión Accounted=Contabilizada no Libro Maior -NotYetAccounted=Aínda non contabilizada no Libro Maior +NotYetAccounted=Non contabilizado no Libro Maior aínda ShowTutorial=Amosar Tutorial NotReconciled=Non reconciliado WarningRecordWithoutSubledgerAreExcluded=Aviso: todas as operacións sen subcontas contables defininidas están filtradas e excluídas desta vista diff --git a/htdocs/langs/gl_ES/admin.lang b/htdocs/langs/gl_ES/admin.lang index 6a53c55d19c..6e35ac3d197 100644 --- a/htdocs/langs/gl_ES/admin.lang +++ b/htdocs/langs/gl_ES/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Elimine o ficheiro %s, se existe, para permitir a utilidade de RestoreLock=Substituir un ficheiro %s, dándolle só dereitos de lectura a este ficheiro con el fin de prohibir nuevas actualizaciones. SecuritySetup=Configuración da seguridade PHPSetup=Configuración PHP +OSSetup=Configuración do SO SecurityFilesDesc=Defina aquí as opcións de seguridade relacionadas coa subida de ficheiros. ErrorModuleRequirePHPVersion=Erro, este módulo require unha versión %s ou superior de PHP ErrorModuleRequireDolibarrVersion=Erro, este módulo require unha versión %s ou superior de Dolibarr @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Non suxerir NoActiveBankAccountDefined=Ningunha conta bancaria activa definida OwnerOfBankAccount=Titular da conta %s BankModuleNotActive=Módulo contas bancarias non activado -ShowBugTrackLink=Amosar ligazón "%s" +ShowBugTrackLink=Defina a ligazón "%s" (baleiro para non amosarr esta ligazón, 'github' para a ligazón ao proxecto Dolibarr ou defina directamente unha URL 'https: // ...') Alerts=Alertas DelaysOfToleranceBeforeWarning=Atraso antes da amosar unha alerta DelaysOfToleranceDesc=Esta pantalla permite configurar os prazos de tolerancia antes da alerta co icono %s, sobre cada elemento en atraso. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Debe executar esta orde dende u YourPHPDoesNotHaveSSLSupport=Funcións SSL non dispoñibles no seu PHP DownloadMoreSkins=Mais temas para descargar SimpleNumRefModelDesc=Devolve o número de referencia no formato %s yymm-nnnn onde yy é o ano, mm é o mes e nnnn é un número secuencial de incremento automático sen restablecer +SimpleNumRefNoDateModelDesc=Devolve o número de referencia no formato %s-nnnn onde nnnn é un número con incremento automático secuencial sen restablecemento ShowProfIdInAddress=Amosa o identificador profisional nos enderezos dos documentos ShowVATIntaInAddress=Ocultar o CIF intracomunitario nos enderezos dos documentos TranslationUncomplete=Tradución parcial @@ -2062,7 +2064,7 @@ UseDebugBar=Use a barra de debug DEBUGBAR_LOGS_LINES_NUMBER=Número de últimas liñas de rexistro para manter na consola. WarningValueHigherSlowsDramaticalyOutput=Advertencia, os valores altos ralentizan enormemente a saída. ModuleActivated=O módulo %s está activado e ralentiza a interface -ModuleActivatedWithTooHighLogLevel=O módulo %s está activado cun nivel de rexistro demasiado alto (tente usar un nivel inferior para mellor rendemento) +ModuleActivatedWithTooHighLogLevel=O módulo %s está activado cun nivel de rexistro demasiado alto (tente usar un nivel inferior para mellor rendemento e seguridade) ModuleSyslogActivatedButLevelNotTooVerbose=O módulo %s está activado e o nivel de log (%s) é correcto (non moi detallado) IfYouAreOnAProductionSetThis=Se está nun entorno de produción, debe establecer esta propiedade en %s.. AntivirusEnabledOnUpload=Antivirus activado nos ficheiros actualizados @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Agás se precisa executar comandos NoWritableFilesFoundIntoRootDir=Non se atoparon ficheiros ou directorios con permisos de escritura dos programas comúns no directorio raíz (Bo) RecommendedValueIs=Recomendado %s ARestrictedPath=Un path restrinxido +CheckForModuleUpdate=Comprobar actualizacións para os módulos externos +CheckForModuleUpdateHelp=Esta acción conectara cos editores de módulos externos para comprobar se hai unha nova versión dispoñible. +ModuleUpdateAvailable=Unha actualización está dispoñible +NoExternalModuleWithUpdate=Non foron atopadas actualizacións para módulos externos +SwaggerDescriptionFile=Ficheiro de descrición da API Swagger (para uso con redoc por exemplo) diff --git a/htdocs/langs/gl_ES/banks.lang b/htdocs/langs/gl_ES/banks.lang index c262df8c706..bd694fdd8a6 100644 --- a/htdocs/langs/gl_ES/banks.lang +++ b/htdocs/langs/gl_ES/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Pagamento de imposto social/fiscal BankTransfer=Transferencia bancaria BankTransfers=Transferencias bancarias MenuBankInternalTransfer=Transferencia interna -TransferDesc=Ao transferir dunha conta a outra, Dolibarr crea dous rexistros contables (un de débito na conta orixe e un de crédito na conta destino). Do mesmo importe (salvo o signo), a etiqueta e a data serán usadas para esta transacción. +TransferDesc=Escolla transferencia interna se transfire dunha conta a outra, a aplicación escribirá dous rexistros: un débito na conta de orixe e un crédito na conta de destino. A mesma cantidade, etiqueta e data utilizaranse para esta transacción. TransferFrom=De TransferTo=A TransferFromToDone=A transferencia de %s hacia %s de %s %s foi rexistrada. -CheckTransmitter=Emisor +CheckTransmitter=Orixe ValidateCheckReceipt=¿Validar este talón recibido? -ConfirmValidateCheckReceipt=¿Está certo de querer validar esta remesa? (ningunha modificación será posible unha vez sexa aprobada) +ConfirmValidateCheckReceipt=Está certo de querer enviar este xustificante de talón para validalo? Non e posible cambialo despois DeleteCheckReceipt=¿Eliminar esta remesa? ConfirmDeleteCheckReceipt=¿Está certo de querer eliminar esta remesa? BankChecks=Talóns bancarios @@ -142,7 +142,7 @@ AllAccounts=Todas as contas bancarias e de caixa BackToAccount=Voltar á conta ShowAllAccounts=Amosar para todas as contas FutureTransaction=Transacción futura. Non é posible a reconciliación. -SelectChequeTransactionAndGenerate=Seleccione/filtre talóns a engadir na remesa de cheches e facga click en "Crear". +SelectChequeTransactionAndGenerate=Seleccione/filtre os talóns que se incluirán no xustificante do depósito de cheques. A continuación, prema en "Crear". InputReceiptNumber=Escolla o extracto relacionado coa conciliación. Use o valor númerico ordenable: YYMM or YYYYMMDD EventualyAddCategory=Eventualmente, especifique a categoría na que quere clasificar os rexistros ToConciliate=A reconciliar? diff --git a/htdocs/langs/gl_ES/bills.lang b/htdocs/langs/gl_ES/bills.lang index 32a35a392fd..70df765f795 100644 --- a/htdocs/langs/gl_ES/bills.lang +++ b/htdocs/langs/gl_ES/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convertir o recibido en exceso en desconto disponible EnterPaymentReceivedFromCustomer=Engadir pagamento recibido de cliente EnterPaymentDueToCustomer=Realizar pagamento de abonos ao cliente DisabledBecauseRemainderToPayIsZero=Desactivado xa que o resto a pagar é 0 -PriceBase=Prezo base +PriceBase=Base do prezo BillStatus=Estado da factura StatusOfGeneratedInvoices=Estado das facturas xeradas BillStatusDraft=Borrador (a validar) @@ -454,7 +454,7 @@ RegulatedOn=Pagar o ChequeNumber=Talón nº ChequeOrTransferNumber=Talón/Transferencia nº ChequeBordereau=Comprobar axenda -ChequeMaker=Transmisor Talón/Transferencia +ChequeMaker=Comprobar/Transferir remitente ChequeBank=Banco do talón CheckBank=Verificar NetToBePaid=Neto a pagar diff --git a/htdocs/langs/gl_ES/boxes.lang b/htdocs/langs/gl_ES/boxes.lang index 9ac7e2e7401..341c78a4a22 100644 --- a/htdocs/langs/gl_ES/boxes.lang +++ b/htdocs/langs/gl_ES/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Últimos %s marcadores BoxOldestExpiredServices=Servizos antigos expirados BoxLastExpiredServices=Últimos %s contratos mais antigos con servizos expirados BoxTitleLastActionsToDo=Últimas %s accións a realizar -BoxTitleLastContracts=Últimos %s contratos modificados -BoxTitleLastModifiedDonations=Últimas %s doacións/subvencións modificadas -BoxTitleLastModifiedExpenses=Últimos %s informes de gastos modificados -BoxTitleLatestModifiedBoms=Últimos %s MRP modificados -BoxTitleLatestModifiedMos=Últimos %s ordes de fabricación modificadas +BoxTitleLastContracts=Últimos %s contratos que foron modificados +BoxTitleLastModifiedDonations=Últimas %s subvencións/doazóns que foron modificadas +BoxTitleLastModifiedExpenses=Últimos %s informes de gastos que foron modificados +BoxTitleLatestModifiedBoms=Últimos %s BOMs que foron modificados +BoxTitleLatestModifiedMos=Últimas %s Ordes de Fabricación que foron modificadas BoxTitleLastOutstandingBillReached=Clientes con máximo pendente superado BoxGlobalActivity=Actividade global (facturas, orzamentos, ordes) BoxGoodCustomers=Bos clientes diff --git a/htdocs/langs/gl_ES/cashdesk.lang b/htdocs/langs/gl_ES/cashdesk.lang index 318445e1d3d..22fe23ddffa 100644 --- a/htdocs/langs/gl_ES/cashdesk.lang +++ b/htdocs/langs/gl_ES/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Piso AddTable=Agregar tabla Place=Lugar TakeposConnectorNecesary='Conector TakePOS' requerido -OrderPrinters=Impresoras de pedimentos +OrderPrinters=Engade un botón para enviar o pedimento a algunhas impresoras configuradas, sen pago (por exemplo, para enviar un pedido a unha cociña) +NotAvailableWithBrowserPrinter=Non dispoñible cando a impresora para recepción está configurada como navegador: SearchProduct=Procurar producto Receipt=Orde Header=Cabeceira @@ -56,8 +57,9 @@ Paymentnumpad=Tipo de Pad para introducir o pago. Numberspad=Teclado numérico BillsCoinsPad=Moedas e billetes de banco DolistorePosCategory=Módulos TakePOS e outras solucións POS para Dolibarr -TakeposNeedsCategories=TakePOS precisa categorías de produtos para traballar -OrderNotes=Pedimentos +TakeposNeedsCategories=TakePOS precisa polo menos unha categoría de produto para funcionar +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS precisa polo menos 1 categoría de produto da categoría %s para funcionar +OrderNotes=Pode engadir algunhas notas a cada elemento pedido CashDeskBankAccountFor=Conta por defecto a usar para cobros en NoPaimementModesDefined=Non existe modo de pago definido na configuración de TakePOS TicketVatGrouped=Agrupar por tipo de IVE nos tickets @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=A factura xa foi validada NoLinesToBill=Sen liñas a facturar CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Xestionar suplementos de produtos SupplementCategory=Supplement category ColorTheme=Cor do tema Colorful=Colorido @@ -92,7 +94,7 @@ Browser=Navegador BrowserMethodDescription=Impresión de recibos sinxela e doada. Só algúns parámetros para configurar o recibo. Imprimir mediante navegador. TakeposConnectorMethodDescription=Módulo externo con funcións adicionais. Posibilidade de imprimir desde a nube. PrintMethod=Método de impresión -ReceiptPrinterMethodDescription=Método potente con moitos parámetros. Completamente personalizable con modelos. Non se pode imprimir desde a nube. +ReceiptPrinterMethodDescription=Método potente con moitos parámetros. Completamente personalizable con modelos. O servidor que aloxa a aplicación non pode estar na Nube (debe poder alcanzar ás impresoras da súa rede). ByTerminal=Por terminal TakeposNumpadUsePaymentIcon=Usar a icona no canto do texto, nos botóns de pago do teclado numérico CashDeskRefNumberingModules=Módulo de numeración para vendas de TPV @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=A impresora de recibos do módulo debe estar h AllowDelayedPayment=Permitir o pago en débeda PrintPaymentMethodOnReceipts=Imprimir método de pago en tickets/recibos WeighingScale=Pesaxe +ShowPriceHT = Amosar o prezo sen a columna de impostos +ShowPriceHTOnReceipt = Amosar o prezo sen a columna de impostos no recibo diff --git a/htdocs/langs/gl_ES/categories.lang b/htdocs/langs/gl_ES/categories.lang index 7abe3fbe746..223db61d3ac 100644 --- a/htdocs/langs/gl_ES/categories.lang +++ b/htdocs/langs/gl_ES/categories.lang @@ -3,20 +3,20 @@ Rubrique=Etiqueta/Categoría Rubriques=Etiquetas/Categorías RubriquesTransactions=Etiquetas/Categorías de transaccións categories=etiquetas/categorías -NoCategoryYet=Ningunha etiqueta/categoría deste tipo creada +NoCategoryYet=Non foi creada ningunha etiqueta/categoría deste tipo In=En AddIn=Engadir en modify=modificar Classify=Clasificar CategoriesArea=Área Etiquetas/Categorías -ProductsCategoriesArea=Área etiquetas/categorías Produtos/Servizos -SuppliersCategoriesArea=Área etiquetas/categorías Provedores -CustomersCategoriesArea=Área etiquetas/categorías Clientes -MembersCategoriesArea=Área etiquetas/categorías Membros -ContactsCategoriesArea=Área etiquetas/categorías de Contactos -AccountsCategoriesArea=Etiquetas cuentas bancarias/Área categorías -ProjectsCategoriesArea=Área etiquetas/categorías Proxectos -UsersCategoriesArea=Área etiquetas/categorías Usuarios +ProductsCategoriesArea=Área de etiquetas/categorías de Produto/Servizo +SuppliersCategoriesArea=Área de etiquetas/categorías de Provedor +CustomersCategoriesArea=Área de etiquetas/categorías de Cliente +MembersCategoriesArea=Área de etiquetas/categorías de Membros +ContactsCategoriesArea=Área de etiquetas/categorías de Contactos +AccountsCategoriesArea=Área de etiquetas/categorías de Contas Bancarias +ProjectsCategoriesArea=Área de etiquetas/categorías de Proxectos +UsersCategoriesArea=Área de etiquetas/categorias de Usuarios SubCats=Subcategorías CatList=Listaxe de etiquetas/categorías CatListAll=Listaxe de etiquetas/categorías (todos os tipos) @@ -96,4 +96,4 @@ ChooseCategory=Escoller categoría StocksCategoriesArea=Categorías de almacén ActionCommCategoriesArea=Categorías de evento WebsitePagesCategoriesArea=Categorías de contedores de páxina -UseOrOperatorForCategories=Uso ou operador para categorías +UseOrOperatorForCategories=Use o operador "OR" para as categorías diff --git a/htdocs/langs/gl_ES/companies.lang b/htdocs/langs/gl_ES/companies.lang index 1e6ce90501d..a172066fa20 100644 --- a/htdocs/langs/gl_ES/companies.lang +++ b/htdocs/langs/gl_ES/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=O nome da empresa %s xa existe. Escolla outro. ErrorSetACountryFirst=Defina en primeiro lugar o país SelectThirdParty=Seleccionar un terceiro -ConfirmDeleteCompany=¿Está certo de querer eliminar esta empresa e toda a súa información inmanente? +ConfirmDeleteCompany=Está certo de querer eliminar esta empresa e toda a información relacionada? DeleteContact=Eliminar un contacto/enderezo -ConfirmDeleteContact=¿Está certo de querer eliminar este contacto e toda a información inmanente? +ConfirmDeleteContact=Está certo de querer eliminar este contacto e toda a información relacionada? MenuNewThirdParty=Novo terceiro MenuNewCustomer=Novo cliente MenuNewProspect=Novo cliente potencial @@ -69,7 +69,7 @@ PhoneShort=Teléfono Skype=Skype Call=Chamar Chat=Chat -PhonePro=Teléf. traballo +PhonePro=Autobús. Teléfono PhonePerso=Teléf. particular PhoneMobile=Móbil No_Email=Rexeitar e-mails masivos @@ -331,7 +331,7 @@ CustomerCodeDesc=Código cliente, único para todos os clientes SupplierCodeDesc=Código provedor, único para todos os provedores RequiredIfCustomer=Requerido se o terceiro é un cliente ou cliente potencial RequiredIfSupplier=Requerido se o terceiro é un provedor -ValidityControledByModule=Validación controlada polo módulo +ValidityControledByModule=Validez controlada polo módulo ThisIsModuleRules=Regras para este módulo. ProspectToContact=Cliente potencial a contactar CompanyDeleted=A empresa "%s" foi eliminada @@ -439,12 +439,12 @@ ListSuppliersShort=Listaxe de provedores ListProspectsShort=Listaxe de clientes potenciais ListCustomersShort=Listaxe de clientes ThirdPartiesArea=Área de Terceiros/Contactos -LastModifiedThirdParties=Últimos %s terceiros modificados -UniqueThirdParties=Total de terceiros únicos +LastModifiedThirdParties=Últimos %s Terceiros que foron modificados +UniqueThirdParties=Número total de Terceiros InActivity=Activo ActivityCeased=Pechada ThirdPartyIsClosed=O terceiro está pechado -ProductsIntoElements=Listaxe de produtos/servizos en %s +ProductsIntoElements=Listaxe de produtos/servizos mapeados a %s CurrentOutstandingBill=Risco alcanzado OutstandingBill=Importe máximo para facturas pendentes OutstandingBillReached=Importe máximo para facturas pendentes @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Código libre. Pode ser modificado en calquera momento. ManagingDirectors=Administrador(es) (CEO, director, presidente, etc.) MergeOriginThirdparty=Terceiro duplicado (terceiro a eliminar) MergeThirdparties=Fusionar terceiros -ConfirmMergeThirdparties=¿Está certo de querer fusionar este terceiro co actual? Todos os obxectos relacionados (facturas, pedimentos, ..) moveranse ao terceiro actual, e o terceiro será eliminado. +ConfirmMergeThirdparties=Está certo de querer combinar o terceiro escollido co terceiro actual? Todos os obxectos ligados (facturas, pedimentos, ...) serán movidos ao terceiro actual, despois de eliminar o terceiro escollido. ThirdpartiesMergeSuccess=Os terceiros foron fusionados SaleRepresentativeLogin=Inicio de sesión do comercial SaleRepresentativeFirstname=Nome do comercial diff --git a/htdocs/langs/gl_ES/compta.lang b/htdocs/langs/gl_ES/compta.lang index ae6b5e0ca8b..bd368ec635d 100644 --- a/htdocs/langs/gl_ES/compta.lang +++ b/htdocs/langs/gl_ES/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nova remesa NewCheckDeposit=Novo ingreso NewCheckDepositOn=Crear nova remesa na conta: %s NoWaitingChecks=Sen talóns agardando depósito -DateChequeReceived=Data recepción do talón +DateChequeReceived=Comprobe a data de recepción NbOfCheques=Nº de talóns PaySocialContribution=Pagar unha taxa social/fiscal PayVAT=Pagar liquidación de IVE diff --git a/htdocs/langs/gl_ES/ecm.lang b/htdocs/langs/gl_ES/ecm.lang index c85c97b756f..a7edfa1bfba 100644 --- a/htdocs/langs/gl_ES/ecm.lang +++ b/htdocs/langs/gl_ES/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields en ficheiros ECM ExtraFieldsEcmDirectories=Extrafields en directorios ECM ECMSetup=Configuración ECM GenerateImgWebp=Duplica todas as imaxes con outra versión con formato .webp -ConfirmGenerateImgWebp=Se confirma, xerará unha imaxe en formato .webp para todas as imaxes incluídas neste cartafol e no cartafol fillo ... +ConfirmGenerateImgWebp=Se confirma, xerará unha imaxe en formato .webp para todas as imaxes actuais deste cartafol (as subcarpetas non están incluídas) ... ConfirmImgWebpCreation=Confirmar a duplicación de todas as imaxes SucessConvertImgWebp=Imaxes duplicadas correctamente diff --git a/htdocs/langs/gl_ES/errors.lang b/htdocs/langs/gl_ES/errors.lang index 604b367d989..324b3a4bfb3 100644 --- a/htdocs/langs/gl_ES/errors.lang +++ b/htdocs/langs/gl_ES/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Sen erro, é válido # Errors ErrorButCommitIsDone=Atopáronse erros pero validamos a pesar diso -ErrorBadEMail=Correo electrónico %s incorrecto -ErrorBadMXDomain=Correo electrónico %s parece incorrecto (o dominio non ten un rexistro MX válido) -ErrorBadUrl=Url %s incorrecta +ErrorBadEMail=O correo electrónico %s é incorrecto +ErrorBadMXDomain=O correo electrónico %s parece incorrecto (O dominio non ten un rexistro MX válido) +ErrorBadUrl=URL %s é incorrecta ErrorBadValueForParamNotAString=Valor incorrecto para o seu parámetro. Xeralmente aparece cando falta a tradución ErrorRefAlreadyExists=A referencia %s xa existe ErrorLoginAlreadyExists=O login %s xa existe. @@ -46,8 +46,8 @@ ErrorWrongDate=A data non correcta! ErrorFailedToWriteInDir=Erro ao escribir no directorio %s ErrorFoundBadEmailInFile=Atopouse unha sintaxe de correo electrónico incorrecta para %s liñas no ficheiro (exemplo liña %s con correo electrónico=%s) ErrorUserCannotBeDelete=Non pode eliminarse o usuario. É posible que esté asociado a entidades do Dolibarr -ErrorFieldsRequired=Non se completaron algúns campos obrigatorios -ErrorSubjectIsRequired=O asunto do correo electrónico é obligatorio +ErrorFieldsRequired=Algúns campos obrigatorios están baleiros +ErrorSubjectIsRequired=O asunto do correo electrónico é obrigatorio ErrorFailedToCreateDir=Fallou a creación dun directorio. Comprobe que o usuario do servidor web ten permisos para escribir no directorio de documentos Dolibarr. Se o parámetro safe_mode está activado neste PHP, comprobe que os ficheiros php Dolibarr son propiedade do usuario (ou grupo) do servidor web. ErrorNoMailDefinedForThisUser=Non existe enderezo de correo electrónico asignado a este usuario ErrorSetupOfEmailsNotComplete=A configuración do correo electrónico non está rematada @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=A páxina/contedor %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Organización de eventos +EventOrganizationDescription = Organización de eventos mediante o Módulo de Proxectos +EventOrganizationDescriptionLong= Xestionar a organización de Eventos para conferencias, asistentes, relatores e asistentes, cunha páxina de subscrición pública +# +# Menu +# +EventOrganizationMenuLeft = Eventos organizados +EventOrganizationConferenceOrBoothMenuLeft = Conferencia ou Stand + +# +# Admin page +# +EventOrganizationSetup = Configuración da Organización de Eventos +Settings = Configuracións +EventOrganizationSetupPage = Páxina de configuración da Organización de Eventos +EVENTORGANIZATION_TASK_LABEL = Etiqueta de tarefas para crear automaticamente cando o proxecto é validado +EVENTORGANIZATION_TASK_LABELTooltip = Cando valida un evento organizado, pódense crear automaticamente algunhas tarefas no proxecto

Por exemplo
Enviar Chamada a Conferencia
Enviar Chamada a Stand
Recibir Chamadas para Conferencias
Recibir chamada a Stand
Abrir subscricións a eventos para os participantes
Enviar recordatorio do evento aos relatores
Enviar recordatorio do evento ao anfitrión do stand
Enviar recordatorio do evento aos asistentes +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Categoría para engadir a terceiros creada automaticamente cando alguén suxire unha conferencia +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Categoría para engadir a terceiros creada automaticamente cando suxiren un stand +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Modelo de correo electrónico para enviar despois de recibir unha suxestión dunha conferencia. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Modelo de correo electrónico para enviar despois de recibir a suxestión dun stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Modelo de correo electrónico para enviar despois de pagar unha subscrición a un stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Modelo de correo electrónico para enviar despois de pagar unha subscrición a un evento. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Modelo de correo electrónico de acción masiva para os asistentes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Modelo de correo electrónico de acción masiva para os relatores +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filtra a listaxe de selección de terceiros na tarxeta/formulario de creación de asistentes coa categoría +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filtra a listaxe de selección de terceiros na tarxeta/formulario de creación de asistentes co tipo de cliente + +# +# Object +# +EventOrganizationConfOrBooth= Conferencia ou Stand +ManageOrganizeEvent = Xestionar a organización de eventos +ConferenceOrBooth = Conferencia ou Stand +ConferenceOrBoothTab = Conferencia ou Stand +AmountOfSubscriptionPaid = Importe da subscrición paga +DateSubscription = Data de subscrición +ConferenceOrBoothAttendee = Asistente á conferencia ou stand + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = A súa solicitude para a conferencia foi recibida +YourOrganizationEventBoothRequestWasReceived = A súa solicitude para a stand foi recibida +EventOrganizationEmailAskConf = Solicitude de conferencia +EventOrganizationEmailAskBooth = Solicitude de stand +EventOrganizationEmailSubsBooth = Subscrición para stand +EventOrganizationEmailSubsEvent = Subscrición a un evento +EventOrganizationMassEmailAttendees = Comunicación aos asistentes +EventOrganizationMassEmailSpeakers = Comunicación aos relatores + +# +# Event +# +AllowUnknownPeopleSuggestConf=Permitir que persoas descoñecidas suxiran conferencias +AllowUnknownPeopleSuggestConfHelp=Permitir que persoas descoñecidas suxiran conferencias +AllowUnknownPeopleSuggestBooth=Permitir que persoas descoñecidas suxiran stand +AllowUnknownPeopleSuggestBoothHelp=Permitir que persoas descoñecidas suxiran stand +PriceOfRegistration=Prezo da inscrición +PriceOfRegistrationHelp=Prezo da inscrición +PriceOfBooth=Prezo da subscrición para estar nun stand +PriceOfBoothHelp=Prezo da subscrición para estar nun stand +EventOrganizationICSLink=Ligazón ICS para eventos +ConferenceOrBoothInformation=Información sobre conferencia ou stand +Attendees = Asistentes +EVENTORGANIZATION_SECUREKEY = Clave segura da ligazón de rexistro público a unha conferencia +# +# Status +# +EvntOrgDraft = Non validada +EvntOrgSuggested = Suxerido +EvntOrgConfirmed = Confirmado +EvntOrgNotQualified = Non cualificado +EvntOrgDone = Realizados +EvntOrgCancelled = Cancelado +# +# Public page +# +PublicAttendeeSubscriptionPage = Ligazón pública de rexistro a unha conferencia +MissingOrBadSecureKey = A clave de seguridade non é válida ou inexistente +EvntOrgWelcomeMessage = Este formulario permítelle rexistrarse como novo participante na conferencia +EvntOrgStartDuration = Esta conferencia comeza en +EvntOrgEndDuration = e remata en diff --git a/htdocs/langs/gl_ES/knowledgemanagement.lang b/htdocs/langs/gl_ES/knowledgemanagement.lang new file mode 100644 index 00000000000..3bab515906a --- /dev/null +++ b/htdocs/langs/gl_ES/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Sistema de xestión do coñecemento +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Xestionar a Xestión do Coñecemento (XC) ou Help_Desk + +# +# Admin page +# +KnowledgeManagementSetup = Configuración do Sistema de Xestión do Coñecemento +Settings = Configuracións +KnowledgeManagementSetupPage = Páxina de configuración do Sistema de Xestión do Coñecemento + + +# +# About page +# +About = Acerca de +KnowledgeManagementAbout = Sobre a Xestión do Coñécemento +KnowledgeManagementAboutPage = Páxina sobre a Xestión do Coñecemento + +# +# Sample page +# +KnowledgeManagementArea = Xestión do Coñecemento + + +# +# Menu +# +MenuKnowledgeRecord = Base de Coñecemento +ListOfArticles = Listaxe de artígos +NewKnowledgeRecord = Novo artigo +ValidateReply = Validar a solución +KnowledgeRecords = Artigos +KnowledgeRecord = Artigo +KnowledgeRecordExtraFields = Campos extras para Artigos diff --git a/htdocs/langs/gl_ES/mails.lang b/htdocs/langs/gl_ES/mails.lang index fa304de11c3..bcf8acd99eb 100644 --- a/htdocs/langs/gl_ES/mails.lang +++ b/htdocs/langs/gl_ES/mails.lang @@ -14,8 +14,8 @@ MailTo=Destinatario(s) MailToUsers=A usuario(s) MailCC=Copia a MailToCCUsers=Copia a usuario(s) -MailCCC=Axuntar copia a -MailTopic=Asunto do correo +MailCCC=Axuntar copia oculta a +MailTopic=Asunto do correo electrónico MailText=Mensaxe MailFile=Ficheiro MailMessage=Texto utilizado no corpo da mensaxe @@ -113,8 +113,8 @@ LimitSendingEmailing=Nota: o envío de mensaxes de correo electrónico desde a i TargetsReset=Vaciar listaxe ToClearAllRecipientsClickHere=Para vaciar a listaxe dos destinatarios deste mailing, faga click no botón ToAddRecipientsChooseHere=Para engadir destinatarios, escolla os que figuran nas listaxes a continuación -NbOfEMailingsReceived=ailings en masa recibidos -NbOfEMailingsSend=Milings masivos enviados +NbOfEMailingsReceived=Mailings masivos recibidos +NbOfEMailingsSend=Mailings masivos enviados IdRecord=ID rexistro DeliveryReceipt=Acuse de recibo. YouCanUseCommaSeparatorForSeveralRecipients=Pode usar o carácter de separación coma para especificar múltiples destinatarios. @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=Non hai previstas notificacións automáticas por corr ANotificationsWillBeSent=Enviarase 1 notificación automática por correo electrónico SomeNotificationsWillBeSent=As notificacións automáticas de %s enviaranse por correo electrónico AddNewNotification=Subscribirse a unha nova notificación automática por correo electrónico (destino/evento) -ListOfActiveNotifications=Lista todas as subscricións activas (obxectivos/eventos) para a notificación automática por correo electrónico -ListOfNotificationsDone=Lista todas as notificacións automáticas enviadas por correo electrónico +ListOfActiveNotifications=Listaxe de todas as subscricións activas (obxectivos/eventos) para a notificación automática por correo electrónico +ListOfNotificationsDone=Listaxe de todas as notificacións automáticas enviadas por correo electrónico MailSendSetupIs=A configuración de mailings está a '%s'. Este modo non pode ser usado para enviar mails masivos. MailSendSetupIs2=Antes debe, cunha conta de administrador, no menú %sInicio - Configuración - E-Mails%s, cambiar o parámetro '%s' para usar o modo '%s'. Con este modo pode configurar un servidor SMTP do seu provedor de servizos de internet. MailSendSetupIs3=Se ten algunha dúbida sobre como configurar o seu servidor SMTP, pode preguntar a %s. @@ -167,7 +167,7 @@ NoContactLinkedToThirdpartieWithCategoryFound=Non atopáronse contactos/enderezo OutGoingEmailSetup=Configuración de correos electrónicos saíntes InGoingEmailSetup=Configuración de correos electrónicos entrantes OutGoingEmailSetupForEmailing=Configuración do correos electrónicos saíntes (para o módulo %s) -DefaultOutgoingEmailSetup=A mesma configuración que a configuración de correos electrónicsoos saíntes predeterminados +DefaultOutgoingEmailSetup=A mesma configuración que a configuración de correos electrónicos saíntes predeterminados Information=Información ContactsWithThirdpartyFilter=Contactos con filtro de terceiros. Unanswered=Sen resposta diff --git a/htdocs/langs/gl_ES/main.lang b/htdocs/langs/gl_ES/main.lang index 8e9b9d817ff..483c9c19896 100644 --- a/htdocs/langs/gl_ES/main.lang +++ b/htdocs/langs/gl_ES/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Gardar e novo TestConnection=Probar a conexión ToClone=Copiar ConfirmCloneAsk=Estás certo de querer clonar o obxecto %s? -ConfirmClone=Escolla os datos que desexa copiar: +ConfirmClone=Escolla os datos que quere clonar NoCloneOptionsSpecified=Non hai datos definidos para copiar Of=de Go=Ir @@ -246,7 +246,7 @@ DefaultModel=Prantilla por defecto do documento Action=Acción About=Acerca de Number=Número -NumberByMonth=Número por mes +NumberByMonth=Total de informes por mes AmountByMonth=Importe por mes Numero=Número Limit=Límite @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=Usuario da creación -UserModif=Usuario da última actualización +UserAuthor=Creado por +UserModif=Actualizado por b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Por From=De FromDate=De FromLocation=De -at=a to=a To=a +ToDate=a +ToLocation=a +at=a and=e or=ou Other=Outro @@ -843,7 +845,7 @@ XMoreLines=%s líña(s) ocultas ShowMoreLines=Amosar mais/menos liñas PublicUrl=URL pública AddBox=Engadir caixa -SelectElementAndClick=Seleccione un elemento e prema %s +SelectElementAndClick=Seleccione un elemento e prema en %s PrintFile=Imprimir Ficheiro %s ShowTransaction=Amosar rexistro na conta bancaria ShowIntervention=Amosar intervención @@ -854,8 +856,8 @@ Denied=Denegada ListOf=Lista de %s ListOfTemplates=Listaxe de prantillas Gender=Sexo -Genderman=Home -Genderwoman=Muller +Genderman=Masculino +Genderwoman=Feminino Genderother=Outro ViewList=Vista de listaxe ViewGantt=Vista de Gantt @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Está certo de que quere poñer ás etiquetas dos rexis CategTypeNotFound=Non se atopou ningún tipo de etiqueta para o tipo de rexistros CopiedToClipboard=Copiado a portapapeis InformationOnLinkToContract=Este importe é só o total de todas as liñas do contrato. Non se ten en conta ningunha noción de tempo. +ConfirmCancel=Está certo de querer cancelar diff --git a/htdocs/langs/gl_ES/members.lang b/htdocs/langs/gl_ES/members.lang index a3cda215b7f..b788c8fa48a 100644 --- a/htdocs/langs/gl_ES/members.lang +++ b/htdocs/langs/gl_ES/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Outro membro (nome: %s, login: ErrorUserPermissionAllowsToLinksToItselfOnly=Por razóns de seguridade, debe posuir os dereitos de modificación de todos os usuarios para poder ligar un membro a un usuario que non sexa vostede mesmo mesmo. SetLinkToUser=Ligar a un usuario Dolibarr SetLinkToThirdParty=Ligar a un terceiro Dolibarr -MembersCards=Carnés de membros +MembersCards=Tarxetas de visita para membros MembersList=Listaxe de membros MembersListToValid=Listaxe de membros borrador (a validar) MembersListValid=Listaxe de membros validados @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Membros agardando recibir afiliación MembersWithSubscriptionToReceiveShort=Agardando afiliación DateSubscription=Data afiliación DateEndSubscription=Data fin afiliación -EndSubscription=Fin afiliación +EndSubscription=A subscripción remata SubscriptionId=ID afiliación WithoutSubscription=Sen subscrición MemberId=ID membro @@ -83,10 +83,10 @@ WelcomeEMail=E-mail SubscriptionRequired=Precisa afiliación DeleteType=Eliminar VoteAllowed=Voto autorizado -Physical=Físico -Moral=Xurídico -MorAndPhy=Xurídico e Físico -Reenable=Reactivar +Physical=Individual +Moral=Corporación +MorAndPhy=Corporación e Individual +Reenable=Voltar a habilitar ExcludeMember=Excluír un membro ConfirmExcludeMember=Está certo de querer excluír a este membro? ResiliateMember=Dar de baixa a un membro @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Estatísticas de membros por país MembersStatisticsByState=Estatísticas de membros por provincia/pais MembersStatisticsByTown=Estatísticas de membros por poboación MembersStatisticsByRegion=Estatísticas de membros por rexión -NbOfMembers=Número de membros -NbOfActiveMembers=Número de membros activos actuais +NbOfMembers=Número total de membros +NbOfActiveMembers=Número total de membros activos NoValidatedMemberYet=Ningún membro validado atopado -MembersByCountryDesc=Esta pantalla presenta unha estatística do número de membros por países. Porén, a gráfica utiliza o servizo en líña de gráficas de Google e só é operativo cando ten operativa unha conexión a Internet. -MembersByStateDesc=Esta pantalla presenta unha estatística do número de membros por paises/provincias/comunidades -MembersByTownDesc=Esta pantalla presenta unha estatística do número de membros por poboación. +MembersByCountryDesc=Esta pantalla amosa as estatísticas dos membros por países. As gráficas e os gráficos dependen da dispoñibilidade do servizo de gráficos en liña de Google, así como da dispoñibilidade dunha conexión a Internet habilitada. +MembersByStateDesc=Esta pantalla amosa estatísticas de membros por estado/provincias/comunidades. +MembersByTownDesc=Esta pantalla amosa as estatísticas dos membros por cidade. +MembersByNature=Esta pantalla amosa as estatísticas dos membros por natureza. +MembersByRegion=Esta pantalla amosa as estatísticas dos membros por rexión. MembersStatisticsDesc=Escolla as estatísticas que desexa consultar... MenuMembersStats=Estatísticas -LastMemberDate=Última data de membro +LastMemberDate=Última data de adhesión LatestSubscriptionDate=Data da última cotización MemberNature=Natureza do membro MembersNature=Natureza dos membros -Public=Información pública +Public=A información é pública NewMemberbyWeb=Novo membro engadido. Agardando validación NewMemberForm=Novo formulario de membro -SubscriptionsStatistics=Estatísticas de cotizacións +SubscriptionsStatistics=Estatísticas de subscrición NbOfSubscriptions=Número de cotizacións -AmountOfSubscriptions=Importe de cotizacións +AmountOfSubscriptions=Importe recollido coas subscricións TurnoverOrBudget=Volumen de vendas (para empresa) ou Orzamento (para Fundación) DefaultAmount=Importe por defecto da afiliación CanEditAmount=O visitante pode escoller/modificar o importe da súa cotización MEMBER_NEWFORM_PAYONLINE=Ir á páxina integrada de pagamento en liña ByProperties=Por natureza MembersStatisticsByProperties=Estatísticas dos membros por natureza -MembersByNature=Esta pantalla presenta unha estatística do número de membros por natureza. -MembersByRegion=Esta pantalla presenta unha estatística do número de membros por rexión VATToUseForSubscriptions=Tasa de IVE para as afiliacións NoVatOnSubscription=Sen IVE para nas afiliacións ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produto usado para as afiliacións en liña nas facturas: %s diff --git a/htdocs/langs/gl_ES/modulebuilder.lang b/htdocs/langs/gl_ES/modulebuilder.lang index ffc915782df..4ecc68c127b 100644 --- a/htdocs/langs/gl_ES/modulebuilder.lang +++ b/htdocs/langs/gl_ES/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=Listaxe de permisos definidos SeeExamples=Ver exemplos aquí EnabledDesc=Condición para ter activo este campo (Exemplos: 1 ou $ conf-> global-> MYMODULE_MYOPTION) VisibleDesc=¿É visible o campo? (Exemplos: 0= Nunca visible, 1= Visible na lista e crear/actualizar/ver formularios, 2= Visible só na lista, 3= Visible só na forma de crear/actualizar/ver (non lista), 4= Visible na lista e actualizar/ver formulario só (non crear), 5= Visible só no formulario de visualización final da lista (non crear, non actualizar).

Usar un valor negativo significa que o campo non se amosa por defecto na lista, pero pódese seleccionar para ver).

Pode ser unha expresión, por exemplo:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])?0:1
($ usuario-> dereitos->vacacións->definir_ vacacións?1:0) -DisplayOnPdfDesc=Amosar este campo en documentos PDF compatibles, pode xestionar a posición co campo "Posición".
Actualmente, os modelos de PDF compatibles coñecidos son: eratosthene (pedimento), espadon (envío), sponge (facturas), cian ( orzamento), cornas (pedimento a provedor)

Para documento:
0= non amosado
1= visualización
2= visualización só se non está baleiro

Para liñas de documento:
0= non amosado
1= amosado nunha columna
3= amosado en liña columna de descrición despois da descrición
4= amosar na columna de descrición despois da descrición só se non está baleira +DisplayOnPdfDesc=Amosar este campo en documentos PDF compatibles, pode xestionar a posición co campo "Posición".
Actualmente, os modelos PDF compatibles coñecidos son: eratosteno (pedimento), espadón (envío), sponge (facturas), cian (orzamentos), cornas (pedimento a provedor)

Paara o documento:
0= non amosado
1=amosar
2= amosar só se non está baleiro

Para as liñas do documento
0= non amosado
1=amosar nunha columna
3=amosar na liña da columna de descrición despois da descrición
4= amosar na columna de descrición só despois da descrición se non está baleira DisplayOnPdf=Amosar en PDF IsAMeasureDesc=¿Pódese acumular o valor do campo para obter un total na lista? (Exemplos: 1 ou 0) SearchAllDesc=¿O campo utilízase para facer unha procura desde a ferramenta de busca rápida? (Exemplos: 1 ou 0) diff --git a/htdocs/langs/gl_ES/other.lang b/htdocs/langs/gl_ES/other.lang index 295fc5bd4ba..37ad4e8992b 100644 --- a/htdocs/langs/gl_ES/other.lang +++ b/htdocs/langs/gl_ES/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Instalar ou habilitar a biblioteca GD na súa instalación d ProfIdShortDesc= Id. Profesional% s é unha información que depende dun país de terceiros.
Por exemplo, para o país % s , é o código % s . DolibarrDemo=Demo de Dolibarr ERP/CRM StatsByNumberOfUnits=Estatísticas para suma de unidades de produto/servizo -StatsByNumberOfEntities=Estatísticas en número de identidades referentes (nº de facturas o pedimentos...) +StatsByNumberOfEntities=Estatísticas do número de entidades de referencia (num de facturas, ou pedimentos ...) NumberOfProposals=Número de pedimentos NumberOfCustomerOrders=Número de pedimentos de clientes NumberOfCustomerInvoices=Número de facturas a clientes @@ -289,4 +289,4 @@ PopuProp=Produtos/Servizos por popularidade en Orzamentos PopuCom=Produtos/Servizos por popularidade e Pedimentos ProductStatistics=Estatísticas de Produtos/Servizos NbOfQtyInOrders=Cantidade en pedimentos -SelectTheTypeOfObjectToAnalyze=Seleccione o tipo de obxecto a nalizar... +SelectTheTypeOfObjectToAnalyze=Seleccione un obxecto para ver as súas estatísticas ... diff --git a/htdocs/langs/gl_ES/partnership.lang b/htdocs/langs/gl_ES/partnership.lang new file mode 100644 index 00000000000..7aab0c8c018 --- /dev/null +++ b/htdocs/langs/gl_ES/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Xestión de Asociacións +PartnershipDescription = Módulo de xestión de Asociacións +PartnershipDescriptionLong= Módulo de xestión de Asociacións + +# +# Menu +# +NewPartnership = Nova Asociación +ListOfPartnerships = Listaxe de Asociacións + +# +# Admin page +# +PartnershipSetup = Configuración de Asociación +PartnershipAbout = Sobre Asociación +PartnershipAboutPage = Sobre a páxina de Asociación + + +# +# Object +# +DatePartnershipStart=Data inicio +DatePartnershipEnd=Data finalización + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Non validada +PartnershipAccepted = Aceptado +PartnershipRefused = Rexeitado +PartnershipCanceled = Anulado + +PartnershipManagedFor=Os socios son diff --git a/htdocs/langs/gl_ES/productbatch.lang b/htdocs/langs/gl_ES/productbatch.lang index 73b91172fde..a3a113330c9 100644 --- a/htdocs/langs/gl_ES/productbatch.lang +++ b/htdocs/langs/gl_ES/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=O número de serie %s xa é usado para o produto %s TooManyQtyForSerialNumber=Só pode ter un produto %s para o número de serie %s BatchLotNumberingModules=Opcións para a xeración automática de lotes de produtos xestionados por lotes BatchSerialNumberingModules=Opcións para a xeración automática de lotes de produtos xestionados por números de serie +ManageLotMask=Máscara personalizada CustomMasks=Engada unha opción para definir a máscara na tarxeta do produto LotProductTooltip=Engada unha opción na tarxeta do produto para definir unha máscara de número de lote dedicada SNProductTooltip=Engada unha opción na tarxeta do produto para definir unha máscara de número de serie dedicada QtyToAddAfterBarcodeScan=Cant. a engadir por cada código de barras/lote/serie escaneado - diff --git a/htdocs/langs/gl_ES/products.lang b/htdocs/langs/gl_ES/products.lang index daae06a5d63..eaad382a5cc 100644 --- a/htdocs/langs/gl_ES/products.lang +++ b/htdocs/langs/gl_ES/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Servizos só á venda ServicesOnPurchaseOnly=Servizos só en compra ServicesNotOnSell=Servizos fora de venda e de compra ServicesOnSellAndOnBuy=Servizos á venda mais en compra -LastModifiedProductsAndServices=Últimos %s produtos/servizos modificados +LastModifiedProductsAndServices=Listaxe %s de produtos/servizos que foron modificados LastRecordedProducts=Últimos %s produtos rexistrados LastRecordedServices=Últimos %s servizos rexistrados CardProduct0=Ficha produto @@ -73,12 +73,12 @@ SellingPrice=Prezo de venda SellingPriceHT=Prezo de venda sen IVE SellingPriceTTC=Prezo de venda con IVE SellingMinPriceTTC=Prezo mínimo de venda (IVE incluido) -CostPriceDescription=Este campo de prezo (sen impostos) pode usarse para almacenar o importe medio que este produto custa á súa empresa. Pode ser calquera prezo que calcule vostede mesmo, por exemplo a partir do prezo medio de compra máis o custo medio de produción e distribución. +CostPriceDescription=Este campo de prezo (sen impostos) pode usarse para capturar o importe medio de custo deste produto para a súa empresa. Pode ser calquera prezo que calcule vostede mesmo, por exemplo, a partir do prezo medio de compra máis o custo medio de produción e distribución. CostPriceUsage=Este valor podería usarse para o cálculo de marxes SoldAmount=Importe vendas PurchasedAmount=Importe compras NewPrice=Novo prezo -MinPrice=Prezo de venda mín. +MinPrice=Prezo de venda mímino EditSellingPriceLabel=Editar etiqueta prezo de venda CantBeLessThanMinPrice=O prezo de venda non pode ser inferior ao mínimo permitido para este produto (%s sen impostos). Esta mensaxe tamén pode aparecer se escribe un desconto demasiado alto. ContractStatusClosed=Pechado @@ -157,11 +157,11 @@ ListServiceByPopularity=Listaxe de servizos por popularidade Finished=Produto manufacturado RowMaterial=Materia prima ConfirmCloneProduct=¿Está certo de querer clonar o produto ou servizo %s? -CloneContentProduct=Clonar a información principal do produto/servizo +CloneContentProduct=Clonar toda a información principal de produtos/servizos ClonePricesProduct=Clonar prezos CloneCategoriesProduct=Clonar etiquetas/categorías ligadas -CloneCompositionProduct=Clonar produto/servizo virtual -CloneCombinationsProduct=Clonar variantes de produto +CloneCompositionProduct=Clonar produtos/servizos virtuais +CloneCombinationsProduct=Clonar as variantes de produtos ProductIsUsed=Este produto é utilizado NewRefForClone=Ref. do novo produto/servizo SellingPrices=Prezos de venda @@ -172,8 +172,8 @@ SuppliersPricesOfProductsOrServices=Prezos de provedores (de produtos ou servizo CustomCode=Aduana/Mercadoría/Código HS CountryOrigin=País de orixe RegionStateOrigin=Rexión de orixe -StateOrigin=Estado|Provincia de orixe -Nature=Natureza do produto (material/manufacturado) +StateOrigin=Estado/Provincia de orixe +Nature=Natureza do produto (materia prima/manufacturado) NatureOfProductShort=Natureza do produto NatureOfProductDesc=Materia prima ou produto manufacturado ShortLabel=Etiqueta curta diff --git a/htdocs/langs/gl_ES/projects.lang b/htdocs/langs/gl_ES/projects.lang index 3a9604e685c..46f8fe51657 100644 --- a/htdocs/langs/gl_ES/projects.lang +++ b/htdocs/langs/gl_ES/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Contactos proxecto ProjectsImContactFor=Proxectos dos que son contacto explícito AllAllowedProjects=Todos os proxectos que podo ler (meus + públicos) AllProjects=Todos os proxectos -MyProjectsDesc=Esta vista está limitada a aqueles proxectos dos que é un contacto +MyProjectsDesc=Esta vista está limitada a proxectos dos que é contacto ProjectsPublicDesc=Esta vista amosa todos os proxectos dos que ten dereito a visualizar. TasksOnProjectsPublicDesc=Esta vista amosa todos os proxectos dos que ten dereito a visualizar. ProjectsPublicTaskDesc=Esta vista amosa todos os proxectos e tarefas dos que ten dereito a visualizar. ProjectsDesc=Esta vista amosa todos os proxectos (os seus permisos de usuario permítenlle ter unha visión completa). TasksOnProjectsDesc=Esta vista amosa todos as tarefas (os seus permisos de usuario permítenlle ter unha visión completa). -MyTasksDesc=Esta vista limítase aos proxectos ou tarefas nos que vostede é un contacto nelas +MyTasksDesc=Esta vista está limitada a proxectos ou tarefas dos que é contacto OnlyOpenedProject=Só os proxectos abertos son visibles (os proxectos en estado borrador ou pechado non son visibles). ClosedProjectsAreHidden=Os proxectos pechados non son visibles. TasksPublicDesc=Esta vista amosa todos os proxectos e tarefas nos que vostede ten dereito a visualizar. TasksDesc=Esta vista amosa todos os proxectos e tarefas (os seus permisos de usuario permítenlle ter unha visión completa). AllTaskVisibleButEditIfYouAreAssigned=Todas as tarefas deste proxecto son visibles, pero só pode indicar tempos nas tarefas que teña asignadas. Asígnese tarefas se desexa indicar tempos nelas. -OnlyYourTaskAreVisible=Só as tarefas que ten asignadas son visibles. Asignese tarefas se non son visibles e desexa indicar tempos nelas. +OnlyYourTaskAreVisible=Só son visibles as tarefas asignadas a vostede. Se precisa introducir tempo nunha tarefa e se a tarefa non é visible aquí, entón debe asignar a tarefa a si mesmo. ImportDatasetTasks=Tarefas de proxectos ProjectCategories=Etiquetas/categorías de proxectos NewProject=Novo proxecto @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Non asignado á tarefa NoUserAssignedToTheProject=Ningún usuario asignado a este proxecto TimeSpentBy=Tempo empregado por TasksAssignedTo=Tarefas asignadas a -AssignTaskToMe=Asignarme a tarefa +AssignTaskToMe=Asignar a tarefa a si mesmo AssignTaskToUser=Asignar a tarefa a %s SelectTaskToAssign=Escolla tarefa a asignar... AssignTask=Asignar diff --git a/htdocs/langs/gl_ES/recruitment.lang b/htdocs/langs/gl_ES/recruitment.lang index f247bc5bd29..3d078bf5aab 100644 --- a/htdocs/langs/gl_ES/recruitment.lang +++ b/htdocs/langs/gl_ES/recruitment.lang @@ -29,25 +29,25 @@ RecruitmentSetup = Configuración da contratación Settings = Configuracións RecruitmentSetupPage = Introduza aquí a configuración das principais opcións para o módulo de contratación RecruitmentArea=Área de contratación -PublicInterfaceRecruitmentDesc=As páxinas públicas dos traballos son URL públicas para mostrar e responder aos traballos dispoñibles. Hai un enlace diferente para cada traballo dispoñible, que se atopa en cada rexistro de traballo. +PublicInterfaceRecruitmentDesc=As páxinas públicas dos postos de traballo son URL públicas para mostrar e responder aos traballos dispoñibles. Hai un enlace diferente para cada traballo dispoñible, que se atopa en cada rexistro de traballo. EnablePublicRecruitmentPages=Activar páxinas públicas de traballos dispoñibles # # About page # -About = page +About = Acerca de RecruitmentAbout = Acerca de contratación RecruitmentAboutPage = Páxina acerca de contratación -NbOfEmployeesExpected=Número esperado de empregados +NbOfEmployeesExpected=Número solicitado de empregados JobLabel=Etiqueta de posto de traballo WorkPlace=Lugar de traballo -DateExpected=Data agardado -FutureManager=Xestor de futuro +DateExpected=Data agardada +FutureManager=Futuro xestor ResponsibleOfRecruitement=Responsable da contratación -IfJobIsLocatedAtAPartner=Se o traballo está situado nun lugar asociado +IfJobIsLocatedAtAPartner=Se o traballo está situado no emplazamento dun asociado PositionToBeFilled=Posto de traballo -PositionsToBeFilled=Listaxe de postos de traballo -ListOfPositionsToBeFilled=List of job positions +PositionsToBeFilled=Postos de traballo +ListOfPositionsToBeFilled=Listaxe de postos de traballo NewPositionToBeFilled=Novos postos de traballo JobOfferToBeFilled=Posto de traballo a ocupar @@ -55,22 +55,22 @@ ThisIsInformationOnJobPosition=Información do posto de traballo a ocupar ContactForRecruitment=Contacto para a contratación EmailRecruiter=Correo electrónico do responsable de contratación ToUseAGenericEmail=Para usar un correo electrónico xenérico. Se non se define, utilizarase o correo electrónico do responsable de contratación -NewCandidature=Nova aplicación -ListOfCandidatures=Listaxe de aplicacións +NewCandidature=Nova candidatura +ListOfCandidatures=Listaxe de candidaturas RequestedRemuneration=Remuneración solicitada ProposedRemuneration=Proposta de remuneración -ContractProposed=Poroposta de contrato +ContractProposed=Proposta de contrato ContractSigned=Contrato asinado ContractRefused=Rexeitouse o contrato -RecruitmentCandidature=Solicitude +RecruitmentCandidature=Candidatura JobPositions=Postos de traballo -RecruitmentCandidatures=Solicitudes +RecruitmentCandidatures=Candidaturas InterviewToDo=Entrevista a realizar AnswerCandidature=Resposta da solicitude -YourCandidature=A súa solicitude -YourCandidatureAnswerMessage=Grazas pola túa solicitude.
... -JobClosedTextCandidateFound=O posto de traballo está pechado. O posto foi cuberto. +YourCandidature=A súa candidatura +YourCandidatureAnswerMessage=Grazas pola súa candidatura.
... +JobClosedTextCandidateFound=O posto de traballo está pechado, xa foi cuberto. JobClosedTextCanceled=O posto de traballo está pechado ExtrafieldsJobPosition=Atributos complementarios (postos de traballo) -ExtrafieldsCandidatures=Atributos complementarios (solicitudes de traballo) +ExtrafieldsApplication=Atributos complementarios (candidaturas) MakeOffer=Facer unha oferta diff --git a/htdocs/langs/gl_ES/sendings.lang b/htdocs/langs/gl_ES/sendings.lang index 99d7be5b352..e292877fd5d 100644 --- a/htdocs/langs/gl_ES/sendings.lang +++ b/htdocs/langs/gl_ES/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=¿Está certo de querer validar esta expedición coa refe ConfirmCancelSending=¿Está certo de querer anular esta expedición? DocumentModelMerou=Modelo Merou A5 WarningNoQtyLeftToSend=Alerta, ningún produto agardando para ser enviado. -StatsOnShipmentsOnlyValidated=Estatísticas realizadas únicamente sobre as expedicións validadas +StatsOnShipmentsOnlyValidated=As estatísticas son só para envíos validados. A data utilizada é a data de validación do envío (non sempre é coñecida a data de entrega prevista) DateDeliveryPlanned=Data prevista de entrega RefDeliveryReceipt=Ref. nota de entrega StatusReceipt=Estado nota de entrega diff --git a/htdocs/langs/gl_ES/stocks.lang b/htdocs/langs/gl_ES/stocks.lang index bde18dd1aa5..419b706614f 100644 --- a/htdocs/langs/gl_ES/stocks.lang +++ b/htdocs/langs/gl_ES/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Non hai produtos predefinidos para este obxecto. P DispatchVerb=Enviado StockLimitShort=Límite para alerta StockLimit=Stock límite para alertas -StockLimitDesc=(baleiro) significa que non hai aviso.
0 pode usarse como aviso en canto o stock estexa baleiro. +StockLimitDesc=(baleiro) sgnifica que non hai aviso de alerta.
0 pode usarse para activar un aviso no momento que o stock estea baleiro. PhysicalStock=Stock físico RealStock=Stock real RealStockDesc=O stock físico/real é o stock actualmente existente nos almacéns diff --git a/htdocs/langs/gl_ES/trips.lang b/htdocs/langs/gl_ES/trips.lang index 98087e25679..0cc9aa1f4b9 100644 --- a/htdocs/langs/gl_ES/trips.lang +++ b/htdocs/langs/gl_ES/trips.lang @@ -21,7 +21,7 @@ ListToApprove=Agardando aprobación ExpensesArea=Área de informe de gastos ClassifyRefunded=Clasificar 'Reembolsado' ExpenseReportWaitingForApproval=Foi enviado un novo informe de gasto para ser aprobado -ExpenseReportWaitingForApprovalMessage=Foi enviado un novo ginforme de asto e está agardando para ser aprobado.
- Usuario: %s
- Periodo. %s
Faga clic aquí para validalo: %s +ExpenseReportWaitingForApprovalMessage=Foi enviado un novo informe de gasto e está agardando para ser aprobado.
- Usuario: %s
- Periodo. %s
Faga clic aquí para validalo: %s ExpenseReportWaitingForReApproval=Foi enviado un novo informe de gasto para aprobalo de novo ExpenseReportWaitingForReApprovalMessage=Foi enviado un novo informe de gasto e está agardando para ser aprobado de novo.
O %s, rexeitou a súa aprobación por esta razón: %s
Foi proposta unha nova versión e agarda a súa aprobación.
- Usuario: %s
- Periodo. %s
Faga clic aquí para validalo: %s ExpenseReportApproved=Un novo informe de gasto foi aprobado @@ -33,7 +33,7 @@ ExpenseReportCanceledMessage=O informe de gasto %s foi cancelado.
- Usuario: ExpenseReportPaid=Un informe de gasto foi pagado ExpenseReportPaidMessage=O informe de gasto %s foi pagado.
- Usuario: %s
- Pagado por: %s
Faga clic aquí ver o gasto: %s TripId=Id de informe de gasto -AnyOtherInThisListCanValidate=Persoa a informar para a validación +AnyOtherInThisListCanValidate=Persoa que será informada para validar a solicitude. TripSociete=Información da empresa TripNDF=Información do informe de gasto PDFStandardExpenseReports=Prantilla estandard para xerar un documento de informe de gasto diff --git a/htdocs/langs/gl_ES/users.lang b/htdocs/langs/gl_ES/users.lang index 908619e45e0..e36d65af255 100644 --- a/htdocs/langs/gl_ES/users.lang +++ b/htdocs/langs/gl_ES/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Contrasinal modificado para: %s SubjectNewPassword=O seu novo contrasinal para %s GroupRights=Permisos de grupo UserRights=Permisos usuario +Credentials=Credenciais UserGUISetup=Interfaz usuario DisableUser=Desactivar DisableAUser=Desactivar un usuario @@ -105,7 +106,7 @@ UseTypeFieldToChange=Modificar o campo Tipo para cambiar OpenIDURL=URL OpenID LoginUsingOpenID=Usar OpenID para iniciar sesión WeeklyHours=Horas traballadas (por semana) -ExpectedWorkedHours=Horas previstas por semana +ExpectedWorkedHours=Horas previstas traballadas á semana ColorUser=Cor para o usuario DisabledInMonoUserMode=Desactivado en modo mantemento UserAccountancyCode=Código contable usuario @@ -115,7 +116,7 @@ DateOfEmployment=Data de contratación empregado DateEmployment=Contratación empregado DateEmploymentstart=Data de comezo da contratación do empregado DateEmploymentEnd=Data de baixa do empregado -RangeOfLoginValidity=Rango de data de validez do inicio de sesión +RangeOfLoginValidity=Intervalo de datas de validez no acceso CantDisableYourself=Pode desactivar o seu propio rexistro de usuario ForceUserExpenseValidator=Forzar validación do informe de gasto ForceUserHolidayValidator=Forzar validación do rexeitamento do gasto diff --git a/htdocs/langs/gl_ES/website.lang b/htdocs/langs/gl_ES/website.lang index 6c78521e7b5..c93e34b7057 100644 --- a/htdocs/langs/gl_ES/website.lang +++ b/htdocs/langs/gl_ES/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define a listaxe de todos os idiomas GenerateSitemaps=Xera un ficheiro de mapa do sitio web ConfirmGenerateSitemaps=Se confirmas, borrará o ficheiro de mapa do sitio existente ... ConfirmSitemapsCreation=Confirma a xeración do mapa do sitio -SitemapGenerated=Mapa do sitio xerado +SitemapGenerated=Ficheiro co Mapa do Sitio %s xerado ImportFavicon=Favicon ErrorFaviconType=A favicon debe estar no formato png -ErrorFaviconSize=A favicon debe ter o tamaño 32x32 -FaviconTooltip=Cargue unha imaxe en formato png de 32x32 +ErrorFaviconSize=O favicon ten que ser dun tamaño de 16x16, 32x32 ou 64x64 +FaviconTooltip=Carga unha imaxe que precisa ser png (16x16, 32x32 ou 64x64) diff --git a/htdocs/langs/he_IL/accountancy.lang b/htdocs/langs/he_IL/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/he_IL/accountancy.lang +++ b/htdocs/langs/he_IL/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/he_IL/admin.lang b/htdocs/langs/he_IL/admin.lang index 32374680393..35a72174d39 100644 --- a/htdocs/langs/he_IL/admin.lang +++ b/htdocs/langs/he_IL/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=הגדרת אבטחה PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=שגיאה, מודול זה דורש %s PHP גירסה ומעלה ErrorModuleRequireDolibarrVersion=שגיאה, מודול זה דורש %s Dolibarr גרסה ומעלה @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=לא מציע NoActiveBankAccountDefined=אין לך חשבון בנק פעיל מוגדר OwnerOfBankAccount=הבעלים של %s חשבון הבנק BankModuleNotActive=חשבונות בנק המודול לא מופעל -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=התראות DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=עליך להפעיל את הפ YourPHPDoesNotHaveSSLSupport=פונקציות שאינן זמינות ב-SSL-PHP DownloadMoreSkins=עוד סקינים להורדה SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=תרגום חלקי @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/he_IL/banks.lang b/htdocs/langs/he_IL/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/he_IL/banks.lang +++ b/htdocs/langs/he_IL/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/he_IL/bills.lang b/htdocs/langs/he_IL/bills.lang index 7652c9c8301..6eda2980f9d 100644 --- a/htdocs/langs/he_IL/bills.lang +++ b/htdocs/langs/he_IL/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/he_IL/boxes.lang b/htdocs/langs/he_IL/boxes.lang index 7c4f6c06dc8..2b95bd27634 100644 --- a/htdocs/langs/he_IL/boxes.lang +++ b/htdocs/langs/he_IL/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/he_IL/cashdesk.lang b/htdocs/langs/he_IL/cashdesk.lang index ddc13c48ea3..cac3bd4a977 100644 --- a/htdocs/langs/he_IL/cashdesk.lang +++ b/htdocs/langs/he_IL/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/he_IL/categories.lang b/htdocs/langs/he_IL/categories.lang index a5d458690e2..0205705276c 100644 --- a/htdocs/langs/he_IL/categories.lang +++ b/htdocs/langs/he_IL/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/he_IL/companies.lang b/htdocs/langs/he_IL/companies.lang index 67d1824c77c..02965ab00fa 100644 --- a/htdocs/langs/he_IL/companies.lang +++ b/htdocs/langs/he_IL/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/he_IL/compta.lang b/htdocs/langs/he_IL/compta.lang index 11fdc1b46fc..e139d48ecff 100644 --- a/htdocs/langs/he_IL/compta.lang +++ b/htdocs/langs/he_IL/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/he_IL/ecm.lang b/htdocs/langs/he_IL/ecm.lang index f7c6c005d5b..363f84f5cd1 100644 --- a/htdocs/langs/he_IL/ecm.lang +++ b/htdocs/langs/he_IL/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/he_IL/errors.lang b/htdocs/langs/he_IL/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/he_IL/errors.lang +++ b/htdocs/langs/he_IL/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/he_IL/knowledgemanagement.lang b/htdocs/langs/he_IL/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/he_IL/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/he_IL/mails.lang b/htdocs/langs/he_IL/mails.lang index 8e5376e51f9..ae443d41524 100644 --- a/htdocs/langs/he_IL/mails.lang +++ b/htdocs/langs/he_IL/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/he_IL/main.lang b/htdocs/langs/he_IL/main.lang index fad1276c2e6..059b7dff74b 100644 --- a/htdocs/langs/he_IL/main.lang +++ b/htdocs/langs/he_IL/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=אחר @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=אחר ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/he_IL/members.lang b/htdocs/langs/he_IL/members.lang index bd46c1c1a51..ee6e7eb56e9 100644 --- a/htdocs/langs/he_IL/members.lang +++ b/htdocs/langs/he_IL/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/he_IL/modulebuilder.lang b/htdocs/langs/he_IL/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/he_IL/modulebuilder.lang +++ b/htdocs/langs/he_IL/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/he_IL/other.lang b/htdocs/langs/he_IL/other.lang index 6928a0fc65e..00bb942376f 100644 --- a/htdocs/langs/he_IL/other.lang +++ b/htdocs/langs/he_IL/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/he_IL/partnership.lang b/htdocs/langs/he_IL/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/he_IL/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/he_IL/productbatch.lang b/htdocs/langs/he_IL/productbatch.lang index 4f0e21fcc0e..dee07e65a9f 100644 --- a/htdocs/langs/he_IL/productbatch.lang +++ b/htdocs/langs/he_IL/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/he_IL/products.lang b/htdocs/langs/he_IL/products.lang index f399b0e7852..943d53a253c 100644 --- a/htdocs/langs/he_IL/products.lang +++ b/htdocs/langs/he_IL/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/he_IL/projects.lang b/htdocs/langs/he_IL/projects.lang index c0cc539e828..d513bf8c6a8 100644 --- a/htdocs/langs/he_IL/projects.lang +++ b/htdocs/langs/he_IL/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/he_IL/recruitment.lang b/htdocs/langs/he_IL/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/he_IL/recruitment.lang +++ b/htdocs/langs/he_IL/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/he_IL/sendings.lang b/htdocs/langs/he_IL/sendings.lang index 17d8f937b82..e58be92fb38 100644 --- a/htdocs/langs/he_IL/sendings.lang +++ b/htdocs/langs/he_IL/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/he_IL/stocks.lang b/htdocs/langs/he_IL/stocks.lang index 3c1991530bf..ff391169159 100644 --- a/htdocs/langs/he_IL/stocks.lang +++ b/htdocs/langs/he_IL/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/he_IL/users.lang b/htdocs/langs/he_IL/users.lang index a313f6fb6c9..9507cb1b919 100644 --- a/htdocs/langs/he_IL/users.lang +++ b/htdocs/langs/he_IL/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/he_IL/website.lang b/htdocs/langs/he_IL/website.lang index 934d7bdb850..62a37b65b60 100644 --- a/htdocs/langs/he_IL/website.lang +++ b/htdocs/langs/he_IL/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/hi_IN/accountancy.lang b/htdocs/langs/hi_IN/accountancy.lang index fd8d8a31ba6..a1f495e3e97 100644 --- a/htdocs/langs/hi_IN/accountancy.lang +++ b/htdocs/langs/hi_IN/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/hi_IN/admin.lang b/htdocs/langs/hi_IN/admin.lang index 51e5e387403..04e6488ded4 100644 --- a/htdocs/langs/hi_IN/admin.lang +++ b/htdocs/langs/hi_IN/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/hi_IN/banks.lang b/htdocs/langs/hi_IN/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/hi_IN/banks.lang +++ b/htdocs/langs/hi_IN/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/hi_IN/bills.lang b/htdocs/langs/hi_IN/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/hi_IN/bills.lang +++ b/htdocs/langs/hi_IN/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/hi_IN/boxes.lang b/htdocs/langs/hi_IN/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/hi_IN/boxes.lang +++ b/htdocs/langs/hi_IN/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/hi_IN/cashdesk.lang b/htdocs/langs/hi_IN/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/hi_IN/cashdesk.lang +++ b/htdocs/langs/hi_IN/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/hi_IN/categories.lang b/htdocs/langs/hi_IN/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/hi_IN/categories.lang +++ b/htdocs/langs/hi_IN/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/hi_IN/companies.lang b/htdocs/langs/hi_IN/companies.lang index eb559cc5f9e..2c0bf33d319 100644 --- a/htdocs/langs/hi_IN/companies.lang +++ b/htdocs/langs/hi_IN/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/hi_IN/compta.lang b/htdocs/langs/hi_IN/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/hi_IN/compta.lang +++ b/htdocs/langs/hi_IN/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/hi_IN/ecm.lang b/htdocs/langs/hi_IN/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/hi_IN/ecm.lang +++ b/htdocs/langs/hi_IN/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/hi_IN/errors.lang b/htdocs/langs/hi_IN/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/hi_IN/errors.lang +++ b/htdocs/langs/hi_IN/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/hi_IN/knowledgemanagement.lang b/htdocs/langs/hi_IN/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/hi_IN/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/hi_IN/mails.lang b/htdocs/langs/hi_IN/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/hi_IN/mails.lang +++ b/htdocs/langs/hi_IN/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/hi_IN/main.lang b/htdocs/langs/hi_IN/main.lang index 295f37e2c16..e9de548ea2c 100644 --- a/htdocs/langs/hi_IN/main.lang +++ b/htdocs/langs/hi_IN/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/hi_IN/members.lang b/htdocs/langs/hi_IN/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/hi_IN/members.lang +++ b/htdocs/langs/hi_IN/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/hi_IN/modulebuilder.lang b/htdocs/langs/hi_IN/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/hi_IN/modulebuilder.lang +++ b/htdocs/langs/hi_IN/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/hi_IN/other.lang b/htdocs/langs/hi_IN/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/hi_IN/other.lang +++ b/htdocs/langs/hi_IN/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/hi_IN/partnership.lang b/htdocs/langs/hi_IN/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/hi_IN/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/hi_IN/productbatch.lang b/htdocs/langs/hi_IN/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/hi_IN/productbatch.lang +++ b/htdocs/langs/hi_IN/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/hi_IN/products.lang b/htdocs/langs/hi_IN/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/hi_IN/products.lang +++ b/htdocs/langs/hi_IN/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/hi_IN/projects.lang b/htdocs/langs/hi_IN/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/hi_IN/projects.lang +++ b/htdocs/langs/hi_IN/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/hi_IN/recruitment.lang b/htdocs/langs/hi_IN/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/hi_IN/recruitment.lang +++ b/htdocs/langs/hi_IN/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/hi_IN/sendings.lang b/htdocs/langs/hi_IN/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/hi_IN/sendings.lang +++ b/htdocs/langs/hi_IN/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/hi_IN/stocks.lang b/htdocs/langs/hi_IN/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/hi_IN/stocks.lang +++ b/htdocs/langs/hi_IN/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/hi_IN/users.lang b/htdocs/langs/hi_IN/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/hi_IN/users.lang +++ b/htdocs/langs/hi_IN/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/hi_IN/website.lang b/htdocs/langs/hi_IN/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/hi_IN/website.lang +++ b/htdocs/langs/hi_IN/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/hr_HR/accountancy.lang b/htdocs/langs/hr_HR/accountancy.lang index 7d4d1ccfde6..32e9993478e 100644 --- a/htdocs/langs/hr_HR/accountancy.lang +++ b/htdocs/langs/hr_HR/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Oznaka računa LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/hr_HR/admin.lang b/htdocs/langs/hr_HR/admin.lang index 9ca8d8e1a08..90d6cb47353 100644 --- a/htdocs/langs/hr_HR/admin.lang +++ b/htdocs/langs/hr_HR/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Postavke sigurnosti PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Ovdje definirajte opcije vezane za sigurnost kod uploada datoteka. ErrorModuleRequirePHPVersion=Greška, ovaj modul zahtjeva PHP verziju %s ili višu ErrorModuleRequireDolibarrVersion=Greška, ovaj modul zahtjeva Dolibarr verzije %s ili više @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Nije za preporuku NoActiveBankAccountDefined=Nije postavljen aktivni bankovni račun OwnerOfBankAccount=Vlasnik bankovnog računa %s BankModuleNotActive=Modul bankovnih računa nije omogućen -ShowBugTrackLink=Prikaži poveznicu "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Obavijesti DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL funkcije nisu dostupne u vašem PHP DownloadMoreSkins=Više skinova za skinuti SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Parcijalni prijevod @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/hr_HR/banks.lang b/htdocs/langs/hr_HR/banks.lang index 71f59ee02c2..385eba1a7d7 100644 --- a/htdocs/langs/hr_HR/banks.lang +++ b/htdocs/langs/hr_HR/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Plaćanje društveni/fiskalni porez BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Interni prijenos -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Od TransferTo=Za TransferFromToDone=Prijenos sa %s na %s od %s %s je pohranjen. CheckTransmitter=Pošiljatelj ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bankovni čekovi @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Promjene PlannedTransactions=Planned entries -Graph=Grafovi +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Potvrda pologa TransactionOnTheOtherAccount=Transakcije na drugom računu @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Povratak na račun ShowAllAccounts=Prikaži za sve račune FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Odaberite bankovni izvod povezan s usklađenjem. Koristite numeričke vrijednosti: YYYYMM ili YYYYMMDD radi sortiranja EventualyAddCategory=Konačno, odredite kategoriju u koju želite svrstati podatke ToConciliate=To reconcile? diff --git a/htdocs/langs/hr_HR/bills.lang b/htdocs/langs/hr_HR/bills.lang index 96218a407d9..d0d3b388678 100644 --- a/htdocs/langs/hr_HR/bills.lang +++ b/htdocs/langs/hr_HR/bills.lang @@ -79,7 +79,7 @@ ReceivedCustomersPaymentsToValid=Uplate kupaca za ovjeru PaymentsReportsForYear=Izvještaji plaćanja za %s PaymentsReports=Izvještaji plaćanja PaymentsAlreadyDone=Izvršena plaćanja -PaymentsBackAlreadyDone=Refunds already done +PaymentsBackAlreadyDone=Izvršeni povrati PaymentRule=Način plaćanja PaymentMode=Način plaćanja DefaultPaymentMode=Default Payment Type @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Unesi uplatu od kupca EnterPaymentDueToCustomer=Napravi DisabledBecauseRemainderToPayIsZero=Isključeno jer preostalo dugovanje je nula. -PriceBase=Osnovica +PriceBase=Base price BillStatus=Stanje računa StatusOfGeneratedInvoices=Status generiranih računa BillStatusDraft=Skica (potrebno potvrditi) @@ -454,7 +454,7 @@ RegulatedOn=Regulirano od ChequeNumber=Ček broj ChequeOrTransferNumber=broj čeka/prijenosa ChequeBordereau=Provjera zadanog -ChequeMaker=Čekovni/transakcijski pošiljatelj +ChequeMaker=Check/Transfer sender ChequeBank=Banka CheckBank=Ček NetToBePaid=Netto za platiti diff --git a/htdocs/langs/hr_HR/boxes.lang b/htdocs/langs/hr_HR/boxes.lang index ae67f203a6a..9f1f6135994 100644 --- a/htdocs/langs/hr_HR/boxes.lang +++ b/htdocs/langs/hr_HR/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Najstarije aktivne istekle usluge BoxLastExpiredServices=Zadnja %s najstarija kontakta s aktivnim isteklim uslugama BoxTitleLastActionsToDo=Zadnja %s radnje za napraviti -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Zadnjih %s izmjenjenih donacija -BoxTitleLastModifiedExpenses=Zadnjih %s izmjenjenih izvještaja troškova -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Globalna aktivnost (računi, prijedlozi, nalozi) BoxGoodCustomers=Dobar kupac diff --git a/htdocs/langs/hr_HR/cashdesk.lang b/htdocs/langs/hr_HR/cashdesk.lang index ac1d97cc447..d84d6f6da9b 100644 --- a/htdocs/langs/hr_HR/cashdesk.lang +++ b/htdocs/langs/hr_HR/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Preglednik BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/hr_HR/categories.lang b/htdocs/langs/hr_HR/categories.lang index a4eb2e7ac20..0bac79b0a4d 100644 --- a/htdocs/langs/hr_HR/categories.lang +++ b/htdocs/langs/hr_HR/categories.lang @@ -3,20 +3,20 @@ Rubrique=Kategorija Rubriques=Kategorije RubriquesTransactions=Tags/Categories of transactions categories=kategorije -NoCategoryYet=Skupina ove vrste nije izrađena +NoCategoryYet=No tag/category of this type has been created In=U AddIn=Dodaj u modify=promjeni Classify=Označi CategoriesArea=Sučelje Kategorija -ProductsCategoriesArea=Sučelje kategorije Proizvoda/Usluga -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Sučelje kategorija kupaca -MembersCategoriesArea=Sučelje kategorija članova -ContactsCategoriesArea=Sučelje kategorija kontakta -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Sučelje kategorija projekata -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=Popis kategorija CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/hr_HR/companies.lang b/htdocs/langs/hr_HR/companies.lang index b78643dfe85..90948e895c0 100644 --- a/htdocs/langs/hr_HR/companies.lang +++ b/htdocs/langs/hr_HR/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Ime tvrtke %s već postoji. Odaberite drugo. ErrorSetACountryFirst=Prvo odaberite državu SelectThirdParty=Odaberi treću osobu -ConfirmDeleteCompany=Jeste li sigurni da želite obrisati ovu tvrtku i sve podatke vezane na nju? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Izbriši kontakt/adresu. -ConfirmDeleteContact=Jeste li sigurni da želite obrisati ovaj kontakt i sve podatke vezane na njega? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Nova Treća Osoba MenuNewCustomer=Novi Kupac MenuNewProspect=Novi mogući kupac @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Poziv Chat=Chat -PhonePro=Prof. telefon +PhonePro=Bus. phone PhonePerso=Osob. telefon PhoneMobile=Mobitel No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Poštanski broj Town=Grad Web=Mreža Poste= Pozicija -DefaultLang=Osnovni jezik +DefaultLang=Default language VATIsUsed=Porez se primjenjuje VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Porez se ne primjenjuje @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Obavezno ako je komitent kupac ili potencijalni kupac RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Potencijalni kupac u kontakt CompanyDeleted=Tvrtka "%s" izbrisana iz baze. @@ -439,12 +439,12 @@ ListSuppliersShort=Popis dobavljača ListProspectsShort=Popis mogućih kupaca ListCustomersShort=Popis kupaca ThirdPartiesArea=Treće osobe/Kontakti -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Ukupno trećih osoba +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Otvori ActivityCeased=Zatvoren ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=Popis proizvoda/usluga u %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Trenutno otvoreni računi OutstandingBill=Maksimalno za otvorene račune OutstandingBillReached=Dosegnut maksimum neplaćenih računa @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Ova šifra je besplatne. Ova šifra se može modificirati ManagingDirectors=Ime vlasnika(ce) ( CEO, direktor, predsjednik uprave...) MergeOriginThirdparty=Dupliciran komitent (komitent koji želite obrisati) MergeThirdparties=Združi treće osobe -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Treće osobe združene SaleRepresentativeLogin=Korisničko ime predstavnika SaleRepresentativeFirstname=Ime prodajnog predstavnika diff --git a/htdocs/langs/hr_HR/compta.lang b/htdocs/langs/hr_HR/compta.lang index 673feed340f..cd27ba82fbc 100644 --- a/htdocs/langs/hr_HR/compta.lang +++ b/htdocs/langs/hr_HR/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Novi rabat NewCheckDeposit=Novi depozit čeka NewCheckDepositOn=Izradi račun za depozit na računu: %s NoWaitingChecks=Nema čekova koji čekaju depozit. -DateChequeReceived=Datum zaprimanja čeka +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Plati društveni/fiskalni porez PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/hr_HR/ecm.lang b/htdocs/langs/hr_HR/ecm.lang index b7f918045e2..3731057f4d0 100644 --- a/htdocs/langs/hr_HR/ecm.lang +++ b/htdocs/langs/hr_HR/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/hr_HR/errors.lang b/htdocs/langs/hr_HR/errors.lang index 7a646f39d3f..5c177ae7c46 100644 --- a/htdocs/langs/hr_HR/errors.lang +++ b/htdocs/langs/hr_HR/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Postavke +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Skica +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Učinjeno +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/hr_HR/knowledgemanagement.lang b/htdocs/langs/hr_HR/knowledgemanagement.lang new file mode 100644 index 00000000000..3baf7df3c67 --- /dev/null +++ b/htdocs/langs/hr_HR/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Postavke +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = O programu +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Stavka +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/hr_HR/mails.lang b/htdocs/langs/hr_HR/mails.lang index 2b7ce391248..e6639943cbd 100644 --- a/htdocs/langs/hr_HR/mails.lang +++ b/htdocs/langs/hr_HR/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Korisnicima MailCC=Kopirajte u MailToCCUsers=Kopirajte korisniku(cima) MailCCC=Predmemorirana kopija u -MailTopic=Email topic +MailTopic=Email subject MailText=Poruka MailFile=Attached files MailMessage=Tijelo e-pošte @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/hr_HR/main.lang b/htdocs/langs/hr_HR/main.lang index da1d8d59dd1..73b652c481a 100644 --- a/htdocs/langs/hr_HR/main.lang +++ b/htdocs/langs/hr_HR/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Spremi i novi TestConnection=Provjera veze ToClone=Kloniraj ConfirmCloneAsk=Jeste li sigurni da želite kolinirati predmet %s? -ConfirmClone=Izaberite podatke koje želite klonirati: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Podaci za kloniranje nisu izabrani. Of=od Go=Idi @@ -246,7 +246,7 @@ DefaultModel=Osnovni doc predložak Action=Događaj About=O programu Number=Broj -NumberByMonth=Broj po mjesecima +NumberByMonth=Total reports by month AmountByMonth=Iznos po mjesecima Numero=Broj Limit=Granična vrijednost @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=Izradio korisnik -UserModif=Korisnik na zadnjoj izmjeni +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Od From=Od FromDate=Od FromLocation=Od -at=at to=za To=za +ToDate=za +ToLocation=za +at=at and=i or=ili Other=Ostalo @@ -843,7 +845,7 @@ XMoreLines=%s stavaka(e) skriveno ShowMoreLines=Prikaži više/manje redaka PublicUrl=Javni URL AddBox=Dodaj blok -SelectElementAndClick=Izaberi sastavnicu i klikni %s +SelectElementAndClick=Select an element and click on %s PrintFile=Ispis datoteke %s ShowTransaction=Prikaži upis na bankovni račun ShowIntervention=Prikaži zahvat @@ -854,8 +856,8 @@ Denied=Odbijeno ListOf=Popis od %s ListOfTemplates=Popis predložaka Gender=Spol -Genderman=Muško -Genderwoman=Žensko +Genderman=Male +Genderwoman=Female Genderother=Ostalo ViewList=Pregled popisa ViewGantt="Gantt" prikaz @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/hr_HR/members.lang b/htdocs/langs/hr_HR/members.lang index 38526538e24..5d9d29bbdc4 100644 --- a/htdocs/langs/hr_HR/members.lang +++ b/htdocs/langs/hr_HR/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Drugi član (ime: %s, login: < ErrorUserPermissionAllowsToLinksToItselfOnly=Iz sigurnosnih razloga, morate dodjeliti dozvole svim korisnicima da mogu povezivati članove s korisnicima koji nisu vaši. SetLinkToUser=Poveži s Dolibarr korisnikom SetLinkToThirdParty=Veza na Dolibarr komitenta -MembersCards=Članske vizit kartice +MembersCards=Business cards for members MembersList=Popis članova MembersListToValid=Popis članova u skicama ( za ovjeru ) MembersListValid=Popis valjanih članova @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Članovi koji primaju pretplatu MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Datum pretplate DateEndSubscription=Datum kraja pretplate -EndSubscription=Kraj pretplate +EndSubscription=Subscription Ends SubscriptionId=Pretplata ID WithoutSubscription=Without subscription MemberId=Član ID @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Potrebna pretplata DeleteType=Obriši VoteAllowed=Glasanje dozvoljeno -Physical=Fizički -Moral=Moralno -MorAndPhy=Moral and Physical -Reenable=Ponovo omogući +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Statistika članova po zemlji MembersStatisticsByState=Statistika članova po regiji/provinciji MembersStatisticsByTown=Statistika članova po gradu MembersStatisticsByRegion=Statistika članova po regiji -NbOfMembers=Broj članova -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Nisu pronađeni valjani članovi -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Odaberite statistiku koju želite vidjeti... MenuMembersStats=Statistika -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Informacije su javne +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Novi član je dodan. Čeka odobrenje NewMemberForm=Obrazac novog člana -SubscriptionsStatistics=Statistika o pretplatama +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Broj pretplata -AmountOfSubscriptions=Iznos pretplata +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Promet (za tvrtke) ili proračun (za zaklade) DefaultAmount=Zadani iznos pretplate CanEditAmount=Posjetitelj može odabrati/mjenjati iznos svoje pretplate MEMBER_NEWFORM_PAYONLINE=Idi na integriranu stranicu online plaćanja ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=Ovaj ekran prikazuje statistiku članova po vrsti. -MembersByRegion=Ovaj ekran prikazuje statistiku članova po regiji. VATToUseForSubscriptions=PDV stopa za pretplate NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Proizvod koji se koristi za stavku pretplate na računu: %s diff --git a/htdocs/langs/hr_HR/modulebuilder.lang b/htdocs/langs/hr_HR/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/hr_HR/modulebuilder.lang +++ b/htdocs/langs/hr_HR/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/hr_HR/other.lang b/htdocs/langs/hr_HR/other.lang index 9f094795773..1c88c9f43d4 100644 --- a/htdocs/langs/hr_HR/other.lang +++ b/htdocs/langs/hr_HR/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s je podatak ovisan o državi komitenta.
Na primjer, za zemlju %s, kod je %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Broj narudžbenica NumberOfCustomerInvoices=Broj izlaznih računa @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/hr_HR/partnership.lang b/htdocs/langs/hr_HR/partnership.lang new file mode 100644 index 00000000000..5c2f7bd82b9 --- /dev/null +++ b/htdocs/langs/hr_HR/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Datum početka +DatePartnershipEnd=Datum završetka + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Skica +PartnershipAccepted = Prihvaćeno +PartnershipRefused = Odbijeno +PartnershipCanceled = Poništeno + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/hr_HR/productbatch.lang b/htdocs/langs/hr_HR/productbatch.lang index 6a93cae8f4f..a29844d360d 100644 --- a/htdocs/langs/hr_HR/productbatch.lang +++ b/htdocs/langs/hr_HR/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/hr_HR/products.lang b/htdocs/langs/hr_HR/products.lang index 13595eda6c3..5f356fa177f 100644 --- a/htdocs/langs/hr_HR/products.lang +++ b/htdocs/langs/hr_HR/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Usluge ni na prodaju ni za kupovinu ServicesOnSellAndOnBuy=Usluga za prodaju i za nabavu -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Zadnja %s pohranjena proizvoda LastRecordedServices=Zadnje %s pohranjene usluge CardProduct0=Proizvod @@ -73,12 +73,12 @@ SellingPrice=Prodajna cijena SellingPriceHT=Prodajna cijena (bez PDV-a) SellingPriceTTC=Prodajna cijena (sa PDV-om) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Prodani iznos PurchasedAmount=Nabavni iznos NewPrice=Nova cijena -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=Prodajna cijena za ovaj proizvod (%s bez PDV-a) ne može biti manja od najmanje dozvoljene. Ova poruka može se pojaviti i kada ste upisali bitan popust. ContractStatusClosed=Zatvoreno @@ -157,11 +157,11 @@ ListServiceByPopularity=Popis usluga poredanih po popularnosti Finished=Proizveden proizvod RowMaterial=Materijal ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Ovaj proizvod je korišten NewRefForClone=Ref. novog proizvoda/usluge SellingPrices=Prodajne cijene @@ -170,12 +170,12 @@ CustomerPrices=Cijene kupaca SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Zemlja porijekla -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Kratka oznaka Unit=Jedinica p=j. diff --git a/htdocs/langs/hr_HR/projects.lang b/htdocs/langs/hr_HR/projects.lang index 04e1fbc2c24..a7555ee89e2 100644 --- a/htdocs/langs/hr_HR/projects.lang +++ b/htdocs/langs/hr_HR/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Kontakti projekta ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Svi projekti koje mogu pročitati (vlastiti + javni) AllProjects=Svi projekti -MyProjectsDesc=Ovaj je prikaz ograničen na projekte u koje ste uključeni +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Ovaj popis predstavlja sve projekte za koje imate dozvolu. TasksOnProjectsPublicDesc=Ovaj popis predstavlja sve zadatke na projektima za koje imate dozvolu. ProjectsPublicTaskDesc=Ovaj popis predstavlja sve projekte i zadatke za koje imate dozvolu. ProjectsDesc=Ovaj popis predstavlja sve projekte (vaše korisničke dozvole odobravaju vam da vidite sve). TasksOnProjectsDesc=Ovaj popis predstavlja sve zadatke na svim projektima (vaše korisničke dozvole odobravaju vam da vidite sve). -MyTasksDesc=Ovaj je prikaz ograničen na projekte ili zadatke u koje ste uključeni +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Samo otvoreni projekti su vidljivi (projekti u skicama ili zatvorenog statusa nisu vidljivi). ClosedProjectsAreHidden=Zatvoreni projekti nisu vidljivi. TasksPublicDesc=Ovaj popis predstavlja sve projekte i zadatke za koje imate dozvolu. TasksDesc=Ovaj popis predstavlja sve projekte i zadatke (vaše korisničke dozvole odobravaju vam da vidite sve). AllTaskVisibleButEditIfYouAreAssigned=Svi zadaci kvalificiranih projekata su vidljivi, ali možete unijeti vrijeme samo za zadatak dodijeljen odabranom korisniku. Dodijelite zadatak ako na njemu trebate unijeti vrijeme. -OnlyYourTaskAreVisible=Vidljivi su samo zadaci koji su vam dodijeljeni. Dodijelite si zadatak ako nije vidljiv i na njemu trebate unijeti vrijeme. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Zadaci projekta ProjectCategories=Projektne oznake / kategorije NewProject=Novi projekt @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Nije dodjeljen zadatku NoUserAssignedToTheProject=Nema korisnika dodijeljenih ovom projektu TimeSpentBy=Vrijeme utrošeno do TasksAssignedTo=Zadaci dodijeljeni -AssignTaskToMe=Dodjeli zadatak meni +AssignTaskToMe=Assign task to myself AssignTaskToUser=Dodijeli zadatak %s SelectTaskToAssign=Odaberite zadatak za dodjelu... AssignTask=Dodjeli diff --git a/htdocs/langs/hr_HR/recruitment.lang b/htdocs/langs/hr_HR/recruitment.lang index 519a3ae434e..6fad69b8e0f 100644 --- a/htdocs/langs/hr_HR/recruitment.lang +++ b/htdocs/langs/hr_HR/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/hr_HR/sendings.lang b/htdocs/langs/hr_HR/sendings.lang index 220a0004a70..1cb500f7ab4 100644 --- a/htdocs/langs/hr_HR/sendings.lang +++ b/htdocs/langs/hr_HR/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Jeste li sigurni da želite ovjeriti ovu isporuku pod ozn ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Upozorenje, nema prozvoda za isporuku. -StatsOnShipmentsOnlyValidated=Statistika se vodi po otpremnicama koje su ovjerene. Korišteni datum je datum ovjere otpremnice (planirani datum isporuke nije uvjek poznat). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planirani datum isporuke RefDeliveryReceipt=Broj otpremnice StatusReceipt=Stanje otpremnice diff --git a/htdocs/langs/hr_HR/stocks.lang b/htdocs/langs/hr_HR/stocks.lang index 2cf9bf1d206..7ea3ed77d6b 100644 --- a/htdocs/langs/hr_HR/stocks.lang +++ b/htdocs/langs/hr_HR/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nema predefiniranih proizvoda za ovaj objekt. Potr DispatchVerb=Otpremi StockLimitShort=Razina za obavijest StockLimit=Stanje zaliha za obavjest -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Stvarna zaliha RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/hr_HR/users.lang b/htdocs/langs/hr_HR/users.lang index e0e20643d90..e3922741024 100644 --- a/htdocs/langs/hr_HR/users.lang +++ b/htdocs/langs/hr_HR/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Lozinka promjenjena u: %s SubjectNewPassword=Vaša nova zaporka za %s GroupRights=Grupna dopuštenja UserRights=Korisnička dopuštenja +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Onemogući DisableAUser=Onemogući korisnika @@ -105,7 +106,7 @@ UseTypeFieldToChange=Koristi polje Vrsta za promjenu OpenIDURL=OpenID URL LoginUsingOpenID=Koristi OpenID za prijavu WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Boja korisnika DisabledInMonoUserMode=Onemogućeno u načinu održavanja UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/hr_HR/website.lang b/htdocs/langs/hr_HR/website.lang index 02ecf7128ff..9be434c3c81 100644 --- a/htdocs/langs/hr_HR/website.lang +++ b/htdocs/langs/hr_HR/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/hu_HU/accountancy.lang b/htdocs/langs/hu_HU/accountancy.lang index 16c6008d9e7..acd1a8d2154 100644 --- a/htdocs/langs/hu_HU/accountancy.lang +++ b/htdocs/langs/hu_HU/accountancy.lang @@ -202,7 +202,7 @@ Docref=Hivatkozás LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/hu_HU/admin.lang b/htdocs/langs/hu_HU/admin.lang index 92e6e5d9fb9..17c7effaee9 100644 --- a/htdocs/langs/hu_HU/admin.lang +++ b/htdocs/langs/hu_HU/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Távolítsa el / nevezze át a(z) %s fájlt, ha létezik, hogy RestoreLock=Állítsa vissza az %s fájlt, csak olvasási jogokat engedélyezzen, hogy le lehessen tiltani a Frissítés / Telepítés eszköz további használatát. SecuritySetup=Biztonsági beállítások PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Határozza meg a fájlok feltöltésének biztonságával kapcsolatos lehetőségeket. ErrorModuleRequirePHPVersion=Hiba történt, ez a modul a Dolibarr %s, vagy újabb verzióját igényli ErrorModuleRequireDolibarrVersion=Hiba történt, ez a modul a Dolibarr %s, vagy újabb verzióját igényli @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Ne azt NoActiveBankAccountDefined=Nincs aktív bankszámla definiált OwnerOfBankAccount=Tulajdonosa bankszámla %s BankModuleNotActive=Bankszámlák modul nincs engedélyezve -ShowBugTrackLink=Link mutatása " %s " +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Figyelmeztetések DelaysOfToleranceBeforeWarning=Késleltetés a következő figyelmeztető riasztás megjelenése előtt: DelaysOfToleranceDesc=Állítsa be a késleltetést, mielőtt az %s riasztási ikon megjelenik a képernyőn a késésben lévő elemnél. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Kell futtatni ezt a parancsot a YourPHPDoesNotHaveSSLSupport=SSL funkció nem áll rendelkezésre a PHP DownloadMoreSkins=További bőrök letöltése SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Részleges fordítás @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/hu_HU/banks.lang b/htdocs/langs/hu_HU/banks.lang index 70e8abcf1be..b9ec7356a11 100644 --- a/htdocs/langs/hu_HU/banks.lang +++ b/htdocs/langs/hu_HU/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Szociális/költségvetési adó fizetés BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Belső átutalás -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Feladó TransferTo=Címzett TransferFromToDone=A transzfer %s a %s a %s %s lett felvéve. -CheckTransmitter=Átutaló +CheckTransmitter=Küldő ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Banki csekkek @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Pénzmozgások PlannedTransactions=Planned entries -Graph=Grafika +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Letéti irat TransactionOnTheOtherAccount=Tranzakció a másik számlára @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Visszalép a számlához ShowAllAccounts=Mutasd az összes fióknál FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Határozza meg az egyeztetéssel összefüggő bank kivonatot. Használjon egy rövidíthető szám értéket: ÉÉÉÉHH or ÉÉÉÉHHNN EventualyAddCategory=Végezetül, határozzon meg egy kategóriát, melybe beosztályozza a könyvelési belyegyzéseket ToConciliate=To reconcile? diff --git a/htdocs/langs/hu_HU/bills.lang b/htdocs/langs/hu_HU/bills.lang index fb9b77eecf9..60a53dbffb7 100644 --- a/htdocs/langs/hu_HU/bills.lang +++ b/htdocs/langs/hu_HU/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Írja be a vásárlótól kapott a fizetést EnterPaymentDueToCustomer=Legyen esedékes a vásárló fizetése DisabledBecauseRemainderToPayIsZero=Letiltva, mivel a maradék egyenleg 0. -PriceBase=Alap ár +PriceBase=Base price BillStatus=Számla állapota StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Tervezet (érvényesítés szükséges) @@ -454,7 +454,7 @@ RegulatedOn=Szabályozni ChequeNumber=Csekk N ° ChequeOrTransferNumber=Csekk / Transzfer N ° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Csekk bankja CheckBank=Csekk NetToBePaid=Fizetendő nettó diff --git a/htdocs/langs/hu_HU/boxes.lang b/htdocs/langs/hu_HU/boxes.lang index 5c57fdeffb2..3a23f75e080 100644 --- a/htdocs/langs/hu_HU/boxes.lang +++ b/htdocs/langs/hu_HU/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Legrégebbi aktív lejárt szolgáltatások BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/hu_HU/cashdesk.lang b/htdocs/langs/hu_HU/cashdesk.lang index 3215e0e3839..4dc1b0d8aad 100644 --- a/htdocs/langs/hu_HU/cashdesk.lang +++ b/htdocs/langs/hu_HU/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Bizonylat Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Böngésző BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/hu_HU/categories.lang b/htdocs/langs/hu_HU/categories.lang index 33c8f09ef3a..48acb14b520 100644 --- a/htdocs/langs/hu_HU/categories.lang +++ b/htdocs/langs/hu_HU/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Címkék/kategóriák RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=módosítás Classify=Osztályozás CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/hu_HU/companies.lang b/htdocs/langs/hu_HU/companies.lang index dcb4a078cde..f08a2abba45 100644 --- a/htdocs/langs/hu_HU/companies.lang +++ b/htdocs/langs/hu_HU/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Cégnév %s már létezik. Válasszon egy másikat. ErrorSetACountryFirst=Először állítsa be az országot SelectThirdParty=Válasszon egy partnert -ConfirmDeleteCompany=Biztos benne, hogy törli a vállalatot és az összes öröklött információt? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Kapcsolat/címek törlése -ConfirmDeleteContact=Biztosan törölni akarja ezt a kapcsolatot és az összes örökölt információt? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Új partner MenuNewCustomer=Új vásárló MenuNewProspect=Új lehetséges ügyfél @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Hívás Chat=Chat -PhonePro=Hivatali telefon +PhonePro=Bus. phone PhonePerso=Szem. telefon PhoneMobile=Mobil No_Email=Tömeges levelezés letiltása @@ -331,7 +331,7 @@ CustomerCodeDesc=Ügyfélkód, minden vásárló számára egyedi SupplierCodeDesc=Eladói kód, minden eladó számára egyedi RequiredIfCustomer=Kötelező, ha a partner vevő vagy jelentkező RequiredIfSupplier=Szükséges, ha a partner eladó -ValidityControledByModule=Az érvényességet modul vezérli +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=A modul szabályai ProspectToContact=Jelentkező a kapcsolat felvételre CompanyDeleted="%s" cég törölve az adatbázisból. @@ -439,12 +439,12 @@ ListSuppliersShort=Eladók listája ListProspectsShort=A lehetséges partnerek listája ListCustomersShort=Ügyfelek listája ThirdPartiesArea=Partnerek / kapcsolattartók -LastModifiedThirdParties=Az utolojára módosított %s Harmadik Felek -UniqueThirdParties=Partnerek összesen +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Nyitott ActivityCeased=Lezárt ThirdPartyIsClosed=Harmadik fél lezárva -ProductsIntoElements=Termékek / szolgáltatások listálya ide %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Jelenlegi kintlévőség OutstandingBill=Maximális kintlévőség OutstandingBillReached=Max. a kintlévőség elért @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=A kód szabad. Ez a kód bármikor módosítható. ManagingDirectors=Vezető(k) neve (ügyvezető, elnök, igazgató) MergeOriginThirdparty=Duplikált partner (a partnert törlésre kerül) MergeThirdparties=Partnerek egyesítése -ConfirmMergeThirdparties=Biztos benne, hogy egyesíti ezt a partnert a jelenlegihez? Az összes összekapcsolt objektum (számlák, megrendelések, ...) az aktuális partnerhez kerül, majd az egyesített partner törlődik. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=A partnereket egyesítve SaleRepresentativeLogin=Kereskedelmi képviselő bejelentkezés SaleRepresentativeFirstname=Az értékesítési képviselő vezetékneve diff --git a/htdocs/langs/hu_HU/compta.lang b/htdocs/langs/hu_HU/compta.lang index d18b2a6e017..3f2846904ee 100644 --- a/htdocs/langs/hu_HU/compta.lang +++ b/htdocs/langs/hu_HU/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Új kedvezmény NewCheckDeposit=Új ellenőrizze betéti NewCheckDepositOn=Készítsen nyugtát letét számla: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Ellenőrizze a fogadás dátumát +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/hu_HU/ecm.lang b/htdocs/langs/hu_HU/ecm.lang index 97b5acbda3b..d3ab7d52d24 100644 --- a/htdocs/langs/hu_HU/ecm.lang +++ b/htdocs/langs/hu_HU/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/hu_HU/errors.lang b/htdocs/langs/hu_HU/errors.lang index a9d1fcea36b..d0a29f81991 100644 --- a/htdocs/langs/hu_HU/errors.lang +++ b/htdocs/langs/hu_HU/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s rossz +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=A %s felhasználói név már létezik. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Nem sikerült írni a %s könyvtárba ErrorFoundBadEmailInFile=Talált rossz e-mail szintaxisa %s sorok fájlt (például az e-mail vonal %s %s =) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Néhány kötelezően kitöltendő mező még üres. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Nem sikerült létrehozni egy könyvtárat. Ellenőrizze, hogy a Web szerver felhasználó engedélyekkel rendelkezik, hogy ültesse át Dolibarr dokumentumok könyvtárba. Ha a paraméter safe_mode engedélyezve van ez a PHP-t, ellenőrizze, hogy Dolibarr PHP fájlok tulajdonosa a webszerver felhasználó (vagy csoport). ErrorNoMailDefinedForThisUser=Nincs megadva a felhasználó email címe ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Beállítások +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Piszkozat +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Kész +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/hu_HU/intracommreport.lang b/htdocs/langs/hu_HU/intracommreport.lang index 8b6713062c8..212c3b855c9 100644 --- a/htdocs/langs/hu_HU/intracommreport.lang +++ b/htdocs/langs/hu_HU/intracommreport.lang @@ -15,26 +15,26 @@ INTRACOMMREPORT_NUM_DECLARATION=Numéro de déclarant # Menu MenuIntracommReport=Intracomm report -MenuIntracommReportNew=New declaration +MenuIntracommReportNew=Új bevallás MenuIntracommReportList=Lista # View -NewDeclaration=New declaration -Declaration=Declaration -AnalysisPeriod=Analysis period -TypeOfDeclaration=Type of declaration -DEB=Goods exchange declaration (DEB) -DES=Services exchange declaration (DES) +NewDeclaration=Új bevallás +Declaration=Bevallás +AnalysisPeriod=Vizsgált időszak +TypeOfDeclaration=Bevallás típusa +DEB=Termékek forgalmának bevallása (DEB) +DES=Szolgáltatások forgalmának bevallása (DES) # Export page -IntracommReportTitle=Preparation of an XML file in ProDouane format +IntracommReportTitle=XML fájl készítése ProDouane formátumban # List -IntracommReportList=List of generated declarations -IntracommReportNumber=Numero of declaration -IntracommReportPeriod=Period of nalysis -IntracommReportTypeDeclaration=Type of declaration -IntracommReportDownload=download XML file +IntracommReportList=A generált bevallások listája +IntracommReportNumber=Bevallás azonosítója +IntracommReportPeriod=Vizsgálat időszaka +IntracommReportTypeDeclaration=Bevallás típusa +IntracommReportDownload=XML fájl letöltése # Invoice -IntracommReportTransportMode=Transport mode +IntracommReportTransportMode=Szállítás módja diff --git a/htdocs/langs/hu_HU/knowledgemanagement.lang b/htdocs/langs/hu_HU/knowledgemanagement.lang new file mode 100644 index 00000000000..983d7605cd6 --- /dev/null +++ b/htdocs/langs/hu_HU/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Beállítások +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Névjegy +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Árucikk +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/hu_HU/mails.lang b/htdocs/langs/hu_HU/mails.lang index 97cce391084..c9726d44b9b 100644 --- a/htdocs/langs/hu_HU/mails.lang +++ b/htdocs/langs/hu_HU/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Másolat ide MailToCCUsers=Copy to users(s) MailCCC=Eltárol másolat ide -MailTopic=Email topic +MailTopic=Email subject MailText=Üzenet MailFile=Csatolt fájlok MailMessage=Email tartalma @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/hu_HU/main.lang b/htdocs/langs/hu_HU/main.lang index 0e272c3cc49..53bac5b2e65 100644 --- a/htdocs/langs/hu_HU/main.lang +++ b/htdocs/langs/hu_HU/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Mentés és új TestConnection=Kapcsolat tesztelése ToClone=Klónozás ConfirmCloneAsk=Biztosan klónozza az %s objektumot? -ConfirmClone=Válassza ki a klónozni kívánt adatokat: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Nincs klónozandó adat meghatározva. Of=birtokában Go=Indít @@ -246,7 +246,7 @@ DefaultModel=Alapértelmezett dokumentum sablon Action=Cselekvés About=Névjegy Number=Szám -NumberByMonth=Szám hónap szerint +NumberByMonth=Total reports by month AmountByMonth=Összeg havonta Numero=Szám Limit=Határ @@ -341,8 +341,8 @@ KiloBytes=Kilobyte-ok MegaBytes=Megabyte-ok GigaBytes=Gigabyte-ok TeraBytes=TB -UserAuthor=Létrehozó felhasználó -UserModif=Utolsó módosítást végetzte +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=által From=Kitől? FromDate=Feladó FromLocation=Feladó -at=at to=kinek To=kinek +ToDate=kinek +ToLocation=kinek +at=at and=és or=vagy Other=Más @@ -843,7 +845,7 @@ XMoreLines=%s sor rejtve maradt ShowMoreLines=Több / kevesebb sor megjelenítése PublicUrl=Nyílvános URL AddBox=Doboz hozzáadása -SelectElementAndClick=Jelöljön ki egy elemet, majd kattintson az %s elemre +SelectElementAndClick=Select an element and click on %s PrintFile=%s fájl nyomtatása ShowTransaction=Bejegyzés megjelenítése a bankszámlán ShowIntervention=Mutasd beavatkozás @@ -854,8 +856,8 @@ Denied=Elutasítva ListOf=A következők listája: %s ListOfTemplates=Sablonok listája Gender=Nem -Genderman=Férfi -Genderwoman=Nő +Genderman=Male +Genderwoman=Female Genderother=Egyéb ViewList=Lista megtekintése ViewGantt=Gantt-nézet @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/hu_HU/members.lang b/htdocs/langs/hu_HU/members.lang index 22c84e6b1d0..3eb2d96dea9 100644 --- a/htdocs/langs/hu_HU/members.lang +++ b/htdocs/langs/hu_HU/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Egy másik tag (név: %s, beje ErrorUserPermissionAllowsToLinksToItselfOnly=Biztonsági okokból, meg kell szerkeszteni engedéllyel rendelkezik a minden felhasználó számára, hogy képes összekapcsolni egy tag a felhasználó, hogy nem a tiéd. SetLinkToUser=Link a Dolibarr felhasználó SetLinkToThirdParty=Link egy harmadik fél Dolibarr -MembersCards=Tagok névjegykártyák +MembersCards=Business cards for members MembersList=A tagok listája MembersListToValid=Tagok listája tervezet (érvényesíteni kell) MembersListValid=Érvényes tagok listája @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Tagok előfizetés kapni MembersWithSubscriptionToReceiveShort=Előfizetés a fogadáshoz DateSubscription=Előfizetés dátum DateEndSubscription=Előfizetés záró dátum -EndSubscription=Vége előfizetés +EndSubscription=Subscription Ends SubscriptionId=Előfizetés azonosító WithoutSubscription=Without subscription MemberId=Tag azonosító @@ -83,10 +83,10 @@ WelcomeEMail=Üdvözlő e-mail SubscriptionRequired=Előfizetés szükséges DeleteType=Törlés VoteAllowed=Szavazz megengedett -Physical=Fizikai -Moral=Erkölcsi -MorAndPhy=Moral and Physical -Reenable=Újra bekapcsolja +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Tag kiléptetése @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Országonkénti tagstatisztika. MembersStatisticsByState=Tartományonkénti tagstatisztika. MembersStatisticsByTown=Városonkénti tagstatisztika. MembersStatisticsByRegion=Földrajzi régiónkénti tagstatisztika. -NbOfMembers=Tagok száma -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Nemérvényesített tag található -MembersByCountryDesc=Ez a képernyő megmutatja statisztikát tagok országokban. Grafikus függ azonban a Google online grafikon szolgáltatást és csak akkor elérhető, ha az internet kapcsolat működik. -MembersByStateDesc=Ez a képernyő a tagok statisztikát mutatja állam / tartomány / kanton szerint. -MembersByTownDesc=Ez a képernyő megmutatja statisztikát tagok városban. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Válassza ki a kívánt statisztikákat olvasni ... MenuMembersStats=Statisztika -LastMemberDate=Legutóbbi tag dátum +LastMemberDate=Latest membership date LatestSubscriptionDate=Utolsó feliratkozási dátum -MemberNature=A tag jellege -MembersNature=Nature of members -Public=Információ nyilvánosak +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Új tag hozzáadása megtörtént. Várakozás jóváhagyásra. NewMemberForm=Új tag ürlap -SubscriptionsStatistics=Előfizetési statisztika +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Előfizetések száma -AmountOfSubscriptions=Összege előfizetések +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Forgalom (a cég) vagy Költségvetés (egy alapítvány) DefaultAmount=Alapértelmezett mennyiségű előfizetés CanEditAmount=Látogató lehet választani / szerkeszteni összegénél előfizetés MEMBER_NEWFORM_PAYONLINE=Ugrás az integrált online fizetési oldalra ByProperties=Jelleg szerint MembersStatisticsByProperties=Jelleg szerinti tag statisztika -MembersByNature=Ez a képernyő a jelleg szerinti tag statisztikát jeleníti meg. -MembersByRegion=Ez a képernyő a földrajzi elhelyezkedés szerinti tag statisztikát jeleníti meg. VATToUseForSubscriptions=Az előfizetéshez használatos Áfa érték NoVatOnSubscription=Nincs Áfa az előfizetéshez ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=A %s számla előfizetési sorában szerepeltetett termék. diff --git a/htdocs/langs/hu_HU/modulebuilder.lang b/htdocs/langs/hu_HU/modulebuilder.lang index 9192d12ec83..ade65249c96 100644 --- a/htdocs/langs/hu_HU/modulebuilder.lang +++ b/htdocs/langs/hu_HU/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/hu_HU/other.lang b/htdocs/langs/hu_HU/other.lang index 1ae365c60f9..a390b96dd40 100644 --- a/htdocs/langs/hu_HU/other.lang +++ b/htdocs/langs/hu_HU/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Telepítse vagy engedélyezze a GD könyvtárat a PHP beáll ProfIdShortDesc=Prof Id %s egy információs függően harmadik fél ország.
Például, az ország %s, ez %s kódot. DolibarrDemo=Dolibarr ERP / CRM demo StatsByNumberOfUnits=A termékek/szolgáltatások mennyiségének statisztikája -StatsByNumberOfEntities=A hivatkozó egységek statisztikája (számla vagy megrendelés száma ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=A javaslatok száma NumberOfCustomerOrders=Az értékesítési megrendelések száma NumberOfCustomerInvoices=Ügyfélszámlák száma @@ -289,4 +289,4 @@ PopuProp=Termékek/szolgáltatások népszerűsége a javaslatokban PopuCom=Termékek/szolgáltatások népszerűsége a megrendelésekben ProductStatistics=Termékek/szolgáltatások statisztikája NbOfQtyInOrders=Mennyiség a megrendelésekben -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/hu_HU/partnership.lang b/htdocs/langs/hu_HU/partnership.lang new file mode 100644 index 00000000000..e7739eb8af6 --- /dev/null +++ b/htdocs/langs/hu_HU/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Kezdet dátuma +DatePartnershipEnd=Befejezés dátuma + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Piszkozat +PartnershipAccepted = Accepted +PartnershipRefused = Visszautasított +PartnershipCanceled = Visszavonva + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/hu_HU/productbatch.lang b/htdocs/langs/hu_HU/productbatch.lang index a5e5e3c4906..ba6dc689fc1 100644 --- a/htdocs/langs/hu_HU/productbatch.lang +++ b/htdocs/langs/hu_HU/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/hu_HU/products.lang b/htdocs/langs/hu_HU/products.lang index ddf05f19e41..e33c49faa9e 100644 --- a/htdocs/langs/hu_HU/products.lang +++ b/htdocs/langs/hu_HU/products.lang @@ -22,8 +22,8 @@ ProductVatMassChangeDesc=Ez az eszköz frissíti MINDEN termékre MassBarcodeInit=Tömeges vonalkód létrehozás MassBarcodeInitDesc=Ezen az oldalon lehet vonalkódot létrehozni azon objektumoknak, amelyeknél még nincs meghatározva vonalkód. Ellenőrizze a beállításokat, mielőtt a barcode modul befejeződik. ProductAccountancyBuyCode=Számviteli kód (vásárlás) -ProductAccountancyBuyIntraCode=Accounting code (purchase intra-community) -ProductAccountancyBuyExportCode=Accounting code (purchase import) +ProductAccountancyBuyIntraCode=Számviteli kód (EU vásárlás) +ProductAccountancyBuyExportCode=Számviteli kód (import vásárlás) ProductAccountancySellCode=Számviteli kód (eladás) ProductAccountancySellIntraCode=Számviteli kód (Közösségen belüli eladás) ProductAccountancySellExportCode=Számviteli kód (export eladás) @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Kizárólag eladó szolgáltatások ServicesOnPurchaseOnly=Kizárólag megvásárolható szolgáltatások ServicesNotOnSell=Nem eladó és nem vásárolható szolgáltatások ServicesOnSellAndOnBuy=Eladó és vásárolható szolgáltatások -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=A legújabb %s rögzített termékek LastRecordedServices=A legújabb %s rögzített szolgáltatás CardProduct0=Termék @@ -73,12 +73,12 @@ SellingPrice=Eladási ár SellingPriceHT=Eladási ár (adó nélkül) SellingPriceTTC=Eladási ár (bruttó) SellingMinPriceTTC=Minimális eladási ár (adóval) -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. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Ezt az értéket fel lehet használni a különbözet (árrés) kiszámításához. SoldAmount=Eladott mennyiség PurchasedAmount=Vásárolt mennyiség NewPrice=Új ár -MinPrice=Min. eladási ár +MinPrice=Min. selling price EditSellingPriceLabel=Az eladási árcímke szerkesztése CantBeLessThanMinPrice=Az eladási ár nem lehet kisebb a minimum árnál (nettó %s) ContractStatusClosed=Lezárva @@ -157,11 +157,11 @@ ListServiceByPopularity=Szolgáltatások listája népszerűség szerint Finished=Gyártott termék RowMaterial=Nyersanyag ConfirmCloneProduct=Biztos benne, hogy klónozni szeretne egy terméket vagy szolgáltatást %s? -CloneContentProduct=A termékkel / szolgáltatással kapcsolatos összes fő információ klónozása +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Árak klónozása -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Virtuális termék / szolgáltatás klónozása -CloneCombinationsProduct=Termékváltozatok klónozása +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Ez a termék használatban van NewRefForClone=Új termék/szolgáltatás ref#. SellingPrices=Eladási árak @@ -170,12 +170,12 @@ CustomerPrices=Végfelhasználói árak SuppliersPrices=Eladási árak SuppliersPricesOfProductsOrServices=Eladási árak (termékek vagy szolgáltatások) CustomCode=Customs|Commodity|HS code -CountryOrigin=Származási ország -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Rövid címke Unit=Egység p=db. @@ -291,15 +291,15 @@ PriceExpressionEditorHelp5=Elérhető globális értékek: PriceMode=Ár mód PriceNumeric=Szám DefaultPrice=Alapár -DefaultPriceLog=Log of previous default prices +DefaultPriceLog=Korábban megadott alapárak visszatekintése ComposedProductIncDecStock=Növelje/csökkentse a készletet a szülő termék változásakor ComposedProduct=Gyermek termékek MinSupplierPrice=Minimális vételár MinCustomerPrice=Minimális eladási ár DynamicPriceConfiguration=Dinamikus árkonfiguráció DynamicPriceDesc=Megadhat matematikai képleteket a vevői vagy a szállítói árak kiszámításához. Az ilyen képletek felhasználhatják az összes matematikai operátort, néhány állandót és változót. Itt meghatározhatja azokat a változókat, amelyeket használni kíván. Ha a változónak automatikus frissítésre van szüksége, megadhatja a külső URL-t, hogy a Dolibarr automatikusan frissítse az értéket. -AddVariable=Add Variable -AddUpdater=Add Updater +AddVariable=Változó hozzáadása +AddUpdater=Frissítő hozzáadása GlobalVariables=Globális változók VariableToUpdate=Variable to update GlobalVariableUpdaters=A változók külső frissítései @@ -315,7 +315,7 @@ CorrectlyUpdated=Rendben frissítve PropalMergePdfProductActualFile=Files use to add into PDF Azur are/is PropalMergePdfProductChooseFile=PDF fájlok kiválasztása IncludingProductWithTag=Include products/services with tag -DefaultPriceRealPriceMayDependOnCustomer=Default price, real price may depend on customer +DefaultPriceRealPriceMayDependOnCustomer=Alapár, a valós ár vevőnként eltérhet WarningSelectOneDocument=Kérjük, válasszon legalább egy dokumentumot DefaultUnitToShow=Egység NbOfQtyInProposals=Mennyiség a javaslatokban @@ -376,7 +376,7 @@ NewProductAttribute=Új attribútum NewProductAttributeValue=Új attribútumérték ErrorCreatingProductAttributeValue=Hiba történt az attribútumérték létrehozása során. Lehetséges, hogy már van egy létező érték ezzel a hivatkozással ProductCombinationGeneratorWarning=If you continue, before generating new variants, all previous ones will be DELETED. Already existing ones will be updated with the new values -TooMuchCombinationsWarning=Generating lots of variants may result in high CPU, memory usage and Dolibarr not able to create them. Enabling the option "%s" may help reduce memory usage. +TooMuchCombinationsWarning=Túl sok variáció létrehozása nagy processzor terhelést és memória-használatot eredményezhet és a Dolibarr hibára futhat. A "%s" opció bekapcsolásával csökkentheti a túlzott memória foglalást. DoNotRemovePreviousCombinations=Ne távolítsa el a korábbi változatokat UsePercentageVariations=Százalékos variációk használata PercentageVariation=Százalékos variáció diff --git a/htdocs/langs/hu_HU/projects.lang b/htdocs/langs/hu_HU/projects.lang index 0a5f58045ef..d69968ffa21 100644 --- a/htdocs/langs/hu_HU/projects.lang +++ b/htdocs/langs/hu_HU/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projekt kapcsolatok ProjectsImContactFor=Olyan projektek, amelyekkel kifejezetten kapcsolatban állok AllAllowedProjects=Az összes projekt, amit el tudok olvasni (az enyém + nyilvános) AllProjects=Minden projekt -MyProjectsDesc=Ez a nézet azokra a projektekre korlátozódik, amelyekhez Ön kapcsolattartó +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Ez a nézet minden az ön által megtekinthető projektre van korlátozva. TasksOnProjectsPublicDesc=Ez a nézet azokat a projekteket mutatja be, amelyeket elolvashat. ProjectsPublicTaskDesc=Ez a nézet minden az ön által megtekinthető projektre van korlátozva. ProjectsDesc=Ez a nézet minden projektet tartalmaz. TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=Ez a nézet minden az ön által megtekinthető projektre van korlátozva. TasksDesc=Ez a nézet minden projektet tartalmaz. AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Új projekt @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Nincs hozzárendelve a feladathoz NoUserAssignedToTheProject=Nincs felhasználó hozzárendelve ehhez a projekthez TimeSpentBy=Által töltött idő TasksAssignedTo=Hozzárendelt feladatok -AssignTaskToMe=Rendeljen nekem feladatot +AssignTaskToMe=Assign task to myself AssignTaskToUser=Hozzárendelje a feladatot az %s fájlhoz SelectTaskToAssign=Válassza ki a hozzárendelni kívánt feladatot ... AssignTask=Hozzárendelni diff --git a/htdocs/langs/hu_HU/recruitment.lang b/htdocs/langs/hu_HU/recruitment.lang index 590a003a8f0..5e8a31df381 100644 --- a/htdocs/langs/hu_HU/recruitment.lang +++ b/htdocs/langs/hu_HU/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/hu_HU/sendings.lang b/htdocs/langs/hu_HU/sendings.lang index aba9cc8f51b..21d948c9f7e 100644 --- a/htdocs/langs/hu_HU/sendings.lang +++ b/htdocs/langs/hu_HU/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 modell WarningNoQtyLeftToSend=Figyelem, nincs szállításra váró termék. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/hu_HU/stocks.lang b/htdocs/langs/hu_HU/stocks.lang index 983d4c646dd..48d4ddc9f27 100644 --- a/htdocs/langs/hu_HU/stocks.lang +++ b/htdocs/langs/hu_HU/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nincs előredefiniált termék ehhez az objektumho DispatchVerb=Kiküldés StockLimitShort=Figyelmeztetés küszöbértéke StockLimit=A készlet figyelmeztetési határértéke -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Igazi készlet RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/hu_HU/users.lang b/htdocs/langs/hu_HU/users.lang index 9e9179eeb7c..1c115aac06a 100644 --- a/htdocs/langs/hu_HU/users.lang +++ b/htdocs/langs/hu_HU/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=A jelszó erre változott: %s SubjectNewPassword=Az új jelszava %s-hoz GroupRights=Csoport engedélyek UserRights=Felhasználói engedélyek +Credentials=Credentials UserGUISetup=Megjelenítési beállítások DisableUser=Letiltás DisableAUser=Felhasználó letiltása @@ -105,7 +106,7 @@ UseTypeFieldToChange=Hansználd a mezőt a módosításhoz OpenIDURL=OpenID URL LoginUsingOpenID=Használd az OpenID-t a belépéshez WeeklyHours=Munkaidő (hetente) -ExpectedWorkedHours=Várható heti munkaidő +ExpectedWorkedHours=Expected hours worked per week ColorUser=A felhasználó színe DisabledInMonoUserMode=Karbantartási módban kikapcsolt UserAccountancyCode=Felhasználói számviteli kód @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=A foglalkoztatás kezdő dátuma DateEmploymentEnd=A foglalkoztatás befejezési dátuma -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=Saját felhasználói rekordját nem tilthatja le ForceUserExpenseValidator=A költségjelentés érvényesítésének kényszerítése ForceUserHolidayValidator=A szabadságkérelem érvényesítése diff --git a/htdocs/langs/hu_HU/website.lang b/htdocs/langs/hu_HU/website.lang index df9bc9385e8..0d0b576b87e 100644 --- a/htdocs/langs/hu_HU/website.lang +++ b/htdocs/langs/hu_HU/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/id_ID/accountancy.lang b/htdocs/langs/id_ID/accountancy.lang index 8f2c1104d2a..5ee50624603 100644 --- a/htdocs/langs/id_ID/accountancy.lang +++ b/htdocs/langs/id_ID/accountancy.lang @@ -202,7 +202,7 @@ Docref=Referensi LabelAccount=Label Akun LabelOperation=Operasi label Sens=Arah -AccountingDirectionHelp=Untuk akun akuntansi pelanggan, gunakan Kredit untuk mencatat pembayaran yang Anda terima
Untuk akun akuntansi pemasok, gunakan Debit untuk mencatat pembayaran yang Anda lakukan +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Kode huruf Lettering=Tulisan Codejournal=Jurnal @@ -297,7 +297,7 @@ NoNewRecordSaved=Tidak ada lagi catatan untuk dijurnal ListOfProductsWithoutAccountingAccount=Daftar produk yang tidak terikat ke akun akuntansi apa pun ChangeBinding=Ubah ikatannya Accounted=Disumbang dalam buku besar -NotYetAccounted=Belum diperhitungkan dalam buku besar +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Perlihatkan Tutorial NotReconciled=Tidak didamaikan WarningRecordWithoutSubledgerAreExcluded=Peringatan, semua operasi tanpa akun subledger ditentukan disaring dan dikecualikan dari tampilan ini diff --git a/htdocs/langs/id_ID/admin.lang b/htdocs/langs/id_ID/admin.lang index 91c88376980..299e5a8b016 100644 --- a/htdocs/langs/id_ID/admin.lang +++ b/htdocs/langs/id_ID/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Hapus / ganti nama berkas %s jika sudah ada, untuk memperboleh RestoreLock=Pulihkan berkas %s, dengan izin baca saja, untuk menonaktifkan pemakaian alat Pembaruan / Instal lebih lanjut. SecuritySetup=Pengaturan Keamanan PHPSetup=Pengaturan PHP +OSSetup=OS setup SecurityFilesDesc=Tetapkan di sini untuk opsi yang terkait dengan keamanan tentang mengunggah berkas. ErrorModuleRequirePHPVersion=Kesalahan, modul ini membutuhkan versi PHP %s atau lebih tinggi ErrorModuleRequireDolibarrVersion=Kesalahan, modul ini membutuhkan versi Dolibarr %s atau lebih tinggi @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Jangan menyarankan NoActiveBankAccountDefined=Tidak ada rekening bank aktif yang ditentukan OwnerOfBankAccount=Pemilik rekening bank %s BankModuleNotActive=Modul rekening bank tidak diaktifkan -ShowBugTrackLink=Tampilkan tautan " %s " +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Lansiran DelaysOfToleranceBeforeWarning=Tunda sebelum menampilkan peringatan untuk: DelaysOfToleranceDesc=Atur penundaan sebelum ikon peringatan %s ditampilkan di layar untuk elemen yang terakhir. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Anda harus menjalankan perintah YourPHPDoesNotHaveSSLSupport=Fungsi SSL tidak tersedia di PHP Anda DownloadMoreSkins=Lebih banyak skin untuk diunduh SimpleNumRefModelDesc=Mengembalikan nomor referensi dalam format %syymm-nnnn di mana yy adalah tahun, mm adalah bulan dan nnnn adalah nomor auto-incrementing berurutan tanpa reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Tampilkan id profesional dengan alamat ShowVATIntaInAddress=Sembunyikan nomor PPN intra-Komunitas dengan alamat TranslationUncomplete=Terjemahan sebagian @@ -2062,7 +2064,7 @@ UseDebugBar=Gunakan bilah debug DEBUGBAR_LOGS_LINES_NUMBER=Jumlah baris log terakhir untuk disimpan di konsol WarningValueHigherSlowsDramaticalyOutput=Peringatan, nilai yang lebih tinggi memperlambat output yang dramatis ModuleActivated=Modul %s diaktifkan dan memperlambat antarmuka -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=Jika Anda berada di lingkungan produksi, Anda harus menyetel properti ini ke %s. AntivirusEnabledOnUpload=Antivirus diaktifkan pada file yang diunggah @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/id_ID/banks.lang b/htdocs/langs/id_ID/banks.lang index cdb2c57e5cf..84e3aecbc0f 100644 --- a/htdocs/langs/id_ID/banks.lang +++ b/htdocs/langs/id_ID/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Pembayaran pajak sosial / fiskal BankTransfer=Transfer Kredit BankTransfers=Transfer Kredit MenuBankInternalTransfer=Transfer internal -TransferDesc=Transfer dari satu akun ke akun lainnya, Dolibarr akan menulis dua catatan (satu akun debit di sumber dan satu kredit di akun target). Jumlah yang sama (kecuali tanda), label dan tanggal akan digunakan untuk transaksi ini) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Dari TransferTo=Kepada TransferFromToDone=Transfer dari %s ke %s dari %s %s telah dicatat. -CheckTransmitter=Pemancar +CheckTransmitter=Sender ValidateCheckReceipt=Validasi tanda terima cek ini? -ConfirmValidateCheckReceipt=Yakin ingin memvalidasi tanda terima cek ini, tidak ada perubahan yang mungkin terjadi setelah ini dilakukan? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Hapus tanda terima cek ini? ConfirmDeleteCheckReceipt=Anda yakin ingin menghapus tanda terima cek ini? BankChecks=Cek bank @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Apakah Anda yakin ingin menghapus entri ini? ThisWillAlsoDeleteBankRecord=Ini juga akan menghapus entri bank yang dihasilkan BankMovements=Pergerakan PlannedTransactions=Entri yang direncanakan -Graph=Grafik +Graph=Graphs ExportDataset_banque_1=Entri bank dan laporan rekening ExportDataset_banque_2=Slip penyetoran TransactionOnTheOtherAccount=Transaksi di akun lain @@ -142,7 +142,7 @@ AllAccounts=Semua rekening bank dan kas BackToAccount=Kembali ke akun ShowAllAccounts=Tampilkan untuk semua akun FutureTransaction=Transaksi di masa depan. Tidak dapat melakukan rekonsiliasi. -SelectChequeTransactionAndGenerate=Pilih / saring cek untuk dimasukkan dalam tanda terima setoran cek dan klik "Buat". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Pilih laporan bank yang terkait dengan konsiliasi. Gunakan nilai numerik yang dapat diurutkan: YYYYMM atau YYYYMMDD EventualyAddCategory=Akhirnya, tentukan kategori untuk mengklasifikasikan catatan ToConciliate=Untuk berdamai? diff --git a/htdocs/langs/id_ID/bills.lang b/htdocs/langs/id_ID/bills.lang index 69108eb724c..91d13c95fd0 100644 --- a/htdocs/langs/id_ID/bills.lang +++ b/htdocs/langs/id_ID/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Ubah kelebihan bayar menjadi diskon yang tersedia EnterPaymentReceivedFromCustomer=Masukkan pembayaran yang diterima dari pelanggan EnterPaymentDueToCustomer=Buat tempo pembayaran ke pelanggan DisabledBecauseRemainderToPayIsZero=Dinonaktifkan karena sisa yang belum dibayar adalah nol -PriceBase=Harga dasar +PriceBase=Base price BillStatus=Status tagihan StatusOfGeneratedInvoices=Status faktur yang dihasilkan BillStatusDraft=Konsep (harus di validasi) @@ -454,7 +454,7 @@ RegulatedOn=Diatur pada ChequeNumber=Periksa N ° ChequeOrTransferNumber=Periksa / Transfer N ° ChequeBordereau=Periksa jadwal -ChequeMaker=Periksa / Transfer pemancar +ChequeMaker=Check/Transfer sender ChequeBank=Bank Cek CheckBank=Periksa NetToBePaid=Bersih harus dibayar diff --git a/htdocs/langs/id_ID/boxes.lang b/htdocs/langs/id_ID/boxes.lang index 0106417ec18..849a43fd146 100644 --- a/htdocs/langs/id_ID/boxes.lang +++ b/htdocs/langs/id_ID/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmark: %s terbaru BoxOldestExpiredServices=Layanan kedaluwarsa aktif terlama BoxLastExpiredServices=Kontak tertua %s terbaru dengan layanan kedaluwarsa aktif BoxTitleLastActionsToDo=Tindakan %s terbaru yang harus dilakukan -BoxTitleLastContracts=Kontrak modifikasi %s terbaru -BoxTitleLastModifiedDonations=Donasi terbaru %s yang dimodifikasi -BoxTitleLastModifiedExpenses=Laporan pengeluaran termodifikasi %s terbaru -BoxTitleLatestModifiedBoms=BOM dimodifikasi %s terbaru -BoxTitleLatestModifiedMos=Modifikasi Pesanan Manufaktur %s terbaru +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Aktivitas global (faktur, proposal, pesanan) BoxGoodCustomers=Pelanggan yang baik diff --git a/htdocs/langs/id_ID/cashdesk.lang b/htdocs/langs/id_ID/cashdesk.lang index b18ea4ad4a5..d81264ec43d 100644 --- a/htdocs/langs/id_ID/cashdesk.lang +++ b/htdocs/langs/id_ID/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Lantai AddTable=Tambahkan tabel Place=Penempatan TakeposConnectorNecesary=Diperlukan 'TakePOS Connector' -OrderPrinters=Printer pesanan +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Cari produk Receipt=Resi Header=Tajuk @@ -56,8 +57,9 @@ Paymentnumpad=Jenis Pad untuk memasukkan pembayaran Numberspad=Angka pad BillsCoinsPad=Koin dan Pad uang kertas DolistorePosCategory=Modul TakePOS dan solusi POS lainnya untuk Dolibarr -TakeposNeedsCategories=TakePOS membutuhkan kategori produk agar berfungsi -OrderNotes=Catatan Pemesanan +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Akun default untuk digunakan untuk pembayaran dalam NoPaimementModesDefined=Tidak ada mode paiment yang ditentukan dalam konfigurasi TakePOS TicketVatGrouped=Kelompokkan PPN berdasarkan tarif dalam tiket | kwitansi @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Faktur sudah divalidasi NoLinesToBill=Tidak ada garis untuk ditagih CustomReceipt=Tanda Terima Kustom ReceiptName=Nama Penerimaan -ProductSupplements=Suplemen Produk +ProductSupplements=Manage supplements of products SupplementCategory=Kategori suplemen ColorTheme=Tema warna Colorful=Penuh warna @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Pencetakan resi yang sederhana dan mudah. Hanya beberapa parameter untuk mengkonfigurasi tanda terima. Cetak melalui browser. TakeposConnectorMethodDescription=Modul eksternal dengan fitur tambahan. Dapat memungkinkan untuk mencetak dari cloud. PrintMethod=Metode cetak -ReceiptPrinterMethodDescription=Metode yang kuat dengan banyak parameter. Penuh dapat disesuaikan dengan templat. Tidak dapat mencetak dari cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Dengan terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Modul penomoran untuk penjualan POS @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/id_ID/categories.lang b/htdocs/langs/id_ID/categories.lang index 502485f4aca..96b9cb69a30 100644 --- a/htdocs/langs/id_ID/categories.lang +++ b/htdocs/langs/id_ID/categories.lang @@ -3,20 +3,20 @@ Rubrique=Label/Kategori Rubriques=Label/Kategori RubriquesTransactions=Label/Kategori Transaksi categories=Label/Kategori -NoCategoryYet=Tidak ada label/kategori untuk jenis ini yang dibuat +NoCategoryYet=No tag/category of this type has been created In=Pada AddIn=Tambahan modify=Modifikasi Classify=Klasifikasikan CategoriesArea=Area Label/Kategori -ProductsCategoriesArea=Area label/kategori Produk/Layanan -SuppliersCategoriesArea=Area label/kategori Vendor -CustomersCategoriesArea=Area label/kategori Pelanggan -MembersCategoriesArea=Area label/kategori Anggota -ContactsCategoriesArea=Area label/kategori Kontak -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Area label/kategori Proyek -UsersCategoriesArea=Area label/kategori Pengguna +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-kategori CatList=Daftar label/kategori CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Pilih Kategori StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Gunakan atau operator untuk kategori +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/id_ID/companies.lang b/htdocs/langs/id_ID/companies.lang index adf0a9abd4a..0db74b127bb 100644 --- a/htdocs/langs/id_ID/companies.lang +++ b/htdocs/langs/id_ID/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Nama Perusahaan %s telah terdaftar. Silahkan masukan nama lain. ErrorSetACountryFirst=Set Negara dulu SelectThirdParty=Pilih Pihak Ketiga -ConfirmDeleteCompany=Apakah Anda yakin ingin menghapus perusahaan ini dan semua informasi yang diwarisi? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Hapus kontak/alamat -ConfirmDeleteContact=Apakah Anda yakin ingin menghapus kontak ini dan semua informasi yang diwarisi? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Pihak Ketiga Baru MenuNewCustomer=Pelanggan baru MenuNewProspect=Prospek Baru @@ -69,7 +69,7 @@ PhoneShort=Telepon Skype=Skype Call=Panggilan Chat=Obrolan -PhonePro=Telepon Prof. +PhonePro=Bus. phone PhonePerso=Pers. telepon PhoneMobile=Mobile No_Email=Tolak email massal @@ -78,7 +78,7 @@ Zip=Kode Pos Town=Kota Web=Web Poste= Posisi -DefaultLang=Default bahasa +DefaultLang=Default language VATIsUsed=Pajak penjualan digunakan VATIsUsedWhenSelling=Ini menentukan apakah pihak ketiga ini termasuk pajak penjualan atau tidak ketika membuat faktur kepada pelanggannya sendiri VATIsNotUsed=Pajak penjualan tidak digunakan @@ -331,7 +331,7 @@ CustomerCodeDesc=Kode Pelanggan, unik untuk semua pelanggan SupplierCodeDesc=Kode Vendor, unik untuk semua vendor RequiredIfCustomer=Diperlukan jika pihak ketiga adalah pelanggan atau prospek RequiredIfSupplier=Diperlukan jika pihak ketiga adalah vendor -ValidityControledByModule=Validitas dikendalikan oleh modul +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Aturan untuk modul ini ProspectToContact=Prospek untuk dihubungi CompanyDeleted=Perusahaan "%s" dihapus dari basis data. @@ -439,12 +439,12 @@ ListSuppliersShort=Daftar Vendor ListProspectsShort=Daftar Prospek ListCustomersShort=Daftar Pelanggan ThirdPartiesArea=Pihak Ketiga/Kontak -LastModifiedThirdParties=%s dimodifikasi Pihak Ketiga terbaru -UniqueThirdParties=Total Pihak Ketiga +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Buka ActivityCeased=Ditutup ThirdPartyIsClosed=Pihak ketiga ditutup -ProductsIntoElements=Daftar produk/layanan ke %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Tagihan terutang saat ini OutstandingBill=Maks. untuk tagihan luar biasa OutstandingBillReached=Maks. untuk tagihan luar biasa tercapai @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Kode ini gratis. Kode ini dapat dimodifikasi kapan saja. ManagingDirectors=Nama manajer (CEO, direktur, presiden ...) MergeOriginThirdparty=Duplikat pihak ketiga (pihak ketiga yang ingin Anda hapus) MergeThirdparties=Gabungkan pihak ketiga -ConfirmMergeThirdparties=Anda yakin ingin menggabungkan pihak ketiga ini menjadi yang sekarang? Semua objek yang ditautkan (faktur, pesanan, ...) akan dipindahkan ke pihak ketiga saat ini, maka pihak ketiga akan dihapus. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Pihak ketiga telah bergabung SaleRepresentativeLogin=Login perwakilan penjualan SaleRepresentativeFirstname=Nama depan perwakilan penjualan diff --git a/htdocs/langs/id_ID/compta.lang b/htdocs/langs/id_ID/compta.lang index 1d7b8a7b043..37c855feba5 100644 --- a/htdocs/langs/id_ID/compta.lang +++ b/htdocs/langs/id_ID/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Diskon baru NewCheckDeposit=Setoran cek baru NewCheckDepositOn=Buat tanda terima untuk setoran pada akun: %s NoWaitingChecks=Tidak ada cek yang menunggu setoran. -DateChequeReceived=Periksa tanggal penerimaan +DateChequeReceived=Check receiving date NbOfCheques=Jumlah cek PaySocialContribution=Membayar pajak sosial / fiskal PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/id_ID/ecm.lang b/htdocs/langs/id_ID/ecm.lang index 22be2855e7b..5f79acf805d 100644 --- a/htdocs/langs/id_ID/ecm.lang +++ b/htdocs/langs/id_ID/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/id_ID/errors.lang b/htdocs/langs/id_ID/errors.lang index 17842a411a5..f65b4dd8a4c 100644 --- a/htdocs/langs/id_ID/errors.lang +++ b/htdocs/langs/id_ID/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Tidak ada kesalahan, kami berkomitmen # Errors ErrorButCommitIsDone=Kesalahan ditemukan tetapi kami memvalidasinya -ErrorBadEMail=Email %s salah -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s salah +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Nilai buruk untuk parameter Anda. Biasanya ditambahkan ketika terjemahan tidak ada. ErrorRefAlreadyExists=Referensi %s sudah ada. ErrorLoginAlreadyExists=Login %s sudah ada. @@ -46,8 +46,8 @@ ErrorWrongDate=Tanggal tidak benar! ErrorFailedToWriteInDir=Gagal menulis dalam direktori %s ErrorFoundBadEmailInFile=Ditemukan sintaks email yang salah untuk baris %s dalam file (contoh baris %s dengan email = %s) ErrorUserCannotBeDelete=Pengguna tidak dapat dihapus. Mungkin itu terkait dengan entitas Dolibarr. -ErrorFieldsRequired=Beberapa bidang wajib diisi tidak terisi. -ErrorSubjectIsRequired=Diperlukan topik email +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Gagal membuat direktori. Periksa apakah pengguna server Web memiliki izin untuk menulis ke direktori dokumen Dolibarr. Jika parametersafe_modediaktifkan pada PHP ini, periksa apakah file-file Dolibarr php milik pengguna web server (atau grup). ErrorNoMailDefinedForThisUser=Tidak ada surat yang ditentukan untuk pengguna ini ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Halaman / wadah%s m ErrorDuringChartLoad=Kesalahan saat memuat bagan akun. Jika beberapa akun tidak dimuat, Anda masih dapat memasukkannya secara manual. ErrorBadSyntaxForParamKeyForContent=Sintaks buruk untuk parameter keyforcontent Harus memiliki nilai yang dimulai dengan %s atau %s ErrorVariableKeyForContentMustBeSet=Kesalahan, konstanta dengan nama %s (dengan konten teks untuk ditampilkan) atau %s (dengan url eksternal untuk ditampilkan) harus disetel. +ErrorURLMustEndWith=URL %s must end %s ErrorURLMustStartWithHttp=URL %s harus dimulai dengan http: // atau https: // ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// ErrorNewRefIsAlreadyUsed=Kesalahan, referensi baru sudah digunakan @@ -296,3 +297,4 @@ WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connec WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. ErrorActionCommPropertyUserowneridNotDefined=User's owner is required ErrorActionCommBadType=Selected event type (id: %n, code: %s) do not exist in Event Type dictionary +CheckVersionFail=Version check fail diff --git a/htdocs/langs/id_ID/eventorganization.lang b/htdocs/langs/id_ID/eventorganization.lang new file mode 100644 index 00000000000..743b1f59013 --- /dev/null +++ b/htdocs/langs/id_ID/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Pengaturan +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Konsep +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/id_ID/knowledgemanagement.lang b/htdocs/langs/id_ID/knowledgemanagement.lang new file mode 100644 index 00000000000..d968e8e9fd4 --- /dev/null +++ b/htdocs/langs/id_ID/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Pengaturan +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/id_ID/mails.lang b/htdocs/langs/id_ID/mails.lang index ed918cac7a5..2978429333e 100644 --- a/htdocs/langs/id_ID/mails.lang +++ b/htdocs/langs/id_ID/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Kepada pengguna(banyak) MailCC=Salin ke MailToCCUsers=Salin ke pengguna(banyak) MailCCC=Cadangkan cache salinan ke -MailTopic=Topik email +MailTopic=Email subject MailText=Pesan MailFile=File-file terlampir MailMessage=Badan email @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=Tidak ada pemberitahuan email otomatis yang direncanak ANotificationsWillBeSent=1 notifikasi otomatis akan dikirim melalui email SomeNotificationsWillBeSent=%s notifikasi otomatis akan dikirim melalui email AddNewNotification=Berlangganan pemberitahuan email otomatis baru (target / acara) -ListOfActiveNotifications=Buat daftar semua langganan aktif (target / acara) untuk pemberitahuan email otomatis -ListOfNotificationsDone=Cantumkan semua pemberitahuan email otomatis yang dikirim +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Konfigurasi pengiriman email telah diatur ke '%s'. Mode ini tidak dapat digunakan untuk mengirim email masal. MailSendSetupIs2=Anda pertama-tama harus pergi, dengan akun admin, ke dalam menu %sHome - Setup - EMails%s untuk mengubah parameter'%s' untuk menggunakan mode ' %s'. Dengan mode ini, Anda dapat masuk ke pengaturan server SMTP yang disediakan oleh Penyedia Layanan Internet Anda dan menggunakan fitur kirim email dengan skala besar. MailSendSetupIs3=Jika Anda memiliki pertanyaan tentang cara mengatur server SMTP Anda, Anda dapat bertanya ke %s. diff --git a/htdocs/langs/id_ID/main.lang b/htdocs/langs/id_ID/main.lang index fd738bd65fa..00db3c9d24e 100644 --- a/htdocs/langs/id_ID/main.lang +++ b/htdocs/langs/id_ID/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Simpan dan baru TestConnection=Tes koneksi ToClone=Gandakan ConfirmCloneAsk=Apakah Anda yakin ingin mengkloning objek%s ? -ConfirmClone=Pilih data yang ingin Anda klon: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Tidak ada data untuk dikloning yang ditentukan. Of=dari Go=Pergilah @@ -246,7 +246,7 @@ DefaultModel=Template dokumen default Action=Peristiwa About=Tentang Number=Jumlah -NumberByMonth=Jumlah berdasarkan bulan +NumberByMonth=Total reports by month AmountByMonth=Jumlah menurut bulan Numero=Jumlah Limit=Membatasi @@ -341,8 +341,8 @@ KiloBytes=Kilobyte MegaBytes=Megabita GigaBytes=Gigabytes TeraBytes=Terabyte -UserAuthor=Pengguna ciptaan -UserModif=Pengguna pembaruan terakhir +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Oleh From=Dari FromDate=Dari FromLocation=Dari -at=di to=untuk To=untuk +ToDate=to +ToLocation=to +at=di and=dan or=atau Other=Lainnya @@ -843,7 +845,7 @@ XMoreLines=%s baris tersembunyi ShowMoreLines=Tampilkan lebih banyak / lebih sedikit garis PublicUrl=URL publik AddBox=Tambahkan kotak -SelectElementAndClick=Pilih elemen dan klik %s +SelectElementAndClick=Select an element and click on %s PrintFile=Cetak File %s ShowTransaction=Tampilkan entri di rekening bank ShowIntervention=Tampilkan intervensi @@ -854,8 +856,8 @@ Denied=Ditolak ListOf=Daftar %s ListOfTemplates=Daftar templat Gender=Jenis kelamin -Genderman=Pria -Genderwoman=Wanita +Genderman=Male +Genderwoman=Female Genderother=Lainnya ViewList=Tampilan daftar ViewGantt=Lihat saja @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Yakin ingin memengaruhi tag ke %s rekaman yang dipilih( CategTypeNotFound=Tidak ada jenis tag yang ditemukan untuk jenis rekaman CopiedToClipboard=Disalin ke papan klip InformationOnLinkToContract=Jumlah ini hanyalah total dari semua garis kontrak. Tidak ada gagasan tentang waktu yang dipertimbangkan. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/id_ID/members.lang b/htdocs/langs/id_ID/members.lang index 39cec55bfa0..b7c15c1e19d 100644 --- a/htdocs/langs/id_ID/members.lang +++ b/htdocs/langs/id_ID/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=anggota lain (nama:%s , login: ErrorUserPermissionAllowsToLinksToItselfOnly=Demi alasan keamanan, Anda harus diberikan izin untuk mengedit semua pengguna agar dapat menautkan anggota ke pengguna yang bukan milik Anda. SetLinkToUser=Tautan ke pengguna Dolibarr SetLinkToThirdParty=Tautan ke pihak ketiga Dolibarr -MembersCards=Kartu nama anggota +MembersCards=Business cards for members MembersList=Daftar anggota MembersListToValid=Daftar anggota konsep (akan divalidasi) MembersListValid=Daftar anggota yang valid @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Anggota dengan berlangganan untuk menerima MembersWithSubscriptionToReceiveShort=Berlangganan untuk menerima DateSubscription=Tanggal berlangganan DateEndSubscription=Tanggal akhir berlangganan -EndSubscription=Akhiri berlangganan +EndSubscription=Subscription Ends SubscriptionId=ID berlangganan WithoutSubscription=Without subscription MemberId=Tanda Anggota @@ -83,10 +83,10 @@ WelcomeEMail=Selamat datang email SubscriptionRequired=Dibutuhkan berlangganan DeleteType=Hapus VoteAllowed=Vote diizinkan -Physical=Fisik -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Diaktifkan kembali +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Hentikan anggota @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Statistik anggota menurut negara MembersStatisticsByState=Statistik anggota menurut negara bagian / provinsi MembersStatisticsByTown=Statistik anggota menurut kota MembersStatisticsByRegion=Statistik anggota berdasarkan wilayah -NbOfMembers=Jumlah anggota -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Tidak ada anggota yang divalidasi yang ditemukan -MembersByCountryDesc=Layar ini menunjukkan statistik anggota berdasarkan negara. Grafik tergantung pada layanan grafik online Google dan hanya tersedia jika koneksi internet berfungsi. -MembersByStateDesc=Layar ini menunjukkan statistik anggota berdasarkan negara bagian / provinsi / kanton. -MembersByTownDesc=Layar ini menunjukkan statistik anggota berdasarkan kota. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Pilih statistik yang ingin Anda baca ... MenuMembersStats=Statistik -LastMemberDate=Tanggal anggota terbaru +LastMemberDate=Latest membership date LatestSubscriptionDate=Tanggal berlangganan terbaru -MemberNature=Sifat anggota -MembersNature=Nature of members -Public=Informasi bersifat publik +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Anggota baru ditambahkan. Menunggu persetujuan NewMemberForm=Formulir anggota baru -SubscriptionsStatistics=Statistik tentang langganan +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Jumlah langganan -AmountOfSubscriptions=Jumlah langganan +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Omset (untuk perusahaan) atau Anggaran (untuk yayasan) DefaultAmount=Jumlah langganan default CanEditAmount=Pengunjung dapat memilih / mengedit jumlah langganannya MEMBER_NEWFORM_PAYONLINE=Langsung ke halaman pembayaran online terintegrasi ByProperties=Secara alami MembersStatisticsByProperties=Statistik anggota secara alami -MembersByNature=Layar ini menunjukkan statistik tentang anggota. -MembersByRegion=Layar ini menampilkan statistik anggota berdasarkan wilayah. VATToUseForSubscriptions=Tarif PPN yang digunakan untuk langganan NoVatOnSubscription=Tidak ada PPN untuk langganan ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produk yang digunakan untuk jalur berlangganan menjadi faktur: %s diff --git a/htdocs/langs/id_ID/modulebuilder.lang b/htdocs/langs/id_ID/modulebuilder.lang index e573b8011ba..2f41574e85c 100644 --- a/htdocs/langs/id_ID/modulebuilder.lang +++ b/htdocs/langs/id_ID/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=Daftar izin yang ditentukan SeeExamples=Lihat contoh di sini EnabledDesc=Ketentuan untuk mengaktifkan bidang ini (Contoh: 1 atau $ conf-> global-> MYMODULE_MYOPTION) VisibleDesc=Apakah bidangnya terlihat? (Contoh: 0 = Tidak pernah terlihat, 1 = Terlihat pada daftar dan membuat / memperbarui / melihat formulir, 2 = Terlihat hanya pada daftar, 3 = Hanya terlihat pada formulir buat / perbarui / lihat (bukan daftar), 4 = Terlihat pada daftar dan perbarui / lihat saja form (bukan buat), 5 = Terlihat hanya pada form tampilan akhir daftar (bukan buat, bukan perbarui).

Menggunakan nilai negatif berarti bidang tidak ditampilkan secara default pada daftar tetapi dapat dipilih untuk dilihat).

Ini bisa berupa ekspresi, misalnya:
preg_match ('/ publik /', $ _SERVER ['PHP_SELF'])? 0: 1
(hak liburan-> mendefinisikan liburan-> hak): -DisplayOnPdfDesc=Tampilkan bidang ini pada dokumen PDF yang kompatibel, Anda dapat mengelola posisi dengan bidang "Posisi".
Saat ini, dikenal model kompatibel PDF adalah: Eratosthenes (order), espadon (kapal), spons (faktur), cyan (propal / kutip), Cornas (order pemasok)

Untuk dokumen:
0 = tidak ditampilkan
1 = display
2 = menampilkan hanya jika tidak kosong

Untuk lini dokumen:
0 = tidak ditampilkan
1 = ditampilkan dalam kolom
3 = display di kolom deskripsi baris setelah deskripsi
4 = display di kolom deskripsi setelah deskripsi hanya jika tidak kosong +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Tampilan di PDF IsAMeasureDesc=Bisakah nilai bidang diakumulasikan untuk mendapatkan total ke dalam daftar? (Contoh: 1 atau 0) SearchAllDesc=Apakah bidang yang digunakan untuk melakukan pencarian dari alat pencarian cepat? (Contoh: 1 atau 0) diff --git a/htdocs/langs/id_ID/other.lang b/htdocs/langs/id_ID/other.lang index 9e98004abe1..7b5bd50c7db 100644 --- a/htdocs/langs/id_ID/other.lang +++ b/htdocs/langs/id_ID/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Instal atau aktifkan pustaka GD pada instalasi PHP Anda untu ProfIdShortDesc=Prof Id %sadalah informasi tergantung pada negara pihak ketiga.
Misalnya, untuk negara%s , itu kode%s a09a4b739f17f8z DolibarrDemo=Demo Dolibarr ERP / CRM StatsByNumberOfUnits=Statistik untuk jumlah jumlah produk / layanan -StatsByNumberOfEntities=Statistik dalam jumlah entitas pengarah (no. Faktur, atau pesanan ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Jumlah proposal NumberOfCustomerOrders=Jumlah pesanan penjualan NumberOfCustomerInvoices=Jumlah faktur pelanggan @@ -289,4 +289,4 @@ PopuProp=Produk / Layanan berdasarkan popularitas dalam Proposal PopuCom=Produk / Layanan berdasarkan popularitas dalam Pesanan ProductStatistics=Statistik Produk / Layanan NbOfQtyInOrders=Jumlah pesanan -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/id_ID/partnership.lang b/htdocs/langs/id_ID/partnership.lang new file mode 100644 index 00000000000..a1e47473966 --- /dev/null +++ b/htdocs/langs/id_ID/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Tanggal mulai +DatePartnershipEnd=Tanggal Akhir + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Konsep +PartnershipAccepted = Accepted +PartnershipRefused = Ditolak +PartnershipCanceled = Dibatalkan + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/id_ID/productbatch.lang b/htdocs/langs/id_ID/productbatch.lang index bd5348169ac..2ee8f9d3c63 100644 --- a/htdocs/langs/id_ID/productbatch.lang +++ b/htdocs/langs/id_ID/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/id_ID/products.lang b/htdocs/langs/id_ID/products.lang index 86fe0893b1e..1c2a44525f5 100644 --- a/htdocs/langs/id_ID/products.lang +++ b/htdocs/langs/id_ID/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Layanan untuk dijual saja ServicesOnPurchaseOnly=Layanan untuk pembelian saja ServicesNotOnSell=Layanan tidak untuk dijual dan tidak untuk pembelian ServicesOnSellAndOnBuy=Layanan untuk dijual dan untuk pembelian -LastModifiedProductsAndServices=Produk / layanan modifikasi %s terbaru +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Produk terekam %s terbaru LastRecordedServices=Layanan terekam %s terbaru CardProduct0=Produk @@ -73,12 +73,12 @@ SellingPrice=Harga penjualan SellingPriceHT=Harga jual (tidak termasuk pajak) SellingPriceTTC=Harga jual (termasuk pajak) SellingMinPriceTTC=Harga Jual Minimum (termasuk pajak) -CostPriceDescription=Bidang harga ini (tidak termasuk pajak) dapat digunakan untuk menyimpan jumlah rata-rata biaya produk ini untuk perusahaan Anda. Ini bisa berupa harga yang Anda hitung sendiri, misalnya dari harga beli rata-rata ditambah biaya produksi dan distribusi rata-rata. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Nilai ini dapat digunakan untuk perhitungan margin. SoldAmount=Jumlah yang dijual PurchasedAmount=Jumlah yang dibeli NewPrice=Harga baru -MinPrice=Min. harga jual +MinPrice=Min. selling price EditSellingPriceLabel=Edit label harga jual CantBeLessThanMinPrice=Harga jual tidak boleh lebih rendah dari minimum yang diizinkan untuk produk ini (%s tanpa pajak). Pesan ini juga dapat muncul jika Anda mengetikkan diskon yang terlalu penting. ContractStatusClosed=Ditutup @@ -157,11 +157,11 @@ ListServiceByPopularity=Daftar layanan berdasarkan popularitas Finished=Produk yang diproduksi RowMaterial=Bahan baku ConfirmCloneProduct=Yakin ingin mengkloning produk atau layanan%s ? -CloneContentProduct=Mengkloning semua informasi utama produk / layanan +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Harga klon -CloneCategoriesProduct=Tag / kategori kloning tertaut -CloneCompositionProduct=Klon produk / layanan virtual -CloneCombinationsProduct=Variasi produk klon +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Produk ini digunakan NewRefForClone=Ref. produk / layanan baru SellingPrices=Harga jual @@ -170,12 +170,12 @@ CustomerPrices=Harga pelanggan SuppliersPrices=Harga penjual SuppliersPricesOfProductsOrServices=Harga vendor (produk atau layanan) CustomCode=Customs|Commodity|HS code -CountryOrigin=Negara Asal -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Sifat produk (bahan / selesai) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Sifat produk -NatureOfProductDesc=Bahan baku mentah atau produk jadi +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Label pendek Unit=Satuan p=kamu diff --git a/htdocs/langs/id_ID/projects.lang b/htdocs/langs/id_ID/projects.lang index bf2e4cbb771..50729228dab 100644 --- a/htdocs/langs/id_ID/projects.lang +++ b/htdocs/langs/id_ID/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Kontak proyek ProjectsImContactFor=Proyek yang secara eksplisit saya hubungi AllAllowedProjects=Semua proyek yang dapat saya baca (milik saya + publik) AllProjects=Semua proyek -MyProjectsDesc=Pandangan ini terbatas pada proyek tempat Anda dihubungi +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Tampilan ini menyajikan semua proyek yang boleh Anda baca. TasksOnProjectsPublicDesc=Tampilan ini menyajikan semua tugas pada proyek yang diizinkan Anda baca. ProjectsPublicTaskDesc=Tampilan ini menyajikan semua proyek dan tugas yang boleh Anda baca. ProjectsDesc=Tampilan ini menyajikan semua proyek (izin pengguna Anda memberi Anda izin untuk melihat semuanya). TasksOnProjectsDesc=Tampilan ini menyajikan semua tugas pada semua proyek (izin pengguna Anda memberi Anda izin untuk melihat semuanya). -MyTasksDesc=Pandangan ini terbatas pada proyek atau tugas yang harus Anda hubungi +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Hanya proyek terbuka yang terlihat (proyek dalam konsep atau status tertutup tidak terlihat). ClosedProjectsAreHidden=Proyek yang ditutup tidak terlihat. TasksPublicDesc=Tampilan ini menyajikan semua proyek dan tugas yang boleh Anda baca. TasksDesc=Tampilan ini menyajikan semua proyek dan tugas (izin pengguna Anda memberi Anda izin untuk melihat semuanya). AllTaskVisibleButEditIfYouAreAssigned=Semua tugas untuk proyek yang memenuhi syarat terlihat, tetapi Anda dapat memasukkan waktu hanya untuk tugas yang diberikan kepada pengguna yang dipilih. Tetapkan tugas jika Anda perlu memasukkan waktu untuk itu. -OnlyYourTaskAreVisible=Hanya tugas yang diberikan kepada Anda yang terlihat. Tetapkan tugas untuk diri sendiri jika tidak terlihat dan Anda harus memasukkan waktu untuk itu. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tugas proyek ProjectCategories=Tag / kategori proyek NewProject=Proyek baru @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Tidak ditugaskan untuk tugas itu NoUserAssignedToTheProject=Tidak ada pengguna yang ditugaskan untuk proyek ini TimeSpentBy=Waktu yang dihabiskan oleh TasksAssignedTo=Tugas yang ditugaskan untuk -AssignTaskToMe=Tetapkan tugas untuk saya +AssignTaskToMe=Assign task to myself AssignTaskToUser=Tetapkan tugas ke %s SelectTaskToAssign=Pilih tugas untuk ditetapkan ... AssignTask=Menetapkan diff --git a/htdocs/langs/id_ID/recruitment.lang b/htdocs/langs/id_ID/recruitment.lang index 5609f1d4027..0d786757f5c 100644 --- a/htdocs/langs/id_ID/recruitment.lang +++ b/htdocs/langs/id_ID/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Terima kasih atas lamaran Anda.
... JobClosedTextCandidateFound=Posisi pekerjaan ditutup. Posisi sudah terisi. JobClosedTextCanceled=Posisi pekerjaan ditutup. ExtrafieldsJobPosition=Atribut pelengkap (posisi pekerjaan) -ExtrafieldsCandidatures=Atribut pelengkap (lamaran pekerjaan) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Buat sebuah penawaran diff --git a/htdocs/langs/id_ID/sendings.lang b/htdocs/langs/id_ID/sendings.lang index cb5514d96ea..7c9420900b6 100644 --- a/htdocs/langs/id_ID/sendings.lang +++ b/htdocs/langs/id_ID/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Apakah Anda yakin ingin memvalidasi pengiriman ini dengan ConfirmCancelSending=Anda yakin ingin membatalkan pengiriman ini? DocumentModelMerou=Model Merou A5 WarningNoQtyLeftToSend=Peringatan, tidak ada produk yang menunggu untuk dikirim. -StatsOnShipmentsOnlyValidated=Statistik yang dilakukan pada pengiriman hanya divalidasi. Tanggal yang digunakan adalah tanggal validasi pengiriman (tanggal pengiriman yang direncanakan tidak selalu diketahui). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Tanggal pengiriman yang direncanakan RefDeliveryReceipt=Kwitansi pengiriman Ref StatusReceipt=Tanda terima pengiriman status diff --git a/htdocs/langs/id_ID/stocks.lang b/htdocs/langs/id_ID/stocks.lang index 3c974a5f2eb..3eac8b2c158 100644 --- a/htdocs/langs/id_ID/stocks.lang +++ b/htdocs/langs/id_ID/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Tidak ada produk yang telah ditentukan untuk objek DispatchVerb=Pengiriman StockLimitShort=Batas untuk waspada StockLimit=Batas stok untuk waspada -StockLimitDesc=(kosong) berarti tidak ada peringatan.
0 dapat digunakan untuk peringatan segera setelah stok kosong. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Stok fisik RealStock=Stok nyata RealStockDesc=Stok fisik/nyata adalah stok saat ini di gudang. diff --git a/htdocs/langs/id_ID/users.lang b/htdocs/langs/id_ID/users.lang index 0a72eb0f88b..fe2487f1754 100644 --- a/htdocs/langs/id_ID/users.lang +++ b/htdocs/langs/id_ID/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Kata sandi diubah menjadi: %s SubjectNewPassword=Kata sandi baru Anda untuk %s GroupRights=Izin grup UserRights=Izin pengguna +Credentials=Credentials UserGUISetup=Pengaturan Tampilan Pengguna DisableUser=Nonaktifkan DisableAUser=Nonaktifkan pengguna @@ -105,7 +106,7 @@ UseTypeFieldToChange=Gunakan bidang Jenis untuk berubah OpenIDURL=URL OpenID LoginUsingOpenID=Gunakan OpenID untuk masuk WeeklyHours=Jam kerja (per minggu) -ExpectedWorkedHours=Diharapkan jam kerja per minggu +ExpectedWorkedHours=Expected hours worked per week ColorUser=Warna pengguna DisabledInMonoUserMode=Dinonaktifkan dalam mode pemeliharaan UserAccountancyCode=Kode akuntansi pengguna @@ -115,7 +116,7 @@ DateOfEmployment=Tanggal masuk kerja DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Tanggal Akhir Pekerjaan -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=Anda tidak dapat menonaktifkan catatan pengguna Anda sendiri ForceUserExpenseValidator=Paksa validator laporan pengeluaran ForceUserHolidayValidator=Validator permintaan cuti paksa diff --git a/htdocs/langs/id_ID/website.lang b/htdocs/langs/id_ID/website.lang index 76842810881..dc29ed1ccc1 100644 --- a/htdocs/langs/id_ID/website.lang +++ b/htdocs/langs/id_ID/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/is_IS/accountancy.lang b/htdocs/langs/is_IS/accountancy.lang index c88d86a406c..2dbde8a4dba 100644 --- a/htdocs/langs/is_IS/accountancy.lang +++ b/htdocs/langs/is_IS/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/is_IS/admin.lang b/htdocs/langs/is_IS/admin.lang index a7fdf70d5f1..57384ba959c 100644 --- a/htdocs/langs/is_IS/admin.lang +++ b/htdocs/langs/is_IS/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Öryggi skipulag PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Villa, þessa einingu þarf PHP útgáfa %s eða hærri ErrorModuleRequireDolibarrVersion=Villa, þessa einingu þarf Dolibarr útgáfu %s eða hærri @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Ekki benda ekki til NoActiveBankAccountDefined=Engin virk bankareikning skilgreind OwnerOfBankAccount=Eigandi bankareikning %s BankModuleNotActive=Bankareikninga mát ekki virkt -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Þú verður að keyra þessa s YourPHPDoesNotHaveSSLSupport=SSL virka ekki í boði í PHP þinn DownloadMoreSkins=Fleiri skinn til að sækja SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Algjör þýðing @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/is_IS/banks.lang b/htdocs/langs/is_IS/banks.lang index 040391c6a6f..90e03269443 100644 --- a/htdocs/langs/is_IS/banks.lang +++ b/htdocs/langs/is_IS/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Frá TransferTo=Til að TransferFromToDone=A flytja úr %s í %s af %s % s hefur verið skráð. CheckTransmitter=Sendandi ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank eftirlit @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Hreyfing PlannedTransactions=Planned entries -Graph=Grafík +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Færsla á annan reikning @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Til baka á reikning ShowAllAccounts=Sýna allra reikninga FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/is_IS/bills.lang b/htdocs/langs/is_IS/bills.lang index a7a13d7f07e..4006e0841ab 100644 --- a/htdocs/langs/is_IS/bills.lang +++ b/htdocs/langs/is_IS/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Sláðu inn greiðslu frá viðskiptavini EnterPaymentDueToCustomer=Greiða vegna viðskiptavina DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Verð stöð +PriceBase=Base price BillStatus=Invoice stöðu StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Víxill (þarf að vera staðfest) @@ -454,7 +454,7 @@ RegulatedOn=Skipulegra á ChequeNumber=Athugaðu n ° ChequeOrTransferNumber=Athuga / Flytja n ° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Seðlabanka Athuga CheckBank=Athuga NetToBePaid=Net til að greiða diff --git a/htdocs/langs/is_IS/boxes.lang b/htdocs/langs/is_IS/boxes.lang index a4b8ba5261f..6b4abf9314a 100644 --- a/htdocs/langs/is_IS/boxes.lang +++ b/htdocs/langs/is_IS/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Elsta virkir útrunnin þjónustu BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/is_IS/cashdesk.lang b/htdocs/langs/is_IS/cashdesk.lang index 244a0b22645..08c287a11a2 100644 --- a/htdocs/langs/is_IS/cashdesk.lang +++ b/htdocs/langs/is_IS/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Kvittun Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/is_IS/categories.lang b/htdocs/langs/is_IS/categories.lang index d86daa422be..72b0e511780 100644 --- a/htdocs/langs/is_IS/categories.lang +++ b/htdocs/langs/is_IS/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=Í AddIn=Bæta við í modify=breyta Classify=Flokka CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/is_IS/companies.lang b/htdocs/langs/is_IS/companies.lang index 6e0b43dedfa..d009f58a6a2 100644 --- a/htdocs/langs/is_IS/companies.lang +++ b/htdocs/langs/is_IS/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s er þegar til. Veldu annað. ErrorSetACountryFirst=Setja í landinu fyrst SelectThirdParty=Veldu þriðja aðila -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Eyða tengilið -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Sími Skype=Skype Call=Call Chat=Chat -PhonePro=Prófessor í síma +PhonePro=Bus. phone PhonePerso=Pers. Síminn PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Staða -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Áskilið ef þriðji aðili sem viðskiptavinur eða horfur RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect samband CompanyDeleted=Fyrirtæki " %s " eytt úr gagnagrunninum. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Opnaðu ActivityCeased=Lokað ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Viðskiptavinur / birgir númerið er ókeypis. Þessi k ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/is_IS/compta.lang b/htdocs/langs/is_IS/compta.lang index ea24fde663b..8acf657f7c8 100644 --- a/htdocs/langs/is_IS/compta.lang +++ b/htdocs/langs/is_IS/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New afsláttur NewCheckDeposit=New stöðva afhendingu NewCheckDepositOn=Búa til kvittun fyrir innborgun á reikning: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Athugaðu móttöku inntak dagsetningu +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/is_IS/ecm.lang b/htdocs/langs/is_IS/ecm.lang index e228a4b76d9..a5a8af2bfbd 100644 --- a/htdocs/langs/is_IS/ecm.lang +++ b/htdocs/langs/is_IS/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/is_IS/errors.lang b/htdocs/langs/is_IS/errors.lang index 953b11adbb4..f9e154dea41 100644 --- a/htdocs/langs/is_IS/errors.lang +++ b/htdocs/langs/is_IS/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s er rangt +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Innskráning %s er þegar til. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Tókst ekki að skrifa í möppunni %s ErrorFoundBadEmailInFile=Stofna rangt netfang setningafræði fyrir %s línur í skrá (td línu %s með email = %s ) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Sumir Nauðsynlegir reitir voru ekki fylltir. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Ekki tókst að búa til möppu. Athugaðu að vefþjóninn notandi hefur réttindi til að skrifa inn Dolibarr skjöl skrá. Ef viðfang safe_mode er virkt á þessu PHP, athuga hvort Dolibarr PHP skrár á nú á netþjóninn notandi (eða hóp). ErrorNoMailDefinedForThisUser=Nei póstur er skilgreind fyrir þennan notanda ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Drög +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Lokið +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/is_IS/knowledgemanagement.lang b/htdocs/langs/is_IS/knowledgemanagement.lang new file mode 100644 index 00000000000..17ec9854a75 --- /dev/null +++ b/htdocs/langs/is_IS/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Um +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Gr +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/is_IS/mails.lang b/htdocs/langs/is_IS/mails.lang index 6f2c1d0b683..2bf24e4def1 100644 --- a/htdocs/langs/is_IS/mails.lang +++ b/htdocs/langs/is_IS/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Afrita á MailToCCUsers=Copy to users(s) MailCCC=Geymd afrit til -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Meðfylgjandi skrá MailMessage=Email líkami @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/is_IS/main.lang b/htdocs/langs/is_IS/main.lang index de34867d736..d9c69fa687c 100644 --- a/htdocs/langs/is_IS/main.lang +++ b/htdocs/langs/is_IS/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Próf tengingu ToClone=Klóna ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Engin gögn til að afrita skilgreind. Of=á Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Action About=Um Number=Fjöldi -NumberByMonth=Fjöldi eftir mánuði +NumberByMonth=Total reports by month AmountByMonth=Upphæð eftir mánuði Numero=Fjöldi Limit=Takmörk @@ -341,8 +341,8 @@ KiloBytes=Kílóbæti MegaBytes=Megabæti GigaBytes=Gígabæta TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Með því að From=Frá FromDate=Frá FromLocation=Frá -at=at to=til To=til +ToDate=til +ToLocation=til +at=at and=og or=eða Other=Önnur @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Sýna afskipti @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Önnur ViewList=Skoða lista ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/is_IS/members.lang b/htdocs/langs/is_IS/members.lang index c883a16219c..0ebb6eab3a1 100644 --- a/htdocs/langs/is_IS/members.lang +++ b/htdocs/langs/is_IS/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Annar aðili (nafn: %s , tenging: ErrorUserPermissionAllowsToLinksToItselfOnly=Af öryggisástæðum verður þú að vera veitt leyfi til að breyta öllum notendum að vera fær um að tengja félagi til notanda sem er ekki þinn. SetLinkToUser=Tengill á Dolibarr notanda SetLinkToThirdParty=Tengill á Dolibarr þriðja aðila -MembersCards=Members prenta kort +MembersCards=Business cards for members MembersList=Listi yfir meðlimi MembersListToValid=Listi yfir meðlimi drög (verður staðfest) MembersListValid=Listi yfir gildar meðlimir @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Meðlimir með áskrift að fá MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Áskrift dagsetningu DateEndSubscription=Áskrift lokadagur -EndSubscription=End áskrift +EndSubscription=Subscription Ends SubscriptionId=Áskrift persónuskilríki WithoutSubscription=Without subscription MemberId=Aðildarríkin persónuskilríki @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Áskrift krafist DeleteType=Eyða VoteAllowed=Vote leyfðar -Physical=Líkamleg -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Notendur tölfræði eftir landi MembersStatisticsByState=Notendur tölfræði eftir fylki / hérað MembersStatisticsByTown=Notendur tölfræði eftir bænum MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Fjöldi félaga -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Engar fullgiltar meðlimir fundust -MembersByCountryDesc=Þessi skjár sýnir þér tölfræði á meðlimum með löndum. Grafísk veltur þó á Google netinu línurit þjónustu og er aðeins í boði ef nettengingin er er að vinna. -MembersByStateDesc=Þessi skjár sýnir þér tölfræði á meðlimum ríkis / héruðum / Canton. -MembersByTownDesc=Þessi skjár sýnir þér tölfræði á meðlimum með bænum. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Veldu tölfræði sem þú vilt lesa ... MenuMembersStats=Tölfræði -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Upplýsingar eru almenningi +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Nýr meðlimur bætt. Beðið eftir samþykki NewMemberForm=Nýr meðlimur mynd -SubscriptionsStatistics=Tölur um áskrift +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Fjöldi áskrifta -AmountOfSubscriptions=Magn áskrift +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Velta (fyrir fyrirtæki) eða fjárhagsáætlun (um stofnun) DefaultAmount=Sjálfgefin magn af áskrift CanEditAmount=Gestur geta valið / breyta upphæð áskrift sína MEMBER_NEWFORM_PAYONLINE=Stökkva á samþætt netinu greiðslu síðu ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/is_IS/modulebuilder.lang b/htdocs/langs/is_IS/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/is_IS/modulebuilder.lang +++ b/htdocs/langs/is_IS/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/is_IS/other.lang b/htdocs/langs/is_IS/other.lang index 30613bdb7e5..6c9955da615 100644 --- a/htdocs/langs/is_IS/other.lang +++ b/htdocs/langs/is_IS/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s er upplýsingamiðstöð ráðast á þriðja aðila land.
Til dæmis, þegar landið %s , kóði% það er. DolibarrDemo=Dolibarr ERP / CRM kynningu StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/is_IS/partnership.lang b/htdocs/langs/is_IS/partnership.lang new file mode 100644 index 00000000000..7601c9eef1b --- /dev/null +++ b/htdocs/langs/is_IS/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Upphafsdagur +DatePartnershipEnd=Lokadagur + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Drög +PartnershipAccepted = Accepted +PartnershipRefused = Neitaði +PartnershipCanceled = Hætt við + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/is_IS/productbatch.lang b/htdocs/langs/is_IS/productbatch.lang index 6217af6114c..76027ce838f 100644 --- a/htdocs/langs/is_IS/productbatch.lang +++ b/htdocs/langs/is_IS/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/is_IS/products.lang b/htdocs/langs/is_IS/products.lang index 9edc7be7038..b827b88b299 100644 --- a/htdocs/langs/is_IS/products.lang +++ b/htdocs/langs/is_IS/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Vara @@ -73,12 +73,12 @@ SellingPrice=Söluverð SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Söluverð (Inc skatt) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=Ný verð -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=Söluverð er ekki vera lægra en lágmarks leyfð fyrir þessa vöru ( %s án skatta) ContractStatusClosed=Loka @@ -157,11 +157,11 @@ ListServiceByPopularity=Listi yfir þjónustu við vinsældir Finished=Framleiðsla vöru RowMaterial=First efni ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Þessi vara er notuð NewRefForClone=Tilv. nýrra vara / þjónusta SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Uppruni land -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/is_IS/projects.lang b/htdocs/langs/is_IS/projects.lang index 72e7c2c3466..11e10b08977 100644 --- a/htdocs/langs/is_IS/projects.lang +++ b/htdocs/langs/is_IS/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project tengiliðir ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Öll verkefni -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Þetta sýnir öll verkefni sem þú ert að fá að lesa. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=Þetta sýnir öll verkefni og verkefni sem þú ert að fá að lesa. ProjectsDesc=Þetta sýnir öll verkefni (notandi heimildir veita þér leyfi til að skoða allt). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=Þetta sýnir öll verkefni og verkefni sem þú ert að fá að lesa. TasksDesc=Þetta sýnir öll verkefni og verkefni (notandi heimildir veita þér leyfi til að skoða allt). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Ný verkefni @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/is_IS/recruitment.lang b/htdocs/langs/is_IS/recruitment.lang index 411fc152c09..6384b03ad8f 100644 --- a/htdocs/langs/is_IS/recruitment.lang +++ b/htdocs/langs/is_IS/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/is_IS/sendings.lang b/htdocs/langs/is_IS/sendings.lang index 9bb3e783a22..17499644ca0 100644 --- a/htdocs/langs/is_IS/sendings.lang +++ b/htdocs/langs/is_IS/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 líkan WarningNoQtyLeftToSend=Aðvörun, að engar vörur sem bíður sendar. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/is_IS/stocks.lang b/htdocs/langs/is_IS/stocks.lang index 7f6f5d25511..101a5559a60 100644 --- a/htdocs/langs/is_IS/stocks.lang +++ b/htdocs/langs/is_IS/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Engar fyrirfram skilgreindum vörum fyrir þennan DispatchVerb=Senda StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real lager RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/is_IS/users.lang b/htdocs/langs/is_IS/users.lang index 4106e08f75c..ae276fcf4a9 100644 --- a/htdocs/langs/is_IS/users.lang +++ b/htdocs/langs/is_IS/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Lykilorð breytt í: %s SubjectNewPassword=Your new password for %s GroupRights=Group heimildir UserRights=Notandi heimildir +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Slökkva DisableAUser=Slökkva notanda @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/is_IS/website.lang b/htdocs/langs/is_IS/website.lang index 9b1431a77d8..a1dbad88c58 100644 --- a/htdocs/langs/is_IS/website.lang +++ b/htdocs/langs/is_IS/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/it_CH/accountancy.lang b/htdocs/langs/it_CH/accountancy.lang new file mode 100644 index 00000000000..4dbdd035d6e --- /dev/null +++ b/htdocs/langs/it_CH/accountancy.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - accountancy +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) diff --git a/htdocs/langs/it_CH/admin.lang b/htdocs/langs/it_CH/admin.lang index 619ae5f8bd4..c1d306ec390 100644 --- a/htdocs/langs/it_CH/admin.lang +++ b/htdocs/langs/it_CH/admin.lang @@ -1,4 +1,3 @@ # Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. 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/it_CH/cron.lang b/htdocs/langs/it_CH/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/it_CH/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/it_CH/modulebuilder.lang b/htdocs/langs/it_CH/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/it_CH/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/it_IT/accountancy.lang b/htdocs/langs/it_IT/accountancy.lang index a15261e9558..c7140344a32 100644 --- a/htdocs/langs/it_IT/accountancy.lang +++ b/htdocs/langs/it_IT/accountancy.lang @@ -202,7 +202,7 @@ Docref=Riferimento LabelAccount=Etichetta conto LabelOperation=Etichetta operazione Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Codice impressioni Lettering=Impressioni Codejournal=Giornale @@ -297,7 +297,7 @@ 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 +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Mostra tutorial NotReconciled=Non conciliata WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/it_IT/admin.lang b/htdocs/langs/it_IT/admin.lang index 0c18bd7788e..6ca4c40f1ca 100644 --- a/htdocs/langs/it_IT/admin.lang +++ b/htdocs/langs/it_IT/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Impostazioni per la sicurezza PHPSetup=PHP setup +OSSetup=OS setup 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 @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Non suggerire NoActiveBankAccountDefined=Nessun conto bancario attivo definito OwnerOfBankAccount=Titolare del conto bancario %s BankModuleNotActive=Modulo conti bancari non attivato -ShowBugTrackLink=Mostra link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') 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. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=È necessario eseguire questo c YourPHPDoesNotHaveSSLSupport=Il PHP del server non supporta SSL DownloadMoreSkins=Scarica altre skin SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Nei documenti mostra identità professionale completa di: ShowVATIntaInAddress=Nascondi il numero di partita IVA intracomunitaria negli indirizzi TranslationUncomplete=Traduzione incompleta @@ -2033,7 +2035,7 @@ ECMAutoTree=Show automatic ECM tree OperationParamDesc=Definire i valori da utilizzare per l'oggetto dell'azione o come estrarre i valori. Ad esempio:
objproperty1=SET: il valore per impostare
objproperty2=SET: un valore con la sostituzione di __objproperty1__
objproperty3=SETIFEMPTY: valore usato se objproperty3 non è già pronto
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY: Il nome della mia azienda è\\s([^\\s]*)Usa il carattere ; come separatore per estrarre o impostare diverse proprietà. OpeningHours=Orari di apertura OpeningHoursDesc=Inserisci gli orari di apertura regolare della tua azienda. -ResourceSetup=Configuration of Resource module +ResourceSetup=Configurazione del modulo Risorse 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 @@ -2062,7 +2064,7 @@ UseDebugBar=Usa la barra di debug 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/it_IT/banks.lang b/htdocs/langs/it_IT/banks.lang index b665c67accb..5be72019d50 100644 --- a/htdocs/langs/it_IT/banks.lang +++ b/htdocs/langs/it_IT/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Pagamento delle imposte sociali/fiscali BankTransfer=Bonifico bancario BankTransfers=Bonifici MenuBankInternalTransfer=Trasferimento interno -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, 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 +CheckTransmitter=Mittente ValidateCheckReceipt=Convalidare questa ricevuta ? -ConfirmValidateCheckReceipt=Vuoi davvero convalidare questa ricevuta? Non sarà possibile fare cambiamenti una volta convalidata. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Eliminare questa ricevuta? ConfirmDeleteCheckReceipt=Vuoi davvero eliminare questa ricevuta? BankChecks=Assegni bancari @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Vuoi davvero eliminare questa transazione? ThisWillAlsoDeleteBankRecord=Questa operazione elimina anche le transazioni bancarie generate BankMovements=Movimenti PlannedTransactions=Transazioni pianificate -Graph=Grafico +Graph=Graphs ExportDataset_banque_1=Movimenti bancari e di cassa e loro rilevazioni ExportDataset_banque_2=Modulo di versamento TransactionOnTheOtherAccount=Transazione sull'altro conto @@ -142,7 +142,7 @@ AllAccounts=Tutte le banche e le casse BackToAccount=Torna al conto ShowAllAccounts=Mostra per tutti gli account FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Seleziona gli assegni da includere nella ricevuta di versamento e clicca su "Crea". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". 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? diff --git a/htdocs/langs/it_IT/bills.lang b/htdocs/langs/it_IT/bills.lang index f4e57625340..63f6ef3b167 100644 --- a/htdocs/langs/it_IT/bills.lang +++ b/htdocs/langs/it_IT/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Inserisci il pagamento ricevuto dal cliente EnterPaymentDueToCustomer=Emettere il pagamento dovuto al cliente DisabledBecauseRemainderToPayIsZero=Disabilitato perché il restante da pagare vale zero -PriceBase=Prezzo base +PriceBase=Base price BillStatus=Stato fattura StatusOfGeneratedInvoices=Stato delle fatture generate BillStatusDraft=Bozza (deve essere convalidata) @@ -454,7 +454,7 @@ RegulatedOn=Regolamentato su ChequeNumber=Assegno N° ChequeOrTransferNumber=Assegno/Bonifico N° ChequeBordereau=Controlla programma -ChequeMaker=Traente dell'assegno +ChequeMaker=Check/Transfer sender ChequeBank=Banca emittente CheckBank=Controllo NetToBePaid=Netto a pagare diff --git a/htdocs/langs/it_IT/boxes.lang b/htdocs/langs/it_IT/boxes.lang index 111b2988d7b..7ebe2e30d74 100644 --- a/htdocs/langs/it_IT/boxes.lang +++ b/htdocs/langs/it_IT/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Segnalibri: ultimi %s modificati BoxOldestExpiredServices=Servizi scaduti da più tempo ancora attivi BoxLastExpiredServices=Ultimi %s contatti con servizi scaduti ancora attivi BoxTitleLastActionsToDo=Ultime %s azioni da fare -BoxTitleLastContracts=Ultimi %s contratti modificati -BoxTitleLastModifiedDonations=Ultime %s donazioni modificate -BoxTitleLastModifiedExpenses=Ultime %s note spese modificate -BoxTitleLatestModifiedBoms=Ultime %s distinte componenti modificate -BoxTitleLatestModifiedMos=Ultimi %s ordini di produzione modificati +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Clienti con il massimo in sospeso superato BoxGlobalActivity=Attività generale (fatture, proposte, ordini) BoxGoodCustomers=Buoni clienti diff --git a/htdocs/langs/it_IT/cashdesk.lang b/htdocs/langs/it_IT/cashdesk.lang index b8069c4f189..fd00a01dd8c 100644 --- a/htdocs/langs/it_IT/cashdesk.lang +++ b/htdocs/langs/it_IT/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Ricevuta Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Raggruppa l'IVA per aliquota in biglietti / ricevute @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=La fattura è già stata convalidata NoLinesToBill=No lines to bill CustomReceipt=Ricevuta personalizzata ReceiptName=Nome ricevuta -ProductSupplements=Prodotti di supplemento +ProductSupplements=Manage supplements of products SupplementCategory=Categorie di supplemento ColorTheme=Colore del tema Colorful=Colorato @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Stampa di ricevute semplice e facile. Solo pochi parametri per configurare la ricevuta. Stampa tramite browser. TakeposConnectorMethodDescription=Modulo esterno con funzionalità extra. Possibilità di stampare dal cloud. PrintMethod=Metodo di stampa -ReceiptPrinterMethodDescription=Metodo potente con molti parametri. Completamente personalizzabile con modelli. Impossibile stampare dal cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Da terminale TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Modulo di numerazione per vendite POS @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/it_IT/categories.lang b/htdocs/langs/it_IT/categories.lang index f3d7cf290e0..a0264b7d450 100644 --- a/htdocs/langs/it_IT/categories.lang +++ b/htdocs/langs/it_IT/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Categoria Rubriques=Tag/Categorie RubriquesTransactions=Tag / Categorie di operazioni categories=tag/categorie -NoCategoryYet=Nessuna tag/categoria di questo tipo creata +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Aggiungi a modify=modifica Classify=Classifica CategoriesArea=Area tag/categorie -ProductsCategoriesArea=Area categorie/tag prodotti/servizi -SuppliersCategoriesArea=Area tag/categorie fornitori -CustomersCategoriesArea=Area tag/categorie clienti -MembersCategoriesArea=Area tag/categorie membri -ContactsCategoriesArea=Area tag/categorie contatti -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Area tag/categorie progetti -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categorie CatList=Lista delle tag/categorie CatListAll=Elenco di tag / categorie (tutti i tipi) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Pagina-Contenitore delle Categorie -UseOrOperatorForCategories=Uso o operatore per le categorie +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/it_IT/companies.lang b/htdocs/langs/it_IT/companies.lang index 8bbcf4e6bab..a444f3b217b 100644 --- a/htdocs/langs/it_IT/companies.lang +++ b/htdocs/langs/it_IT/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=La società %s esiste già. Scegli un altro nome. ErrorSetACountryFirst=Imposta prima il paese SelectThirdParty=Seleziona un soggetto terzo -ConfirmDeleteCompany=Vuoi davvero cancellare questa società e tutte le informazioni relative? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Elimina un contatto/indirizzo -ConfirmDeleteContact=Vuoi davvero eliminare questo contatto e tutte le informazioni connesse? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Nuovo soggetto terzo MenuNewCustomer=Nuovo cliente MenuNewProspect=Nuovo cliente potenziale @@ -69,7 +69,7 @@ PhoneShort=Telefono Skype=Skype Call=Chiamata Chat=Chat -PhonePro=Telefono uff. +PhonePro=Bus. phone PhonePerso=Telefono pers. PhoneMobile=Cellulare No_Email=Rifiuta email di massa @@ -78,7 +78,7 @@ Zip=CAP Town=Città Web=Sito web Poste= Posizione -DefaultLang=Lingua predefinita +DefaultLang=Lingua predefinita (codice lingua) 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 @@ -331,7 +331,7 @@ CustomerCodeDesc=Codice cliente, univoco SupplierCodeDesc=Codice fornitore, unico per tutti i fornitori 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 +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Regole per questo modulo ProspectToContact=Cliente potenziale da contattare CompanyDeleted=Società %s cancellata dal database. @@ -439,12 +439,12 @@ ListSuppliersShort=Elenco fornitori ListProspectsShort=Elenco dei clienti potenziali ListCustomersShort=Elenco dei clienti ThirdPartiesArea=Anagrafiche soggetti terzi e contatti -LastModifiedThirdParties=Ultimi %s Soggetti Terzi modificati -UniqueThirdParties=Totale soggetti terzi +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=In attività ActivityCeased=Cessata attività ThirdPartyIsClosed=Chiuso -ProductsIntoElements=Elenco dei prodotti/servizi in %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Fatture scadute OutstandingBill=Max. fattura in sospeso OutstandingBillReached=Raggiunto il massimo numero di fatture scadute @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Codice cliente/fornitore libero. Questo codice può esser 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. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Terze parti sono state unite SaleRepresentativeLogin=Login del rappresentante commerciale SaleRepresentativeFirstname=Nome del commerciale diff --git a/htdocs/langs/it_IT/compta.lang b/htdocs/langs/it_IT/compta.lang index 0ef1e6a1a0c..83a9dd57b4e 100644 --- a/htdocs/langs/it_IT/compta.lang +++ b/htdocs/langs/it_IT/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nuovo sconto NewCheckDeposit=Nuovo deposito NewCheckDepositOn=Nuovo deposito sul conto: %s NoWaitingChecks=Nessun assegno in attesa di deposito. -DateChequeReceived=Data di ricezione assegno +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Paga tassa/contributo PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/it_IT/ecm.lang b/htdocs/langs/it_IT/ecm.lang index d08a079e0d9..25d10f0b925 100644 --- a/htdocs/langs/it_IT/ecm.lang +++ b/htdocs/langs/it_IT/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=File Ecm campi extra ExtraFieldsEcmDirectories=Directory Ecm campi extra ECMSetup=Configurazione ECM GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/it_IT/errors.lang b/htdocs/langs/it_IT/errors.lang index 9841a0c1b03..af3f97876fa 100644 --- a/htdocs/langs/it_IT/errors.lang +++ b/htdocs/langs/it_IT/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Nessun errore, committiamo # Errors ErrorButCommitIsDone=Sono stati trovati errori ma si convalida ugualmente -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=L'URL %s è sbagliato +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=L'utente %s esiste già. @@ -46,8 +46,8 @@ 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=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Mancano alcuni campi obbligatori. -ErrorSubjectIsRequired=Il titolo della email è obbligatorio +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Impossibile creare la directory. Verifica che l'utente del server Web abbia i permessi per scrivere nella directory Dolibarr. Se il parametro safe_mode è abilitato in PHP, verifica che i file php di Dolibarr appartengano all'utente o al gruppo del server web (per esempio www-data). ErrorNoMailDefinedForThisUser=Nessun indirizzo memorizzato per questo utente ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Impostazioni +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Assegno circolare +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Fatte +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/it_IT/knowledgemanagement.lang b/htdocs/langs/it_IT/knowledgemanagement.lang new file mode 100644 index 00000000000..1f9666b329a --- /dev/null +++ b/htdocs/langs/it_IT/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Impostazioni +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Info +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Articolo +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/it_IT/mails.lang b/htdocs/langs/it_IT/mails.lang index f6a0cc2c0a4..16a6fb13e21 100644 --- a/htdocs/langs/it_IT/mails.lang +++ b/htdocs/langs/it_IT/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copia carbone (CC) MailToCCUsers=In copia gli utenti MailCCC=Copia carbone cache (CCC) -MailTopic=Email topic +MailTopic=Email subject MailText=Testo MailFile=Allegati MailMessage=Testo dell'email @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=Non sono previste notifiche e-mail automatiche per que ANotificationsWillBeSent=Verrà inviata una notifica tramite email SomeNotificationsWillBeSent=le %s notifiche automatiche verranno inviate tramite e-mail AddNewNotification=Iscriviti a una nuova notifica e-mail automatica (target / evento) -ListOfActiveNotifications=Elenca tutti gli abbonamenti attivi (obiettivi / eventi) per la notifica e-mail automatica -ListOfNotificationsDone=Elenco delle notifiche email automatiche inviate +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=La configurazione della posta elettronica di invio è stata impostata alla modalità '%s'. Questa modalità non può essere utilizzata per inviare mail di massa. MailSendSetupIs2=Con un account da amministratore è necessario cliccare su %sHome -> Setup -> EMails%s e modificare il parametro '%s' per usare la modalità '%s'. Con questa modalità è possibile inserire i dati del server SMTP di elezione e usare Il "Mass Emailing" MailSendSetupIs3=Se hai domande su come configurare il tuo server SMTP chiedi a %s. diff --git a/htdocs/langs/it_IT/main.lang b/htdocs/langs/it_IT/main.lang index 839b58d9f6c..c81f5fa21a9 100644 --- a/htdocs/langs/it_IT/main.lang +++ b/htdocs/langs/it_IT/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Salva e nuovo TestConnection=Test connessione ToClone=Clonare ConfirmCloneAsk=Sei sicuro di voler clonare l'oggetto %s ? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Dati da clonare non definiti Of=di Go=Vai @@ -246,7 +246,7 @@ DefaultModel=Modello predefinito Action=Azione About=About Number=Numero -NumberByMonth=Numero per mese +NumberByMonth=Total reports by month AmountByMonth=Importo per mese Numero=Numero Limit=Limite @@ -341,8 +341,8 @@ KiloBytes=Kilobyte MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabyte -UserAuthor=Utente della creazione -UserModif=Utente dell'ultimo aggiornamento +UserAuthor=Ceated by +UserModif=Updated by b=b Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Per From=Da FromDate=Da FromLocation=A partire dal -at=at to=a To=a +ToDate=a +ToLocation=a +at=at and=e or=o Other=Altro @@ -843,7 +845,7 @@ XMoreLines=%s linea(e) nascoste ShowMoreLines=Mostra più/meno righe PublicUrl=URL pubblico AddBox=Aggiungi box -SelectElementAndClick=Seleziona un elemento e clicca %s +SelectElementAndClick=Select an element and click on %s PrintFile=Stampa il file %s ShowTransaction=Mostra entrate conto bancario ShowIntervention=Mostra intervento @@ -854,8 +856,8 @@ Denied=Rifiutata ListOf=Lista di %s ListOfTemplates=Elenco dei modelli Gender=Genere -Genderman=Uomo -Genderwoman=Donna +Genderman=Male +Genderwoman=Female Genderother=Altro ViewList=Vista elenco ViewGantt=Visualizzazione Gantt @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/it_IT/members.lang b/htdocs/langs/it_IT/members.lang index a4e6d97dacb..28779a99cf2 100644 --- a/htdocs/langs/it_IT/members.lang +++ b/htdocs/langs/it_IT/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Un altro membro (nome: %s, log ErrorUserPermissionAllowsToLinksToItselfOnly=Per motivi di sicurezza, è necessario possedere permessi di modifica di tutti gli utenti per poter modificare un membro diverso da sé stessi. SetLinkToUser=Link a un utente Dolibarr SetLinkToThirdParty=Link ad un soggetto terzo -MembersCards=Schede membri +MembersCards=Business cards for members MembersList=Elenco dei membri MembersListToValid=Elenco dei membri del progetto (da convalidare) MembersListValid=Elenco dei membri validi @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Membri con adesione da riscuotere MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Data di adesione DateEndSubscription=Data fine adesione -EndSubscription=Scadenza adesione +EndSubscription=Subscription Ends SubscriptionId=Id adesione WithoutSubscription=Without subscription MemberId=ID @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=E' richiesta l'adesione DeleteType=Elimina VoteAllowed=E' permesso il voto -Physical=Fisica -Moral=Giuridica -MorAndPhy=Moral and Physical -Reenable=Riattivare +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Statistiche per paese MembersStatisticsByState=Statistiche per stato/provincia MembersStatisticsByTown=Statistiche per città MembersStatisticsByRegion=Statistiche membri per regioni -NbOfMembers=Numero di membri -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Nessun membro convalidato trovato -MembersByCountryDesc=Questa schermata mostra le statistiche dei membri per paese. Il grafico dipende da servizi online di Google ed è disponibile solo se il server può connettersi ad internet. -MembersByStateDesc=Questa schermata mostra le statistiche sui membri per stato/provincia/cantone. -MembersByTownDesc=Questa schermata mostra le statistiche sui membri per città. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Scegli quali statistiche visualizzare... MenuMembersStats=Statistiche -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Data della sottoscrizione più recente -MemberNature=Natura del membro -MembersNature=Nature of members -Public=Pubblico +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Nuovo membro aggiunto. In attesa di approvazione NewMemberForm=Nuova modulo membri -SubscriptionsStatistics=Statistiche adesioni +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Numero di adesioni -AmountOfSubscriptions=Importo delle affiliazioni +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Giro d'affari (aziende) o Budget (fondazione) DefaultAmount=Quota di adesione predefinita CanEditAmount=I visitatori possono scegliere/modificare l'ammontare della propria quota MEMBER_NEWFORM_PAYONLINE=Saltate sulla integrato pagina di pagamento online ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=Questa schermata mostra le statistiche dei membri per natura -MembersByRegion=Questa schermata mostra le statistiche dei membri per regione VATToUseForSubscriptions=Aliquota IVA in uso per le sottoscrizioni NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Prodotto utilizzato per la riga dell'abbonamento in fattura: %s diff --git a/htdocs/langs/it_IT/modulebuilder.lang b/htdocs/langs/it_IT/modulebuilder.lang index 1dfd74bba94..e3d7681659e 100644 --- a/htdocs/langs/it_IT/modulebuilder.lang +++ b/htdocs/langs/it_IT/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=List of defined permissions SeeExamples=Vedi esempi qui EnabledDesc=Condition to have this field active (Examples: 1 or $conf->global->MYMODULE_MYOPTION) VisibleDesc=Il campo è visibile? (Esempi: 0 = Mai visibile, 1 = Visibile su elenco e crea / aggiorna / visualizza moduli, 2 = Visibile solo su elenco, 3 = Visibile solo su crea / aggiorna / visualizza modulo (non elenco), 4 = Visibile su elenco e aggiorna / visualizza solo modulo (non crea), 5 = Visibile solo sul modulo di visualizzazione fine elenco (non crea, non aggiorna).

L'uso di un valore negativo significa che il campo non è mostrato per impostazione predefinita nell'elenco ma può essere selezionato per la visualizzazione).

Può essere un'espressione, ad esempio:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:1
($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=Visualizza questo campo sui documenti PDF compatibili, puoi gestire la posizione con il campo "Posizione".
Attualmente, noti modelli compatibili PDF sono: Eratostene (ordine), espadon (nave), spugna (fatture), ciano (PROPAL / citazione), cornas (ordine a fornitore)

per il documento:
0 = non visualizzato
1 = visualizza
2 = visualizza solo se non vuota

Per linee documenti:
0 = non visualizzato
1 = visualizzati in colonna
3 = visualizzazione nella descrizione di linea di colonna dopo la descrizione
4 = visualizzazione nella descrizione di colonna dopo la descrizione solo se non vuota +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Mostra sul PDF IsAMeasureDesc=Can the value of field be cumulated to get a total into list? (Examples: 1 or 0) SearchAllDesc=Il campo è utilizzato per effettuare una ricerca dallo strumento di ricerca rapida? (Esempi: 1 o 0) diff --git a/htdocs/langs/it_IT/other.lang b/htdocs/langs/it_IT/other.lang index de5e093c618..e15078b0543 100644 --- a/htdocs/langs/it_IT/other.lang +++ b/htdocs/langs/it_IT/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Per usare questa opzione bisogna installare o abilitare la l 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 fatture o ordini ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Numero di preventivi NumberOfCustomerOrders=Numero di ordini cliente NumberOfCustomerInvoices=Numero di ordini fornitore @@ -289,4 +289,4 @@ PopuProp=Prodotti / servizi per popolarità nelle proposte PopuCom=Prodotti / servizi per popolarità negli ordini ProductStatistics=Statistiche sui prodotti / servizi NbOfQtyInOrders=Qtà in ordini -SelectTheTypeOfObjectToAnalyze=Seleziona il tipo di oggetto da analizzare... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/it_IT/partnership.lang b/htdocs/langs/it_IT/partnership.lang new file mode 100644 index 00000000000..a9a2846284c --- /dev/null +++ b/htdocs/langs/it_IT/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Data di inizio +DatePartnershipEnd=Data di fine + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Assegno circolare +PartnershipAccepted = Accettata +PartnershipRefused = Rifiutato +PartnershipCanceled = Annullata + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/it_IT/productbatch.lang b/htdocs/langs/it_IT/productbatch.lang index 805186c19ab..cbb3183e28a 100644 --- a/htdocs/langs/it_IT/productbatch.lang +++ b/htdocs/langs/it_IT/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/it_IT/products.lang b/htdocs/langs/it_IT/products.lang index 3a648b2422a..b65ba7eccbd 100644 --- a/htdocs/langs/it_IT/products.lang +++ b/htdocs/langs/it_IT/products.lang @@ -43,7 +43,7 @@ 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 +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Ultimi %s prodotti registrati LastRecordedServices=Ultimi %s servizi registrati CardProduct0=Prodotto @@ -73,12 +73,12 @@ SellingPrice=Prezzo di vendita SellingPriceHT=Prezzo di vendita (al netto delle imposte) SellingPriceTTC=Prezzo di vendita (inclusa IVA) SellingMinPriceTTC=Prezzo minimo di vendita (tasse incluse) -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. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Quantità venduta PurchasedAmount=Quantità acquistata NewPrice=Nuovo prezzo -MinPrice=Prezzo minimo di vendita +MinPrice=Min. selling 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 @@ -157,11 +157,11 @@ ListServiceByPopularity=Elenco dei servizi per popolarità Finished=Prodotto creato RowMaterial=Materia prima ConfirmCloneProduct=Vuoi davvero clonare il prodotto / servizio %s ? -CloneContentProduct=Clona tutte le principali informazioni del prodotto/servizio +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clona prezzi -CloneCategoriesProduct=Clona tag / categorie collegate -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clona varianti di prodotto +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Questo prodotto è in uso NewRefForClone=Rif. del nuovo prodotto/servizio SellingPrices=Prezzi di vendita @@ -170,12 +170,12 @@ CustomerPrices=Prezzi di vendita SuppliersPrices=Prezzi fornitore SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=codice Customs|Commodity|HS -CountryOrigin=Paese di origine -RegionStateOrigin=Origine della regione -StateOrigin=Stato | Provincia provenienza -Nature=Natura del prodotto (materiale / finito) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Natura del prodotto -NatureOfProductDesc=Materia prima o prodotto finito +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Etichetta breve Unit=Unità p=u. diff --git a/htdocs/langs/it_IT/projects.lang b/htdocs/langs/it_IT/projects.lang index 315dbd04e4a..1a62a42e4b9 100644 --- a/htdocs/langs/it_IT/projects.lang +++ b/htdocs/langs/it_IT/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Contatti del progetto ProjectsImContactFor=Progetti per i quali sono esplicitamente un contatto AllAllowedProjects=Tutti i progetti che posso vedere (miei + pubblici) AllProjects=Tutti i progetti -MyProjectsDesc=La vista è limitata ai progetti di cui tu sei un contatto. +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Questa visualizzazione mostra tutti i progetti che sei autorizzato a vedere. 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 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 +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for 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à 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. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Compiti dei progetti ProjectCategories=Tag/Categorie Progetti NewProject=Nuovo progetto @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Risorsa non assegnata all'attività NoUserAssignedToTheProject=Nessun utente assegnato a questo progetto TimeSpentBy=Tempo impiegato da TasksAssignedTo=Attività assegnata a -AssignTaskToMe=Assegnare un compito a me +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assegnata attività a %s SelectTaskToAssign=Seleziona attività da a assegnare... AssignTask=Assegnare diff --git a/htdocs/langs/it_IT/recruitment.lang b/htdocs/langs/it_IT/recruitment.lang index b8e37753ea4..83194566a93 100644 --- a/htdocs/langs/it_IT/recruitment.lang +++ b/htdocs/langs/it_IT/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/it_IT/sendings.lang b/htdocs/langs/it_IT/sendings.lang index d902ac9d0f6..4b93f8cf9dc 100644 --- a/htdocs/langs/it_IT/sendings.lang +++ b/htdocs/langs/it_IT/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Sei sicuro di voler convalidare questa spedizioni con il 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). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Data prevista di consegna RefDeliveryReceipt=Rif. ricevuta di consegna StatusReceipt=Stato ricevuta di consegna diff --git a/htdocs/langs/it_IT/stocks.lang b/htdocs/langs/it_IT/stocks.lang index 161a6eea248..9a7054eef8a 100644 --- a/htdocs/langs/it_IT/stocks.lang +++ b/htdocs/langs/it_IT/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Per l'oggetto non ci sono prodotti predefiniti. Qu 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. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Scorte fisiche RealStock=Scorte reali RealStockDesc=Scorte fisiche/reali è la giacenza attualmente nei magazzini.\n diff --git a/htdocs/langs/it_IT/users.lang b/htdocs/langs/it_IT/users.lang index cc86bc427f5..4bf6fa34a41 100644 --- a/htdocs/langs/it_IT/users.lang +++ b/htdocs/langs/it_IT/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password cambiata a: %s SubjectNewPassword=La tua nuova password per %s GroupRights=Autorizzazioni del gruppo UserRights=Autorizzazioni utente +Credentials=Credentials UserGUISetup=Impostazioni grafiche DisableUser=Disattiva DisableAUser=Disattiva un utente @@ -105,7 +106,7 @@ UseTypeFieldToChange=cambia usando il campo Tipo OpenIDURL=URL OpenID LoginUsingOpenID=URL OpenID per il login WeeklyHours=Ore lavorate (per settimana) -ExpectedWorkedHours=Ore lavorative ideali per settimana +ExpectedWorkedHours=Expected hours worked per week ColorUser=Colore dell'utente DisabledInMonoUserMode=Disabilitato in modalità manutenzione UserAccountancyCode=Codice contabile utente @@ -115,7 +116,7 @@ DateOfEmployment=Data di assunzione DateEmployment=Dipendente DateEmploymentstart=Data di assunzione DateEmploymentEnd=Data di fine rapporto lavorativo -RangeOfLoginValidity=Intervallo di date di validità dell'accesso +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Forza validatore rapporto spese ForceUserHolidayValidator=Convalida richiesta di congedo forzato diff --git a/htdocs/langs/it_IT/website.lang b/htdocs/langs/it_IT/website.lang index b6762895710..ac41f055411 100644 --- a/htdocs/langs/it_IT/website.lang +++ b/htdocs/langs/it_IT/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Definisce l'elenco di tutte le lingu GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ja_JP/accountancy.lang b/htdocs/langs/ja_JP/accountancy.lang index 3a11fa8d804..027dd200717 100644 --- a/htdocs/langs/ja_JP/accountancy.lang +++ b/htdocs/langs/ja_JP/accountancy.lang @@ -202,7 +202,7 @@ Docref=参照 LabelAccount=ラベル科目 LabelOperation=ラベル操作 Sens=方向 -AccountingDirectionHelp=顧客の会計科目の場合、貸方を使用して受け取った支払いを記録する。
仕入先の会計科目の場合、借方を使用して支払いを記録する。 +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=レタリングコード Lettering=レタリング Codejournal=仕訳帳 @@ -297,7 +297,7 @@ NoNewRecordSaved=仕訳帳化するレコードはもうない ListOfProductsWithoutAccountingAccount=会計科目にバインドされていない製品のリスト ChangeBinding=紐付を変更する Accounted=元帳に計上 -NotYetAccounted=元帳にはまだ計上されていない +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=チュートリアルを表示 NotReconciled=調整されていない WarningRecordWithoutSubledgerAreExcluded=警告、補助元帳アカウントが定義されていないすべての操作はフィルタリングされ、このビューから除外される diff --git a/htdocs/langs/ja_JP/admin.lang b/htdocs/langs/ja_JP/admin.lang index 0cfbdae5f0d..d2db717850b 100644 --- a/htdocs/langs/ja_JP/admin.lang +++ b/htdocs/langs/ja_JP/admin.lang @@ -30,7 +30,7 @@ SessionSaveHandler=セッションを保存するためのハンドラ SessionSavePath=セッション保存位置 PurgeSessions=セッションのパージ ConfirmPurgeSessions=本当にすべてのセッションを削除するか?これにより、すべてのユーザ ( 自分を除く ) が切断される。 -NoSessionListWithThisHandler=PHPで構成された保存セッションハンドラーでは、すべての実行中セッションを一覧表示できない。 +NoSessionListWithThisHandler=PHPで構成された保存セッションハンドラでは、すべての実行中セッションを一覧表示できない。 LockNewSessions=新規接続をロック ConfirmLockNewSessions=新規Dolibarr接続を自分自身に制限してもよいか?ユーザ %sのみが接続できることになる。 UnlockNewSessions=接続ロックを解除する @@ -59,11 +59,12 @@ UploadNewTemplate=新規テンプレート(s)をアップロード FormToTestFileUploadForm=ファイルのアップロードをテストするために形成する ( 設定に応じて ) ModuleMustBeEnabled=モジュール/アプリケーション%sを有効にする必要がある ModuleIsEnabled=モジュール/アプリケーション%sが有効になった -IfModuleEnabled=注:【はい】は、モジュールの%sが有効になっている場合にのみ有効 +IfModuleEnabled=注:【はい】が利用可能なのは、モジュール%sの有効時のみ RemoveLock=ファイル%s が存在する場合、それを削除/改名することで、更新/インストール のツールが使用可能になる。 RestoreLock=ファイル%s を読取権限のみで復元すると、これ以上の更新/インストール のツール使用が不可になる。 SecuritySetup=セキュリティの設定 PHPSetup=PHPのセットアップ +OSSetup=OS setup SecurityFilesDesc=ファイルのアップロードに関するセキュリティ関連オプションをここで定義。 ErrorModuleRequirePHPVersion=エラー、このモジュールは、PHPのバージョン%s以上が必要 ErrorModuleRequireDolibarrVersion=エラー、このモジュールはDolibarrバージョン%s以上が必要 @@ -81,7 +82,7 @@ DelaiedFullListToSelectContact= キーが押されるまで待ち、取引先コ NumberOfKeyToSearch=検索をトリガーする文字数:%s NumberOfBytes=バイト数 SearchString=検索文字列 -NotAvailableWhenAjaxDisabled=Ajaxが無効になったときには使用できない +NotAvailableWhenAjaxDisabled=Ajax無効時には使用不可 AllowToSelectProjectFromOtherCompany=取引先のドキュメントで、別の取引先にリンクされているプロジェクトを選択できる JavascriptDisabled=JavaScript無効 UsePreviewTabs=プレビュータブを使用 @@ -98,7 +99,7 @@ Index=インデックス Mask=マスク NextValue=次の値 NextValueForInvoices=次の値 ( 請求書 ) -NextValueForCreditNotes=次の値 ( クレジットメモ ) +NextValueForCreditNotes=次の値 ( 貸方票 ) NextValueForDeposit=次の値 ( 頭金 ) NextValueForReplacements=次の値 ( 置換 ) MustBeLowerThanPHPLimit=注:現在、PHP構成では、このパラメーターの値に関係なく、アップロードの最大ファイルサイズが %s %sに制限されている。 @@ -540,7 +541,7 @@ Module23Desc=エネルギーの消費量を監視する Module25Name=受注 Module25Desc=受注管理 Module30Name=請求書 -Module30Desc=顧客の請求書とクレジットノートの管理。サプライヤーの請求書とクレジットノートの管理 +Module30Desc=顧客の請求書と貸方票の管理。サプライヤーの請求書と貸方票の管理 Module40Name=仕入先s Module40Desc=仕入先と購入管理 ( 発注書とサプライヤーの請求書の請求 ) Module42Name=デバッグログ @@ -650,7 +651,7 @@ Module3400Desc=ソーシャルネットワークフィールドを取引先と Module4000Name=HRM Module4000Desc=人事管理 ( 部門の管理、従業員の契約と感情 ) Module5000Name=マルチ法人 -Module5000Desc=あなたが複数の企業を管理することができる +Module5000Desc=複数の企業を管理できます Module6000Name=モジュール間ワークフロー Module6000Desc=異なるモジュール間のワークフロー管理(オブジェクトの自動作成および/または自動ステータス変更) Module10000Name=ウェブサイト @@ -685,21 +686,21 @@ Module62000Name=インコタームズ Module62000Desc=インコタームズを管理する機能を追加する Module63000Name=資源 Module63000Desc=イベントに割り当てるためのリソース ( プリンター、車、部屋など ) を管理する -Permission11=顧客の請求書をお読みください +Permission11=顧客の請求書を読み取る Permission12=顧客の請求書を作成/変更 Permission13=顧客の請求書を無効にする Permission14=顧客の請求書を検証する Permission15=電子メールで顧客の請求書を送る Permission16=顧客の請求書の支払いを作成する。 Permission19=顧客の請求書を削除する。 -Permission21=商業的な提案を読む +Permission21=商業的な提案を読み取る Permission22=商業的な提案を作成/変更 Permission24=商業的な提案を検証する Permission25=商業的な提案を送る Permission26=商業的な提案を閉じる Permission27=商業的な提案を削除する。 Permission28=売買提案書をエクスポート -Permission31=製品をお読みください +Permission31=製品を読み取る Permission32=製品を作成/変更 Permission34=製品を削除する。 Permission36=隠された製品を参照すること/管理 @@ -716,7 +717,7 @@ Permission67=出張をエクスポート Permission68=電子メールで出張を送信する Permission69=出張を検証する Permission70=出張を無効にする -Permission71=メンバを読み取る +Permission71=メンバーを読み取る Permission72=メンバーを作成/変更 Permission74=メンバーを削除する Permission75=メンバーシップの種類を設定する @@ -727,7 +728,7 @@ Permission81=お客様の注文を読み取る Permission82=作成/変更、顧客の注文 Permission84=お客様の注文を検証 Permission86=お客様の注文を送る -Permission87=閉じるお客さまの注文 +Permission87=顧客の注文を閉じる Permission88=お客様の注文を取り消す Permission89=お客様の注文を削除する Permission91=社会税または財政税と付加価値税を読む @@ -1044,7 +1045,7 @@ DictionaryExpenseTaxCat=経費報告書-輸送カテゴリ DictionaryExpenseTaxRange=経費報告書-輸送カテゴリ別の範囲 DictionaryTransportMode=Intracom レポート-トランスポートモード TypeOfUnit=ユニットの種類 -SetupSaved=設定は、保存された +SetupSaved=設定が保存されました SetupNotSaved=設定が保存されていない BackToModuleList=モジュールリストに戻る BackToDictionaryList=辞書リストに戻る @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=示唆していない NoActiveBankAccountDefined=定義された有効な銀行口座なし OwnerOfBankAccount=銀行口座 %sの所有者 BankModuleNotActive=銀行口座モジュールは無効 -ShowBugTrackLink=リンクを表示 " %s " +ShowBugTrackLink=リンク " %s "を定義する(このリンクを表示しない場合は空、Dolibarrプロジェクトへのリンクの場合は 'github'、または直接 URL 'https://... ' を定義) Alerts=アラート DelaysOfToleranceBeforeWarning=次の警告アラートを表示する前に遅延する。 DelaysOfToleranceDesc=後期要素のアラートアイコン%sが画面に表示されるまでの遅延を設定する。 @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=あなたは、ユーザ%s YourPHPDoesNotHaveSSLSupport=あなたのPHPでのSSLの機能は使用できない DownloadMoreSkins=ダウンロードするには多くのスキン SimpleNumRefModelDesc=参照番号を%syymm-nnnnの形式で返す。ここで、yyは年、mmは月、nnnnはリセットなしの順次自動インクリメント番号。 +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=住所とともにプロのIDを表示する ShowVATIntaInAddress=コミュニティ内のVAT番号を住所で非表示にする TranslationUncomplete=部分的な翻訳 @@ -2062,7 +2064,7 @@ UseDebugBar=デバッグバーを使用する DEBUGBAR_LOGS_LINES_NUMBER=コンソールに保持する最後のログ行の数 WarningValueHigherSlowsDramaticalyOutput=警告、値を大きくすると出力が劇的に遅くなる ModuleActivated=モジュール%sがアクティブ化され、インターフェイスの速度が低下する -ModuleActivatedWithTooHighLogLevel=モジュール%sが高すぎるログレベルでアクティブ化されている(パフォーマンスの向上のため、より低いレベルの使用を試すべき) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=モジュール%sがアクティブ化され、ログレベル(%s)が正しい(冗長すぎない) IfYouAreOnAProductionSetThis=実稼働環境を使用している場合は、このプロパティを%sに設定する必要がある。 AntivirusEnabledOnUpload=アップロードされたファイルでウイルス対策が有効になっている @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=システムコマンドを実行 NoWritableFilesFoundIntoRootDir=共通プログラムの書き込み可能なファイルまたはディレクトリがルートディレクトリに見つからない(良好) RecommendedValueIs=推奨:%s ARestrictedPath=制限されたパス +CheckForModuleUpdate=外部モジュールの更新を確認する +CheckForModuleUpdateHelp=このアクションは、外部モジュールのエディターに接続して、新しいバージョンが利用可能かどうかを確認する。 +ModuleUpdateAvailable=アップデートが利用可能 +NoExternalModuleWithUpdate=外部モジュールの更新が見つからない +SwaggerDescriptionFile=Swagger API記述ファイル(たとえば、redocで使用するため) diff --git a/htdocs/langs/ja_JP/agenda.lang b/htdocs/langs/ja_JP/agenda.lang index e6c0411be42..28de5134a6f 100644 --- a/htdocs/langs/ja_JP/agenda.lang +++ b/htdocs/langs/ja_JP/agenda.lang @@ -3,8 +3,8 @@ IdAgenda=IDイベント Actions=イベント Agenda=議題 TMenuAgenda=議題 -Agendas=議題s -LocalAgenda=内部カレンダー +Agendas=議題 +LocalAgenda=デフォルトのカレンダ ActionsOwnedBy=が所有するイベント ActionsOwnedByShort=所有者 AffectedTo=影響を受ける @@ -20,7 +20,7 @@ MenuToDoActions=すべての不完全なイベント MenuDoneActions=すべての終了イベント MenuToDoMyActions=私の不完全なイベント MenuDoneMyActions=私の終了イベント -ListOfEvents=イベント一覧(内部カレンダー) +ListOfEvents=イベントのリスト(デフォルトのカレンダ) ActionsAskedBy=によって報告されたイベント ActionsToDoBy=イベントへの影響を受けた ActionsDoneBy=によって行われたイベント @@ -37,24 +37,24 @@ AgendaExtSitesDesc=このページでは、Dolibarrの議題にそれらのイ ActionsEvents=Dolibarrが自動的に議題でアクションを作成する対象のイベント EventRemindersByEmailNotEnabled=電子メールによるイベントリマインダーは、%sモジュールセットアップで有効になっていなかった。 ##### Agenda event labels ##### -NewCompanyToDolibarr=取引先%sは作成済 -COMPANY_DELETEInDolibarr=取引先%sは削除済 -ContractValidatedInDolibarr=契約%sは検証済 -CONTRACT_DELETEInDolibarr=契約%sは削除済 +NewCompanyToDolibarr=取引先%sが作成されました +COMPANY_DELETEInDolibarr=取引先%sが削除されました +ContractValidatedInDolibarr=契約%sが承認されました +CONTRACT_DELETEInDolibarr=契約%sが削除されました PropalClosedSignedInDolibarr=提案%sが署名された PropalClosedRefusedInDolibarr=提案%sは拒否された -PropalValidatedInDolibarr=提案%sは、検証 +PropalValidatedInDolibarr=提案%sが承認されました PropalClassifiedBilledInDolibarr=提案%s分類請求済 -InvoiceValidatedInDolibarr=請求書%sは検証済 -InvoiceValidatedInDolibarrFromPos=POSから検証された請求書%s -InvoiceBackToDraftInDolibarr=請求書%sはドラフトの状態に戻って -InvoiceDeleteDolibarr=請求書%sは削除済 -InvoicePaidInDolibarr=請求書%sが有料に変更された -InvoiceCanceledInDolibarr=請求書%sは取消済 -MemberValidatedInDolibarr=メンバー%sは検証済 -MemberModifiedInDolibarr=メンバー%sは変更済 -MemberResiliatedInDolibarr=メンバー%sが終了した -MemberDeletedInDolibarr=メンバー%sは削除済 +InvoiceValidatedInDolibarr=請求書%sが承認されました +InvoiceValidatedInDolibarrFromPos=請求書%sがPOSから承認されました +InvoiceBackToDraftInDolibarr=請求書%sが下書きに差し戻されました +InvoiceDeleteDolibarr=請求書%sが削除されました +InvoicePaidInDolibarr=請求書%sが入金済みに変更されました +InvoiceCanceledInDolibarr=請求書%sが取り消されました +MemberValidatedInDolibarr=メンバー%sが承認されました +MemberModifiedInDolibarr=メンバー%sが修正されました +MemberResiliatedInDolibarr=メンバー%sが解除されました +MemberDeletedInDolibarr=メンバー%sが削除されました MemberSubscriptionAddedInDolibarr=メンバー%sのサブスクリプション%sは追加済 MemberSubscriptionModifiedInDolibarr=メンバー%sのサブスクリプション%sは変更済 MemberSubscriptionDeletedInDolibarr=メンバー%sのサブスクリプション%sは削除済 @@ -119,6 +119,7 @@ MRP_MO_UNVALIDATEInDolibarr=MOがドラフトステータスに設定 MRP_MO_PRODUCEDInDolibarr=MOプロデュース MRP_MO_DELETEInDolibarr=MOは削除済 MRP_MO_CANCELInDolibarr=MOは取消済 +PAIDInDolibarr=%s有料 ##### End agenda events ##### AgendaModelModule=イベントのドキュメントテンプレート DateActionStart=開始日 @@ -130,7 +131,7 @@ AgendaUrlOptions4= logint = %s は、出力をユーザー %s ( AgendaUrlOptionsProject= project = __ PROJECT_ID__ は、出力をプロジェクト __PROJECT_ID__にリンクされたアクションに制限する。 AgendaUrlOptionsNotAutoEvent= 自動イベントを除外するには、 notactiontype = systemauto。 AgendaUrlOptionsIncludeHolidays= includeholidays = 1 は、休日のイベントを含む。 -AgendaShowBirthdayEvents=連絡先の誕生日を表示する +AgendaShowBirthdayEvents=連絡先の誕生日 AgendaHideBirthdayEvents=連絡先の誕生日を非表示にする Busy=忙しい ExportDataset_event1=議題イベントのリスト diff --git a/htdocs/langs/ja_JP/banks.lang b/htdocs/langs/ja_JP/banks.lang index 45874c79be1..0030003d981 100644 --- a/htdocs/langs/ja_JP/banks.lang +++ b/htdocs/langs/ja_JP/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=社会/財政税の支払 BankTransfer=銀行口座振替 BankTransfers=クレジット転送 MenuBankInternalTransfer=内部転送 -TransferDesc=ある口座から別の口座に転送すると、Dolibarrは2つのレコード(ソース口座の借方とターゲット口座の貸方)を書込む。同じ金額(記号を除く)、ラベル、日付がこの取引に使用される) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=期初 TransferTo=期末 TransferFromToDone=%s %s %sからの%sへの転送が記録されている。 -CheckTransmitter=振込 +CheckTransmitter=差出人 ValidateCheckReceipt=この小切手領収書を検証するか? -ConfirmValidateCheckReceipt=この小切手領収書を検証してもよいか?一度検証すると変更できなくなる。 +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=この小切手領収書を削除か? ConfirmDeleteCheckReceipt=この小切手領収書を削除してもよいか? BankChecks=銀行小切手 @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=この入力を削除してもよいか? ThisWillAlsoDeleteBankRecord=これにより、生成された銀行入力も削除される BankMovements=動作 PlannedTransactions=予定入力 -Graph=グラフィックス +Graph=Graphs ExportDataset_banque_1=銀行入力と口座明細書 ExportDataset_banque_2=預金伝票 TransactionOnTheOtherAccount=他の口座でのトランザクション @@ -142,7 +142,7 @@ AllAccounts=すべての銀行口座と現金口座 BackToAccount=口座へ戻る ShowAllAccounts=すべての口座に表示 FutureTransaction=先物取引。照合できません。 -SelectChequeTransactionAndGenerate=小切手預金の領収書に含める小切手を選択/フィルタリングし、"作成"をクリックする。 +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=調停に関連する銀行取引明細書を選択する。ソート可能な数値を使用する:YYYYMMまたはYYYYMMDD EventualyAddCategory=最終的に、レコードを分類するカテゴリを指定する ToConciliate=照合するには? diff --git a/htdocs/langs/ja_JP/bills.lang b/htdocs/langs/ja_JP/bills.lang index 6dcd35ad561..10e553423b9 100644 --- a/htdocs/langs/ja_JP/bills.lang +++ b/htdocs/langs/ja_JP/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=支払った超過分を利用可能な割引に変換 EnterPaymentReceivedFromCustomer=顧客から受け取った支払を入力。 EnterPaymentDueToCustomer=顧客ために支払をする DisabledBecauseRemainderToPayIsZero=未払残りがゼロであるため無効 -PriceBase=価格ベース +PriceBase=Base price BillStatus=請求書の状況 StatusOfGeneratedInvoices=生成された請求書のステータス BillStatusDraft=下書き(検証する必要がある) @@ -454,7 +454,7 @@ RegulatedOn=に規制 ChequeNumber=Nを確認して° ChequeOrTransferNumber=転送チェック/ N° ChequeBordereau=スケジュールを確認する -ChequeMaker=送信機の確認/転送 +ChequeMaker=Check/Transfer sender ChequeBank=チェックの銀行 CheckBank=チェック NetToBePaid=支払われるネット diff --git a/htdocs/langs/ja_JP/boxes.lang b/htdocs/langs/ja_JP/boxes.lang index 62533b2e742..7d79722f9cf 100644 --- a/htdocs/langs/ja_JP/boxes.lang +++ b/htdocs/langs/ja_JP/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=ブックマーク:最新の%s BoxOldestExpiredServices=最も古いアクティブな期限切れのサービス BoxLastExpiredServices=アクティブな期限切れのサービスを持つ最新の%s最も古い連絡先 BoxTitleLastActionsToDo=実行する最新の%sアクション -BoxTitleLastContracts=最新の%s変更された契約 -BoxTitleLastModifiedDonations=最新の%s変更された寄付 -BoxTitleLastModifiedExpenses=最新の%s変更された経費報告書 -BoxTitleLatestModifiedBoms=最新の%s変更されたBOM -BoxTitleLatestModifiedMos=最新の%s変更された製造オーダー +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=最大未払い額を超えた顧客 BoxGlobalActivity=グローバルアクティビティ(請求書、提案、注文) BoxGoodCustomers=良い顧客 diff --git a/htdocs/langs/ja_JP/cashdesk.lang b/htdocs/langs/ja_JP/cashdesk.lang index e3dac47b1ba..51f97f98bab 100644 --- a/htdocs/langs/ja_JP/cashdesk.lang +++ b/htdocs/langs/ja_JP/cashdesk.lang @@ -41,7 +41,8 @@ Floor=床 AddTable=テーブルを追加 Place=場所 TakeposConnectorNecesary=「TakePOSコネクタ」が必要 -OrderPrinters=プリンターを注文する +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=製品を検索する Receipt=領収書 Header=ヘッダ @@ -56,8 +57,9 @@ Paymentnumpad=支払いを入力するパッドのタイプ Numberspad=ナンバーズパッド BillsCoinsPad=硬貨と紙幣パッド DolistorePosCategory=Dolibarr用のTakePOSモジュールおよびその他のPOSソリューション -TakeposNeedsCategories=TakePOSが機能するには製品カテゴリが必要です -OrderNotes=注文メモ +TakeposNeedsCategories=TakePOSが機能するには、少なくとも1つの製品カテゴリが必要 +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOSが機能するには、カテゴリ %sの下に少なくとも1つの製品カテゴリが必要。 +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=での支払いに使用するデフォルトのアカウント NoPaimementModesDefined=TakePOS構成で定義された支払いモードはあらない TicketVatGrouped=チケットのレートでVATをグループ化|領収書 @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=請求書はすでに検証されている NoLinesToBill=請求する行がない CustomReceipt=カスタム領収書 ReceiptName=領収書名 -ProductSupplements=製品サプリメント +ProductSupplements=Manage supplements of products SupplementCategory=サプリメントカテゴリー ColorTheme=カラーテーマ Colorful=カラフル @@ -92,7 +94,7 @@ Browser=ブラウザ BrowserMethodDescription=シンプルで簡単なレシート印刷。レシートを構成するためのいくつかのパラメーターのみ。ブラウザ経由で印刷。 TakeposConnectorMethodDescription=追加機能を備えた外部モジュール。クラウドから印刷する可能性。 PrintMethod=印刷方法 -ReceiptPrinterMethodDescription=たくさんのパラメータを持つ強力な方法。テンプレートで完全にカスタマイズ可能。クラウドから印刷できない。 +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=ターミナルで TakeposNumpadUsePaymentIcon=テンキーの支払いボタンのテキストの代わりにアイコンを使用する CashDeskRefNumberingModules=POS販売用の番号付けモジュール @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=モジュールレシートプリンターを AllowDelayedPayment=支払いの遅延を許可する PrintPaymentMethodOnReceipts=チケットに支払い方法を印刷する|領収書 WeighingScale=体重計 +ShowPriceHT = 税抜きの価格を表示する列 +ShowPriceHTOnReceipt = 領収書に税抜きの価格を表示する diff --git a/htdocs/langs/ja_JP/categories.lang b/htdocs/langs/ja_JP/categories.lang index 6d0c80849a4..80b2eb17656 100644 --- a/htdocs/langs/ja_JP/categories.lang +++ b/htdocs/langs/ja_JP/categories.lang @@ -3,20 +3,20 @@ Rubrique=タグ/カテゴリ Rubriques=タグ/カテゴリ RubriquesTransactions=タグ/トランザクションのカテゴリ categories=タグ/カテゴリ -NoCategoryYet=このタイプのタグ/カテゴリは作成されていない +NoCategoryYet=No tag/category of this type has been created In=で AddIn=加える modify=修正する Classify=分類する CategoriesArea=タグ/カテゴリエリア -ProductsCategoriesArea=製品/サービスタグ/カテゴリ領域 -SuppliersCategoriesArea=ベンダーのタグ/カテゴリ領域 -CustomersCategoriesArea=顧客タグ/カテゴリ領域 -MembersCategoriesArea=メンバータグ/カテゴリエリア -ContactsCategoriesArea=連絡先タグ/カテゴリ領域 -AccountsCategoriesArea=銀行口座のタグ/カテゴリ領域 -ProjectsCategoriesArea=プロジェクトタグ/カテゴリ領域 -UsersCategoriesArea=ユーザータグ/カテゴリ領域 +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=サブカテゴリ CatList=タグ/カテゴリのリスト CatListAll=タグ/カテゴリのリスト(すべての種別) @@ -96,4 +96,4 @@ ChooseCategory=カテゴリを選択 StocksCategoriesArea=倉庫カテゴリ ActionCommCategoriesArea=イベントカテゴリ WebsitePagesCategoriesArea=ページ-コンテナカテゴリ -UseOrOperatorForCategories=カテゴリの使用または演算子 +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/ja_JP/companies.lang b/htdocs/langs/ja_JP/companies.lang index b82d69f57e3..0ae62e2ebc3 100644 --- a/htdocs/langs/ja_JP/companies.lang +++ b/htdocs/langs/ja_JP/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=法人名 %s は既存です。別のを選択してください。 ErrorSetACountryFirst=始めに国を設定する SelectThirdParty=取引先を選択します -ConfirmDeleteCompany=この法人と継承されたすべての情報を削除してもよろしいですか? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=連絡先/住所を削除 -ConfirmDeleteContact=この連絡先と継承されたすべての情報を削除してもよろしいですか? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=新規取引先 MenuNewCustomer=新規顧客 MenuNewProspect=新規見込客 @@ -69,7 +69,7 @@ PhoneShort=電話 Skype=Skype Call=電話 Chat=チャット -PhonePro=職場電話 +PhonePro=Bus. phone PhonePerso=個人電話 PhoneMobile=携帯電話 No_Email=大量メールを拒否 @@ -78,7 +78,7 @@ Zip=郵便番号 Town=区市町村 Web=ウェブ Poste= 位置 -DefaultLang=言語デフォルト +DefaultLang=Default language VATIsUsed=消費税項目使用中 VATIsUsedWhenSelling=この定義は、取引先が顧客に請求を作る時の消費 税込/税抜 を指定するもの VATIsNotUsed=消費税項目不使用 @@ -293,7 +293,7 @@ HasRelativeDiscountFromSupplier=この仕入先からのデフォルトでの割 HasNoRelativeDiscountFromSupplier=この仕入先からのデフォルトでの相対割引は無し CompanyHasAbsoluteDiscount=この顧客への割引可能額(返金確認 または 頭金充当)は %s %s CompanyHasDownPaymentOrCommercialDiscount=この顧客への割引可能額(値引取引 または 頭金充当)は %s %s -CompanyHasCreditNote=この顧客はまだ%s %sのためにクレジットノートを持っている +CompanyHasCreditNote=この顧客はまだ%s %sのために貸方票を持っている HasNoAbsoluteDiscountFromSupplier=この仕入先から利用できる割引割戻は無し HasAbsoluteDiscountFromSupplier=この仕入先から、%s %s 相当の割引が可能 (返金確約または頭金充当) HasDownPaymentOrCommercialDiscountFromSupplier=この仕入先から、 %s %s 相当の割引が可能 (現金値引、頭金充当) @@ -331,7 +331,7 @@ CustomerCodeDesc=顧客コード、全顧客でユニーク SupplierCodeDesc=仕入先コード、全仕入先でユニーク RequiredIfCustomer=取引先が顧客または見込客である場合は必須 RequiredIfSupplier=取引先が仕入先である場合は必須 -ValidityControledByModule=検証はモジュールで制御 +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=このモジュールのルールs ProspectToContact=連絡する見込客 CompanyDeleted=法人 "%s" はデータベースから削除。 @@ -439,12 +439,12 @@ ListSuppliersShort=仕入先の一覧 ListProspectsShort=見込客の一覧 ListCustomersShort=顧客の一覧 ThirdPartiesArea=取引先s/連絡先s -LastModifiedThirdParties=最新%s 以内に更新された仕入先 -UniqueThirdParties=仕入先sの合計 +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=開く ActivityCeased=閉じる ThirdPartyIsClosed=閉鎖した取引先 -ProductsIntoElements=%s に対する製品/サービスの一覧 +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=現在の未払い勘定 OutstandingBill=未払い勘定での最大値 OutstandingBillReached=受領済未払い勘定での最大値 @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=顧客/サプライヤーコードは無料です。こ ManagingDirectors=管理職(s)名称 (CEO, 部長, 社長...) MergeOriginThirdparty=重複する取引先 (削除したい取引先) MergeThirdparties=仕入先sを集約 -ConfirmMergeThirdparties=この取引先を現在の取引先に融合したいのね、いいよね?リンクされたすべてのオブジェクト(請求書、注文など...)は現在の取引先に移動され、この取引先には削除されるよ。 +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=仕入先sは集約済 SaleRepresentativeLogin=販売担当者のログイン SaleRepresentativeFirstname=販売担当者の姓名の名 diff --git a/htdocs/langs/ja_JP/compta.lang b/htdocs/langs/ja_JP/compta.lang index f5d31e8c3c9..355fa23d9d0 100644 --- a/htdocs/langs/ja_JP/compta.lang +++ b/htdocs/langs/ja_JP/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=新規割引 NewCheckDeposit=新規チェック預金 NewCheckDepositOn=%s:科目上で預金の領収書を作成する NoWaitingChecks=入金待ちの小切手はない。 -DateChequeReceived=受付の日付を確認すること +DateChequeReceived=Check receiving date NbOfCheques=小切手の数 PaySocialContribution=社会税/財政税を支払う PayVAT=VAT申告を支払う diff --git a/htdocs/langs/ja_JP/ecm.lang b/htdocs/langs/ja_JP/ecm.lang index bbec3ce2d28..b622ef8aee2 100644 --- a/htdocs/langs/ja_JP/ecm.lang +++ b/htdocs/langs/ja_JP/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=ExtrafieldsEcmファイル ExtraFieldsEcmDirectories=ExtrafieldsEcmディレクトリ ECMSetup=ECMセットアップ GenerateImgWebp=すべての画像を.webp形式の別のバージョンで複製する -ConfirmGenerateImgWebp=確認すると、現在このフォルダとそのサブフォルダ...にあるすべての画像に対して .webp形式の画像が生成される +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=すべての画像の重複を確認する SucessConvertImgWebp=画像が正常に複製された diff --git a/htdocs/langs/ja_JP/errors.lang b/htdocs/langs/ja_JP/errors.lang index bf03fa63a87..6f682279738 100644 --- a/htdocs/langs/ja_JP/errors.lang +++ b/htdocs/langs/ja_JP/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=エラーなし、コミットする # Errors ErrorButCommitIsDone=エラーが見つかったが、これにもかかわらず検証する -ErrorBadEMail=メール%sが間違っている -ErrorBadMXDomain=メール%sが間違っているようだ(ドメインに有効なMXレコードがない) -ErrorBadUrl=URLの%sが間違っている +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=パラメータ の値が正しくない。通常、翻訳が欠落している場合に追加される。 ErrorRefAlreadyExists=参照%sはすでに存在する。 ErrorLoginAlreadyExists=ログイン%sはすでに存在している。 @@ -46,8 +46,8 @@ ErrorWrongDate=日付が正しくない! ErrorFailedToWriteInDir=ディレクトリ%sの書き込みに失敗した ErrorFoundBadEmailInFile=ファイル内の%s線の発見誤った電子メールのシンタックス(電子メール= %sを使用したサンプルライン%s) ErrorUserCannotBeDelete=ユーザーを削除することはできない。多分それはDolibarrエンティティに関連付けられている。 -ErrorFieldsRequired=いくつかの必須フィールドが満たされていなかった。 -ErrorSubjectIsRequired=メールトピックが必要だ +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=ディレクトリの作成に失敗した。そのWebサーバのユーザがDolibarrのドキュメントディレクトリに書き込む権限を持って確認すること。パラメータ のsafe_modeがこのPHPが有効になっている場合、Dolibarr PHPファイルは、Webサーバーのユーザー(またはグループ)に所有していることを確認すること。 ErrorNoMailDefinedForThisUser=このユーザーに定義されたメールはない ErrorSetupOfEmailsNotComplete=メールの設定が完了していない @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=ページ/コンテナ%s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = イベント組織 +EventOrganizationDescription = モジュールプロジェクトによるイベント編成 +EventOrganizationDescriptionLong= 公開サブスクリプションページを使用して、会議、出席者、講演者、および出席者のイベント組織を管理する +# +# Menu +# +EventOrganizationMenuLeft = 開催済イベント +EventOrganizationConferenceOrBoothMenuLeft = 会議またはブース + +# +# Admin page +# +EventOrganizationSetup = イベント組織の設定 +Settings = 設定 +EventOrganizationSetupPage = イベント組織設定ページ +EVENTORGANIZATION_TASK_LABEL = プロジェクトが検証されたときに自動的に作成するタスクのラベル +EVENTORGANIZATION_TASK_LABELTooltip = 組織化されたイベントを検証すると、プロジェクトにいくつかのタスクが自動的に作成される。

例:
会議の呼び出しを送信
ブースの呼び出しを送信
会議の呼出を受信
ブースの呼出を受信
参加者にイベントへのサブスクリプションを公開
話者にイベントのリマインダーを送信
ブースの主催者にイベントのリマインダーを送信
出席者にイベントのリマインダーを送信 +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = 誰かが会議を提案したときに自動的に作成される取引先に追加するカテゴリ +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = ブースを提案したときに自動的に作成される取引先に追加するカテゴリ +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = 会議の提案を受け取った後に送信する電子メールのテンプレート。 +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = ブースの提案を受けて送信するメールのテンプレート。 +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = ブースのサブスクリプションが支払われた後に送信する電子メールのテンプレート。 +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = イベントのサブスクリプションが支払われた後に送信する電子メールのテンプレート。 +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = 出席する大虐殺の電子メールのテンプレート +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = 話者への虐待の電子メールのテンプレート +EVENTORGANIZATION_FILTERATTENDEES_CAT = 参加者作成カード/フォームで取引先の選択リストをカテゴリでフィルタリングする +EVENTORGANIZATION_FILTERATTENDEES_TYPE = 顧客タイプを使用して、出席者作成カード/フォームで取引先の選択リストをフィルタリングする + +# +# Object +# +EventOrganizationConfOrBooth= 会議またはブース +ManageOrganizeEvent = イベント組織を管理する +ConferenceOrBooth = 会議またはブース +ConferenceOrBoothTab = 会議またはブース +AmountOfSubscriptionPaid = 支払われたサブスクリプションの金額 +DateSubscription = サブスクリプションの日付 +ConferenceOrBoothAttendee = 会議またはブースの参加者 + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = 会議リクエストは受信済 +YourOrganizationEventBoothRequestWasReceived = ブースの要望は受信済み +EventOrganizationEmailAskConf = 会議のリクエスト +EventOrganizationEmailAskBooth = ブースのご要望 +EventOrganizationEmailSubsBooth = ブースのサブスクリプション +EventOrganizationEmailSubsEvent = イベントのサブスクリプション +EventOrganizationMassEmailAttendees = 出席者へのコミュニケーション +EventOrganizationMassEmailSpeakers = 話者とのコミュニケーション + +# +# Event +# +AllowUnknownPeopleSuggestConf=未知の人からの会議提案を許可 +AllowUnknownPeopleSuggestConfHelp=未知の人からの会議提案を許可 +AllowUnknownPeopleSuggestBooth=未知の人からのブース提案を許可 +AllowUnknownPeopleSuggestBoothHelp=未知の人からのブース提案を許可 +PriceOfRegistration=登録価格 +PriceOfRegistrationHelp=登録価格 +PriceOfBooth=ブース立ちのサブスクリプション価格 +PriceOfBoothHelp=ブース出展用サブスクリプション価格 +EventOrganizationICSLink=イベントのICSをリンクする +ConferenceOrBoothInformation=会議またはブース情報 +Attendees = 参加者 +EVENTORGANIZATION_SECUREKEY = 会議への公開登録リンクのセキュアキー +# +# Status +# +EvntOrgDraft = 下書き +EvntOrgSuggested = 提案済 +EvntOrgConfirmed = 確認済み +EvntOrgNotQualified = 資格なし +EvntOrgDone = 済 +EvntOrgCancelled = キャンセル +# +# Public page +# +PublicAttendeeSubscriptionPage = 会議登録への公開リンク +MissingOrBadSecureKey = セキュリティキーが無効であるか欠落している +EvntOrgWelcomeMessage = このフォームを使用すると、会議の新規参加者として登録でる +EvntOrgStartDuration = この会議の開始は +EvntOrgEndDuration = で終わる diff --git a/htdocs/langs/ja_JP/install.lang b/htdocs/langs/ja_JP/install.lang index 79ddd3fbe8f..99f3b9e23c4 100644 --- a/htdocs/langs/ja_JP/install.lang +++ b/htdocs/langs/ja_JP/install.lang @@ -12,7 +12,7 @@ PHPSupportPOSTGETOk=このPHPは、変数POSTとGETをサポートする。 PHPSupportPOSTGETKo=PHP設定が変数POSTやGETをサポートしない可能性がある。 php.iniのパラメーターvariables_orderを確認すること。 PHPSupportSessions=このPHPは、セッションをサポートする。 PHPSupport=このPHPは%s関数をサポートする。 -PHPMemoryOK=あなたのPHPの最大のセッションメモリは%sに設定されている。これは十分なはずだ。 +PHPMemoryOK=PHPの最大のセッションメモリは%sに設定されています。この数値なら十分です。 PHPMemoryTooLow=PHPの最大セッションメモリは%sバイトに設定されている。これは低すぎる。 php.ini を変更して、 memory_limitパラメーターを少なくとも%sバイトに設定する。 Recheck=より詳細なテストについては、ここをクリックすること ErrorPHPDoesNotSupportSessions=PHPインストールはセッションをサポートしない。この機能は、Dolibarrを機能させるために必要。 PHPの設定とセッションディレクトリの権限を確認すること。 @@ -38,11 +38,11 @@ WarningBrowserTooOld=ブラウザのバージョンが古すぎる。ブラウ PHPVersion=PHPのバージョン License=ライセンスを使用して ConfigurationFile=設定ファイル -WebPagesDirectory=ウェブページが保存されているディレクトリ +WebPagesDirectory=ウェブページを保存するディレクトリ DocumentsDirectory=アップロードされたドキュメントや生成されたドキュメントを格納するディレクトリ URLRoot=URLのルート ForceHttps=セキュアな接続(HTTPS)を強制する -CheckToForceHttps=セキュアな接続(https)を強制的にこのオプションをチェックすること。
これは、WebサーバがSSL証明書を使用して構成されている必要がある。 +CheckToForceHttps= セキュアな接続(https)を強制する場合はこのオプションにチェックを入れて下さい。
このオプションにはSSL認証されたサーバーが必要です。 DolibarrDatabase=Dolibarrデータベース DatabaseType=データベース種別 DriverType=ドライバ種別 @@ -51,8 +51,8 @@ ServerAddressDescription=データベースサーバーの名前またはIP住 ServerPortDescription=データベース・サーバーのポート。不明な場合は空欄のままにしてください。 DatabaseServer=データベース·サーバー DatabaseName=データベース名 -DatabasePrefix=データベーステーブルプレフィックス -DatabasePrefixDescription=データベーステーブルプレフィックス。空の場合、デフォルトはllx_。 +DatabasePrefix=データベースのテーブル接頭辞 +DatabasePrefixDescription=データベースのテーブル接頭辞。空欄にするとデフォルトの「llx_」が設定されます。 AdminLogin=Dolibarrデータベース所有者のユーザアカウント。 PasswordAgain=パスワード確認の再入力 AdminPassword=Dolibarrデータベースの所有者のパスワード。 @@ -60,7 +60,7 @@ CreateDatabase=データベースを作成する。 CreateUser=Dolibarrデータベースでユーザアカウントを作成するか、ユーザアカウントのアクセス許可を付与する DatabaseSuperUserAccess=データベースサーバ - スーパーユーザのアクセス CheckToCreateDatabase=データベースがまだ存在しないため、作成する必要がある場合は、チェックボックスをオンにする。
この場合、このページの下部にスーパーユーザアカウントのユーザ名とパスワードも入力する必要がある。 -CheckToCreateUser=次の場合にチェックボックスをオンにする。
データベースユーザアカウントがまだ存在しないため作成する必要がある場合、またはユーザアカウントは存在するがデータベースが存在せず、アクセス許可を付与する必要がある場合は

この場合、このページの下部にユーザアカウントとパスワードを入力する必要があり、スーパーユーザアカウント名とパスワードを入力する必要がある。このボックスがオフの場合、データベースの所有者とパスワードがすでに存在する必要がある。 +CheckToCreateUser=データベースのユーザーアカウントがまだ存在しないため作成する必要がある場合、または
ユーザーアカウントは存在するがデータベースが存在しておらず、アクセス権限を付与する必要がある場合
はチェックを入れて下さい。
この場合、ページ下部のフォームに上位管理者アカウントのユーザー名とパスワード入力する必要があります。このボックスがチェックされていない場合、データベースの所有者とパスワードがすでに存在していることが必須です。 DatabaseRootLoginDescription=スーパーユーザアカウント名(新規データベースまたは新規ユーザを作成するため)。データベースまたはその所有者がまだ存在しない場合は必須。 KeepEmptyIfNoPassword=スーパーユーザにパスワードがない場合は空のままにする(非推奨) SaveConfigurationFile=パラメータをに保存する @@ -80,7 +80,7 @@ PasswordsMismatch=パスワードが異なる。もう一度お試しくださ SetupEnd=設定の終了 SystemIsInstalled=インストールが完了しました。 SystemIsUpgraded=Dolibarrが正常にアップグレードされました。 -YouNeedToPersonalizeSetup=あなたのニーズに合わせてDolibarrを設定する必要がある(外観、機能、...).これを行うには、下記のリンクをクリックすること。 +YouNeedToPersonalizeSetup=Dolibarrをご自身のニーズに合わせて設定する必要があります(外観、機能など)。設定を実行するには以下のリンクをクリックして下さい。 AdminLoginCreatedSuccessfuly=Dolibarr 管理者ログイン '%s' の作成が成功した。 GoToDolibarr=Dolibarrに行く GoToSetupArea=Dolibarr(設定の領域)に移動する @@ -89,10 +89,10 @@ GoToUpgradePage=アップグレードページへ再度行く WithNoSlashAtTheEnd=末尾のスラッシュ"/"なし DirectoryRecommendation= 重要:Webページの外部にあるディレクトリを使用する必要がある(したがって、前のパラメータのサブディレクトリは使用しないこと)。 LoginAlreadyExists=すでに存在する -DolibarrAdminLogin=Dolibarr adminログイン +DolibarrAdminLogin=Dolibarr 管理者ログイン AdminLoginAlreadyExists=Dolibarr管理者アカウント ' %s'は既に存在する。別のものを作成したい場合は戻ってください。 FailedToCreateAdminLogin=Dolibarr管理者アカウントの作成に失敗した。 -WarningRemoveInstallDir=警告、セキュリティ上の理由から、インストールまたはアップグレードが完了したら、インストールツールの偶発的/悪用を防ぐために、 install.lockというファイルをDolibarrドキュメントディレクトリに追加する必要がある。 +WarningRemoveInstallDir=警告:セキュリティ上の理由から、インストールツールの不意または悪意ある再使用を防ぐため、インストールまたはアップグレードの完了後に install.lockというファイルをドキュメントディレクトリにアップロードしてください。 FunctionNotAvailableInThisPHP=このPHPでは使用できない ChoosedMigrateScript=移行スクリプトを選択する。 DataMigration=データベースの移行(データ) @@ -103,7 +103,7 @@ FreshInstall=新規インストール FreshInstallDesc=これが初めてのインストールである場合は、このモードを使用すること。そうでない場合、このモードは不完全な以前のインストールを修復できる。バージョンをアップグレードする場合は、「アップグレード」モードを選択すること。 Upgrade=アップグレード UpgradeDesc=あなたが新規バージョンのファイルが古いDolibarrファイルを交換した場合、このモードを使用する。これにより、データベースとデータをアップグレードする。 -Start=開始 +Start=スタート InstallNotAllowed=設定では、conf.phpの権限で許可されていない YouMustCreateWithPermission=あなたは、ファイル%sを作成し、インストールプロセス中にWebサーバのためにそれへの書き込み権限を設定する必要がある。 CorrectProblemAndReloadPage=問題を修正し、F5キーを押してページをリロードすること。 @@ -133,7 +133,7 @@ MigrationCustomerOrderShipping=販売受注保管庫のための出荷を移行 MigrationShippingDelivery=出荷の保管庫をアップグレード MigrationShippingDelivery2=出荷 2 の保管庫をアップグレード MigrationFinished=マイグレーションが終了した -LastStepDesc= 最後のステップ:Dolibarrへの接続に使用するログインとパスワードをここで定義する。 他のすべての/追加のユーザアカウントを管理するためのマスターアカウントであるため、これをなくさないでください。 +LastStepDesc= 最後のステップ:Dolibarrへの接続に使用するログインとパスワードを設定します。 他のすべてのユーザアカウント・追加のユーザアカウントを管理するためのマスターアカウントであるため、紛失しないようにして下さい。 ActivateModule=モジュール%sをアクティブにする ShowEditTechnicalParameters=高度なパラメータを表示/編集するには、ここをクリックすること (エキスパートモード) WarningUpgrade=警告:\n最初にデータベースバックアップを実行したか?\nこれを強くお勧めする。このプロセス中にデータが失われる可能性があるため(たとえば、mysqlバージョン5.5.40 / 41/42/43のバグが原因)、移行を開始する前にデータベースの完全なダンプを取得することが不可欠。\n\n "OK" をクリックして移行プロセスを開始する... diff --git a/htdocs/langs/ja_JP/knowledgemanagement.lang b/htdocs/langs/ja_JP/knowledgemanagement.lang new file mode 100644 index 00000000000..888ec8903a0 --- /dev/null +++ b/htdocs/langs/ja_JP/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = 設定 +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = 約 +KnowledgeManagementAbout = 知識管理について +KnowledgeManagementAboutPage = 知識管理に関するページ + +# +# Sample page +# +KnowledgeManagementArea = 知識管理 + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = 記事 +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/ja_JP/mails.lang b/htdocs/langs/ja_JP/mails.lang index ac80df8e0b0..d3122d4a20e 100644 --- a/htdocs/langs/ja_JP/mails.lang +++ b/htdocs/langs/ja_JP/mails.lang @@ -15,7 +15,7 @@ MailToUsers=ユーザ(s)へ MailCC=にコピー MailToCCUsers=ユーザs(s)にコピーする MailCCC=にキャッシュされたコピー -MailTopic=メールトピック +MailTopic=Email subject MailText=メッセージ MailFile=添付ファイル MailMessage=電子メールの本文 @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=このイベントタイプと法人では、自動電 ANotificationsWillBeSent=1つの自動通知が電子メールで送信される SomeNotificationsWillBeSent=%s自動通知は電子メールで送信される AddNewNotification=新規自動電子メール通知を購読する(ターゲット/イベント) -ListOfActiveNotifications=自動電子メール通知のすべてのアクティブなサブスクリプション(ターゲット/イベント)を一覧表示する -ListOfNotificationsDone=送信されたすべての自動電子メール通知を一覧表示する +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=電子メール送信の構成は「%s」に設定されている。このモードは、大量の電子メールを送信するために使用することはできない。 MailSendSetupIs2=モード'%s'を使うには、まず、管理者アカウントを使用して、メニュー%sホーム - 設定 - メール %sに移動し、パラメーター'%s 'を変更する。このモードでは、インターネットサービスプロバイダーが提供するSMTPサーバーの設定に入り、大量電子メールの機能を使用できる。 MailSendSetupIs3=SMTPサーバーの設定方法について質問がある場合は、%sに問い合わせることができる。 diff --git a/htdocs/langs/ja_JP/main.lang b/htdocs/langs/ja_JP/main.lang index 9a56b5c791e..0cb3870bce3 100644 --- a/htdocs/langs/ja_JP/main.lang +++ b/htdocs/langs/ja_JP/main.lang @@ -115,7 +115,7 @@ InformationLastAccessInError=最新のデータベースアクセス要求エラ DolibarrHasDetectedError=Dolibarrで技術的なエラーを検出 YouCanSetOptionDolibarrMainProdToZero=詳細については、ログファイルを読み取るか、構成ファイルでオプション$ dolibarr_main_prodを「0」に設定してください。 InformationToHelpDiagnose=この情報は診断目的に役立ちます(オプション$ dolibarr_main_prodを「1」に設定してそのような通知を削除できます) -MoreInformation=もっと知りたい +MoreInformation=詳しい情報 TechnicalInformation=技術的情報 TechnicalID=技術ID LineID=行ID @@ -180,7 +180,7 @@ SaveAndNew=保存して新規 TestConnection=試験用接続 ToClone=クローン ConfirmCloneAsk=オブジェクト%s のクローンを作成してもよろしいですか? -ConfirmClone=クローンを作成するデータを選択します。 +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=定義されているクローンを作成するデータがありません。 Of=の Go=行く @@ -246,7 +246,7 @@ DefaultModel=デフォルトのドキュメントテンプレート Action=イベント About=約 Number=数 -NumberByMonth=月ごとに数 +NumberByMonth=Total reports by month AmountByMonth=月別量 Numero=数 Limit=制限 @@ -341,8 +341,8 @@ KiloBytes=キロバイト MegaBytes=メガバイト GigaBytes=ギガバイト TeraBytes=テラバイト -UserAuthor=作成のユーザー -UserModif=最終更新のユーザー +UserAuthor=Ceated by +UserModif=更新済の原因 b=B。 Kb=KB Mb=MB @@ -503,9 +503,11 @@ By=によって From=から FromDate=から FromLocation=から -at=で to=へ To=へ +ToDate=へ +ToLocation=へ +at=で and=と or=または Other=その他 @@ -776,7 +778,7 @@ Visibility=可視性 Totalizable=合計可能 TotalizableDesc=このフィールドはリストで合計可能です Private=プライベート -Hidden=隠された +Hidden=非表示 Resources=資源 Source=ソース Prefix=接頭辞 @@ -843,7 +845,7 @@ XMoreLines=%s行が非表示 ShowMoreLines=より多くの/より少ない行を表示する PublicUrl=パブリックURL AddBox=ボックスを追加 -SelectElementAndClick=要素を選択し、%sをクリックします +SelectElementAndClick=Select an element and click on %s PrintFile=印刷ファイル%s ShowTransaction=銀行口座にエントリを表示する ShowIntervention=介入を示す @@ -854,8 +856,8 @@ Denied=拒否されました ListOf=%sのリスト ListOfTemplates=テンプレートのリスト Gender=性別 -Genderman=男 -Genderwoman=女 +Genderman=Male +Genderwoman=Female Genderother=その他 ViewList=リストビュー ViewGantt=ガントビュー @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=選択した%sレコード(s)のタグに影響を与 CategTypeNotFound=レコードのタイプのタグタイプが見つからない CopiedToClipboard=クリップボードにコピー InformationOnLinkToContract=この金額は、契約のすべての行の合計にすぎません。時間の概念は考慮されていない。 +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/ja_JP/members.lang b/htdocs/langs/ja_JP/members.lang index 417d21d59b5..3da10a79543 100644 --- a/htdocs/langs/ja_JP/members.lang +++ b/htdocs/langs/ja_JP/members.lang @@ -1,73 +1,73 @@ # Dolibarr language file - Source file is en_US - members -MembersArea=メンバエリア -MemberCard=メンバカード +MembersArea=メンバー部門 +MemberCard=メンバーカード SubscriptionCard=サブスクリプション·カード -Member=メンバ -Members=メンバ -ShowMember=メンバカードを提示 -UserNotLinkedToMember=ユーザーがメンバにリンクされていない -ThirdpartyNotLinkedToMember=メンバにリンクされていない取引先 -MembersTickets=メンバチケット -FundationMembers=Foundationのメンバ -ListOfValidatedPublicMembers=検証済のパブリックメンバのリスト -ErrorThisMemberIsNotPublic=このメンバは、パブリックではない -ErrorMemberIsAlreadyLinkedToThisThirdParty=別のメンバ(名前:%s、ログイン:%s)は既に取引先製の%sにリンクされている。第三者が唯一のメンバ(およびその逆)にリンクすることはできないので、最初にこのリンクを削除する。 +Member=メンバー +Members=メンバー +ShowMember=メンバーカードを表示 +UserNotLinkedToMember=メンバーにリンクされていないユーザー +ThirdpartyNotLinkedToMember=メンバーにリンクされていない取引先 +MembersTickets=メンバーチケット +FundationMembers=Foundationのメンバー +ListOfValidatedPublicMembers=認証済みの公開メンバーのリスト +ErrorThisMemberIsNotPublic=このメンバーは非公開です +ErrorMemberIsAlreadyLinkedToThisThirdParty=別のメンバー(名前:%s、ログイン:%s)がすでに取引先%sにリンクされています。取引先は1人のメンバーにしかリンクできないため(逆も同様)、まずこのリンクを削除して下さい。 ErrorUserPermissionAllowsToLinksToItselfOnly=セキュリティ上の理由から、あなたはすべてのユーザーが自分のものでないユーザーにメンバをリンクすることができるように編集する権限を付与する必要がある。 SetLinkToUser=Dolibarrユーザーへのリンク -SetLinkToThirdParty=Dolibarr第三者へのリンク -MembersCards=メンバの名刺 -MembersList=メンバのリスト -MembersListToValid=ドラフトのメンバのリスト(検証する) -MembersListValid=有効なメンバのリスト -MembersListUpToDate=最新のサブスクリプションを持つ有効なメンバのリスト -MembersListNotUpToDate=サブスクリプションが古くなっている有効なメンバのリスト -MembersListExcluded=除外されたメンバのリスト -MembersListResiliated=終了したメンバのリスト -MembersListQualified=修飾されたメンバのリスト -MenuMembersToValidate=ドラフトのメンバ -MenuMembersValidated=検証メンバ -MenuMembersExcluded=除外されたメンバ -MenuMembersResiliated=終了したメンバ -MembersWithSubscriptionToReceive=受け取るために、サブスクリプションを持つメンバ -MembersWithSubscriptionToReceiveShort=受け取るサブスクリプション +SetLinkToThirdParty=Dolibarrの取引先にリンクする +MembersCards=Business cards for members +MembersList=メンバーのリスト +MembersListToValid=下書きのメンバーのリスト(要承認) +MembersListValid=有効なメンバーのリスト +MembersListUpToDate=最新のサブスクリプションを持つ有効なメンバーのリスト +MembersListNotUpToDate=サブスクリプションが古くなっている有効なメンバーのリスト +MembersListExcluded=除外されたメンバーのリスト +MembersListResiliated=解除されたメンバーのリスト +MembersListQualified=修正されたメンバーのリスト +MenuMembersToValidate=下書きのメンバー +MenuMembersValidated=承認済みのメンバー +MenuMembersExcluded=除外されたメンバー +MenuMembersResiliated=解除されたメンバー +MembersWithSubscriptionToReceive=受け取るべきサブスクリプションのあるメンバー +MembersWithSubscriptionToReceiveShort=受け取るべきサブスクリプション DateSubscription=サブスクリプションの日付 DateEndSubscription=サブスクリプションの終了日 -EndSubscription=エンドサブスクリプション +EndSubscription=Subscription Ends SubscriptionId=サブスクリプションID WithoutSubscription=サブスクリプションなし -MemberId=メンバID -NewMember=新メンバ -MemberType=メンバ型 -MemberTypeId=メンバの種別ID -MemberTypeLabel=メンバの種別ラベル -MembersTypes=メンバの種類 -MemberStatusDraft=ドラフト(検証する必要がある) -MemberStatusDraftShort=ドラフト -MemberStatusActive=検証(サブスクリプションを待っている) -MemberStatusActiveShort=検証 +MemberId=メンバーID +NewMember=新メンバー +MemberType=メンバー種別 +MemberTypeId=メンバー種別ID +MemberTypeLabel=メンバー種別ラベル +MembersTypes=メンバー種別 +MemberStatusDraft=下書き(要承認) +MemberStatusDraftShort=下書き +MemberStatusActive=承認済み(サブスクリプション待ち) +MemberStatusActiveShort=承認 MemberStatusActiveLate=サブスクリプションの有効期限が切れた -MemberStatusActiveLateShort=期限切れの +MemberStatusActiveLateShort=期限切れ MemberStatusPaid=最新のサブスクリプション MemberStatusPaidShort=最新の MemberStatusExcluded=除外されたメンバ -MemberStatusExcludedShort=除外 -MemberStatusResiliated=終了メンバ -MemberStatusResiliatedShort=終了しました -MembersStatusToValid=ドラフトのメンバ -MembersStatusExcluded=除外されたメンバ -MembersStatusResiliated=終了したメンバ +MemberStatusExcludedShort=除外されました +MemberStatusResiliated=解除されたメンバー +MemberStatusResiliatedShort=解除されました +MembersStatusToValid=下書きのメンバー +MembersStatusExcluded=除外されたメンバー +MembersStatusResiliated=解除されたメンバー MemberStatusNoSubscription=検証済(サブスクリプションは不要) MemberStatusNoSubscriptionShort=検証 SubscriptionNotNeeded=サブスクリプションは必要ない NewCotisation=新規貢献 PaymentSubscription=新規貢献の支払い SubscriptionEndDate=サブスクリプションの終了日 -MembersTypeSetup=メンバ·種別の設定 -MemberTypeModified=メンバ種別が変更された -DeleteAMemberType=メンバ種別を削除する -ConfirmDeleteMemberType=このメンバ種別を削除してもよいか? -MemberTypeDeleted=メンバ種別が削除された -MemberTypeCanNotBeDeleted=メンバ種別は削除できない +MembersTypeSetup=メンバー種別の設定 +MemberTypeModified=メンバー種別が変更されました +DeleteAMemberType=メンバー種別の削除 +ConfirmDeleteMemberType=このメンバー種別を削除してもよろしいですか? +MemberTypeDeleted=メンバー種別が削除されました +MemberTypeCanNotBeDeleted=メンバー種別が削除できません NewSubscription=新規サブスクリプション NewSubscriptionDesc=このフォームで、財団の新規メンバとして、サブスクリプションを記録することができる。あなたが(既にメンバであり)、サブスクリプションを更新したい場合は、電子メール%sではなく財団理事会に連絡すること。 Subscription=サブスクリプション @@ -76,140 +76,140 @@ SubscriptionLate=遅い SubscriptionNotReceived=サブスクリプションは、受信したことはない ListOfSubscriptions=サブスクリプションのリスト SendCardByMail=カードをメールで送信 -AddMember=メンバを作成する -NoTypeDefinedGoToSetup=メンバの種別が定義されていない。メニュー "メンバ種別" に行く -NewMemberType=新規メンバの種別 +AddMember=メンバーの作成 +NoTypeDefinedGoToSetup=メンバー種別が定義されていません。メニューの「メンバー種別」にアクセスして下さい。 +NewMemberType=新規メンバー種別 WelcomeEMail=ウェルカムメール SubscriptionRequired=サブスクリプションが必要 DeleteType=削除する VoteAllowed=許可される投票 -Physical=物理的な -Moral=道徳 -MorAndPhy=道徳的および物理的 -Reenable=再度有効にする -ExcludeMember=メンバを除外する -ConfirmExcludeMember=このメンバを除外してもよろしいですか? -ResiliateMember=メンバを終了する -ConfirmResiliateMember=このメンバを終了してもよいか? -DeleteMember=メンバを削除する -ConfirmDeleteMember=このメンバを削除してもよいか(メンバを削除すると、すべてのサブスクリプションが削除される)。 +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable +ExcludeMember=メンバーを除外する +ConfirmExcludeMember=このメンバーを除外してもよろしいですか? +ResiliateMember=メンバーを解除する +ConfirmResiliateMember=このメンバーを解除してもよろしいですか? +DeleteMember=メンバーを削除 +ConfirmDeleteMember=このメンバーを削除してもよろしいですか?(メンバーを削除すると、そのメンバーの全てのサブスクリプションが削除されます) DeleteSubscription=サブスクリプションを削除する ConfirmDeleteSubscription=このサブスクリプションを削除してもよいか? Filehtpasswd=htpasswdファイル -ValidateMember=メンバを検証する -ConfirmValidateMember=このメンバを検証してもよいか? -FollowingLinksArePublic=次のリンクは、Dolibarrの許可によって保護されていない開いているページです。これらはフォーマットされたページではなく、メンバデータベースを一覧表示する方法を示す例として提供されている。 +ValidateMember=メンバーを承認する +ConfirmValidateMember=このメンバーを承認してよろしいですか? +FollowingLinksArePublic=以下のリンクはDolibarrの権限によって保護されていない公開ページです。これはフォーマットされたページではなく、メンバーをデータベースに載せる方法の例として提示されています。 PublicMemberList=公共のメンバリスト BlankSubscriptionForm=パブリックセルフサブスクリプションフォーム BlankSubscriptionFormDesc=Dolibarrは、外部の訪問者が財団への登録を依頼できるように、公開URL /ウェブサイトを提供できる。オンライン支払いモジュールが有効になっている場合、支払いフォームも自動的に提供される場合がある。 EnablePublicSubscriptionForm=セルフサブスクリプションフォームで公開ウェブサイトを有効にする -ForceMemberType=メンバ種別を強制する -ExportDataset_member_1=メンバとサブスクリプション -ImportDataset_member_1=メンバ -LastMembersModified=最新%sの変更メンバ -LastSubscriptionsModified=最新%sの変更されたサブスクリプション +ForceMemberType=メンバー種別を強制する +ExportDataset_member_1=メンバーとサブスクリプション +ImportDataset_member_1=メンバー +LastMembersModified=最近更新されたメンバー%s件 +LastSubscriptionsModified=最近更新されたサブスクリプション%s件 String=文字列 Text=テキスト Int=int型 DateAndTime=日時 -PublicMemberCard=メンバパブリックカード +PublicMemberCard=メンバー公開カード SubscriptionNotRecorded=サブスクリプションは記録されていない AddSubscription=サブスクリプションを作成する ShowSubscription=サブスクリプションを表示する # Label of email templates -SendingAnEMailToMember=メンバに情報メールを送信する +SendingAnEMailToMember=メンバーに情報メールを送信する SendingEmailOnAutoSubscription=自動登録に関するメールの送信 -SendingEmailOnMemberValidation=新規メンバの検証に関するメールの送信 +SendingEmailOnMemberValidation=新規メンバーの承認に関するメールの送信 SendingEmailOnNewSubscription=新規サブスクリプションでメールを送信する SendingReminderForExpiredSubscription=期限切れのサブスクリプションのリマインダーを送信する SendingEmailOnCancelation=キャンセル時にメールを送信する SendingReminderActionComm=議題イベントのリマインダーを送信する # Topic of email templates -YourMembershipRequestWasReceived=メンバシップを受け取りました。 -YourMembershipWasValidated=メンバシップが検証された +YourMembershipRequestWasReceived=メンバーシップを受け取りました。 +YourMembershipWasValidated=メンバーシップが承認されました。 YourSubscriptionWasRecorded=新規サブスクリプションが記録された SubscriptionReminderEmail=サブスクリプションリマインダー -YourMembershipWasCanceled=メンバシップがキャンセルされた +YourMembershipWasCanceled=メンバーシップがキャンセルされました。 CardContent=あなたの会員カードの内容 # Text of email templates -ThisIsContentOfYourMembershipRequestWasReceived=メンバシップリクエストを受信したことをお知らせする。

-ThisIsContentOfYourMembershipWasValidated=メンバシップが次の情報で検証されたことをお知らせする:

+ThisIsContentOfYourMembershipRequestWasReceived=メンバーシップのリクエストを受領したことをお知らせします。

+ThisIsContentOfYourMembershipWasValidated=メンバーシップが下記の情報で承認されたことをお知らせします:

ThisIsContentOfYourSubscriptionWasRecorded=新規サブスクリプションが記録されたことをお知らせする。

ThisIsContentOfSubscriptionReminderEmail=サブスクリプションの有効期限が近づいているか、すでに有効期限が切れていることをお知らせする(__MEMBER_LAST_SUBSCRIPTION_DATE_END__)。更新していただければ幸いです。

-ThisIsContentOfYourCard=これは私たちがあなたについて持っている情報の要約です。何かが不正確であれば連絡すること。

+ThisIsContentOfYourCard=私共の持っているあなたについて情報の概要です。何か相違があればご連絡ください。

DescADHERENT_AUTOREGISTER_NOTIF_MAIL_SUBJECT=ゲストの自動登録の場合に受信する通知メールの件名 DescADHERENT_AUTOREGISTER_NOTIF_MAIL=ゲストの自動登録の場合に受信する通知メールの内容 -DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=メンバの自動サブスクリプションでメンバに電子メールを送信するために使用する電子メールテンプレート -DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=メンバの検証時にメンバに電子メールを送信するために使用する電子メールテンプレート -DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=新規サブスクリプションの記録でメンバに電子メールを送信するために使用する電子メールテンプレート +DescADHERENT_EMAIL_TEMPLATE_AUTOREGISTER=メンバーに対してメンバーの自動サブスクリプションについての電子メールを送信する際使用するテンプレート +DescADHERENT_EMAIL_TEMPLATE_MEMBER_VALIDATION=メンバーに対してメンバーの承認についての電子メールを送信する際使用するテンプレート +DescADHERENT_EMAIL_TEMPLATE_SUBSCRIPTION=メンバーに対して新規サブスクリプションの記録についての電子メールを送信する際使用するテンプレート DescADHERENT_EMAIL_TEMPLATE_REMIND_EXPIRATION=サブスクリプションの有効期限が近づいたときにメールリマインダーを送信するために使用するメールテンプレート -DescADHERENT_EMAIL_TEMPLATE_CANCELATION=メンバのキャンセル時にメンバに電子メールを送信するために使用する電子メールテンプレート +DescADHERENT_EMAIL_TEMPLATE_CANCELATION=メンバーに対してメンバーのキャンセルについての電子メールを送信する際使用するテンプレート DescADHERENT_EMAIL_TEMPLATE_EXCLUSION=メンバーの除外時にメンバーに電子メールを送信するために使用する電子メールテンプレート DescADHERENT_MAIL_FROM=自動メールの送信者メール DescADHERENT_ETIQUETTE_TYPE=ラベルページのフォーマット -DescADHERENT_ETIQUETTE_TEXT=メンバのアドレスシートに印刷されたテキスト +DescADHERENT_ETIQUETTE_TEXT=メンバーのアドレスシートに印刷されたテキスト DescADHERENT_CARD_TYPE=カードのページのフォーマット -DescADHERENT_CARD_HEADER_TEXT=メンバカードの上に印刷されたテキスト -DescADHERENT_CARD_TEXT=テキストは、(左揃え)メンバカードに印刷 -DescADHERENT_CARD_TEXT_RIGHT=テキストは(右揃え)のメンバカードに印刷 -DescADHERENT_CARD_FOOTER_TEXT=メンバカードの下部に印刷されたテキスト +DescADHERENT_CARD_HEADER_TEXT=メンバーカードの上に印刷されたテキスト +DescADHERENT_CARD_TEXT=メンバーカードに印刷されたテキスト(左寄せ) +DescADHERENT_CARD_TEXT_RIGHT=メンバーカードに印刷されたテキスト(右寄せ) +DescADHERENT_CARD_FOOTER_TEXT=メンバーカードの下部に印刷されたテキスト ShowTypeCard=種別 "%s"を表示 HTPasswordExport=htpasswordファイルの生成 -NoThirdPartyAssociatedToMember=このメンバに関連付けられている取引先ません -MembersAndSubscriptions= メンバとSubscriptions +NoThirdPartyAssociatedToMember=このメンバーには取引先が関連付けられていません +MembersAndSubscriptions= メンバーとサブスクリプション MoreActions=記録上の相補的なアクション MoreActionsOnSubscription=サブスクリプションを記録するときにデフォルトで提案される補完的なアクション MoreActionBankDirect=銀行口座に直接エントリを作成する MoreActionBankViaInvoice=請求書と銀行口座での支払いを作成する MoreActionInvoiceOnly=なし支払いで請求書を作成する。 LinkToGeneratedPages=訪問カードを生成 -LinkToGeneratedPagesDesc=この画面では、すべてのメンバまたは特定のメンバのためのビジネスカードを持つPDFファイルを生成することができる。 -DocForAllMembersCards=すべてのメンバ(:%sフォーマット出力の実際の設定)のためのビジネスカードを生成 -DocForOneMemberCards=特定のメンバの名刺を(:%s出力実際に設定するためのフォーマット)を生成 -DocForLabels=アドレスシート(:%s出力の形式は実際の設定)を生成 +LinkToGeneratedPagesDesc=この画面では全てのメンバーもしくは特定のメンバーの名刺のPDFファイルを生成できます。 +DocForAllMembersCards=全てのメンバーの名刺を生成する +DocForOneMemberCards=特定のメンバーの名刺を生成する +DocForLabels=アドレスシートを生成 SubscriptionPayment=サブスクリプション費用の支払い LastSubscriptionDate=最新のサブスクリプション支払いの日付 LastSubscriptionAmount=最新のサブスクリプションの量 LastMemberType=前回のメンバー種別 -MembersStatisticsByCountries=国別メンバ統計 -MembersStatisticsByState=都道府県/州によってメンバの統計 -MembersStatisticsByTown=町によってメンバの統計 -MembersStatisticsByRegion=地域別の会員統計 -NbOfMembers=会員数 -NbOfActiveMembers=現在アクティブなメンバの数 -NoValidatedMemberYet=いいえ検証メンバが見つからなかった -MembersByCountryDesc=この画面には、国によるメンバの統計情報を表示する。グラフィックは、Googleのオンライングラフサービスに依存するが、インターネット接続が機能している場合にのみ使用できる。 -MembersByStateDesc=この画面では、州/地方/州によってメンバにあなたの統計を示している。 -MembersByTownDesc=この画面には、町でメンバの統計情報を表示する。 +MembersStatisticsByCountries=国別メンバー統計 +MembersStatisticsByState=州・都道府県別メンバー統計 +MembersStatisticsByTown=市区町村別メンバー統計 +MembersStatisticsByRegion=地域別メンバー統計 +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members +NoValidatedMemberYet=承認済みのメンバーが見つかりませんでした +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=読みたい統計を選択... MenuMembersStats=統計 -LastMemberDate=最新の会員日 +LastMemberDate=Latest membership date LatestSubscriptionDate=最後のサブスクリプションの日付 -MemberNature=メンバの性質 -MembersNature=メンバの性質 -Public=情報が公開されている -NewMemberbyWeb=新規メンバが追加された。承認を待っている -NewMemberForm=新規メンバフォーム -SubscriptionsStatistics=サブスクリプションの統計 +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public +NewMemberbyWeb=新規メンバーが追加されました。承認待ちです。 +NewMemberForm=新規メンバーフォーム +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=サブスクリプションの数 -AmountOfSubscriptions=サブスクリプションの量 +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=売上高(法人の場合)または予算(基礎用) DefaultAmount=サブスクリプションのデフォルトの量 CanEditAmount=訪問者は、そのサブスクリプションの量を選択/編集することができる MEMBER_NEWFORM_PAYONLINE=統合されたオンライン決済のページにジャンプ ByProperties=本質的に -MembersStatisticsByProperties=本質的にメンバの統計 -MembersByNature=この画面には、メンバの性質に関する統計が表示される。 -MembersByRegion=この画面には、地域ごとのメンバの統計が表示される。 +MembersStatisticsByProperties=性質別メンバー統計 VATToUseForSubscriptions=サブスクリプションに使用するVAT率 NoVatOnSubscription=サブスクリプションのVATなし ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=請求書へのサブスクリプションラインに使用される製品:%s NameOrCompany=名前または法人 SubscriptionRecorded=サブスクリプションが記録された -NoEmailSentToMember=メンバにメールが送信されません -EmailSentToMember=%sでメンバに送信された電子メール +NoEmailSentToMember=メンバーにメールが送信されていません +EmailSentToMember=%sででメンバーに送信された電子メール SendReminderForExpiredSubscriptionTitle=期限切れのサブスクリプションについてメールでリマインダーを送信する -SendReminderForExpiredSubscription=サブスクリプションの有効期限が近づいたときに、メンバにメールでリマインダーを送信する(パラメーターは、リマインダーを送信するサブスクリプションの終了までの日数。セミコロンで区切った日数のリストにすることができる。 例:'10; 5; 0; -5') -MembershipPaid=現在の期間に支払われたメンバシップ(%sまで) +SendReminderForExpiredSubscription=サブスクリプションの期限切れが近づいた時にメンバーに電子メールでリマインダーを送る(パラメーターはサブスクリプションの終了何日前にリマインダーを送るかという数値です。セミコロンを使用して複数指定することもできます。例:「10;5;0;-5」) +MembershipPaid=現在の期間に支払われたメンバーシップ(%sまで) YouMayFindYourInvoiceInThisEmail=このメールに請求書が添付されている場合がある -XMembersClosed=%sメンバ(s)がクローズした +XMembersClosed=メンバー%s件がクローズしました diff --git a/htdocs/langs/ja_JP/modulebuilder.lang b/htdocs/langs/ja_JP/modulebuilder.lang index 0c1e7ea97fb..0f3a688c10d 100644 --- a/htdocs/langs/ja_JP/modulebuilder.lang +++ b/htdocs/langs/ja_JP/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=定義された権限のリスト SeeExamples=こちらの例をご覧ください EnabledDesc=このフィールドをアクティブにする条件(例:1または$ conf-> global-> MYMODULE_MYOPTION) VisibleDesc=フィールドは表示されているか? (例:0 =表示されない、1 =リストおよび作成/更新/表示フォームで表示、2 =リストでのみ表示、3 =作成/更新/表示フォームでのみ表示(リストではない)、4 =リストおよび更新/表示フォームでのみ表示(作成しない)、5 =リストおよび表示フォームでのみ表示(作成しない、更新しない)

負の値を使用すると、フィールドはデフォルトでリストに表示されないが、表示用に選択できる)。

これは、次のような式にできる。例:
preg_match('/public/', $_SERVER['PHP_SELF'])?0:
($user->rights->holiday->define_holiday ? 1 : 0) -DisplayOnPdfDesc=互換性のあるPDFドキュメントでこのフィールドを表示する。「位置」フィールドで位置を管理できる。
現在、既知の互換性のあるPDFモデルは次のとおり : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

ドキュメントに対して :
0 = 非表示
1 = 表示
2 = 空でない場合のみ表示

ドキュメント行に対して :
0 = 非表示
1 = カラム内で表示
3 = 説明欄の後の行説明カラムの中で表示
4 = 空でない場合のみ、説明欄の後の行説明カラムの中で表示 +DisplayOnPdfDesc=互換性のあるPDFドキュメントにこのフィールドを表示する。 "Position" フィールドで位置を管理できる。
現在、既知の互換性のあるPDFモデルは次のとおり : eratosthene (注文), espadon (発送), sponge (請求), cyan (提案/見積), cornas (仕入発注)

ドキュメントの場合:
0 = 非表示
1 = 表示
2 = 空でない場合のみ表示

ドキュメント行の場合 :
0 = 非表示
1 = カラムに表示
3 = 説明の後の説明カラムに表示
4 = 空でない場合のみ、説明の後の説明カラムに表示 DisplayOnPdf=PDFで表示 IsAMeasureDesc=フィールドの値を累積して、合計をリストに入れることはできるか? (例:1または0) SearchAllDesc=クイック検索ツールから検索するためにフィールドが使用されているか? (例:1または0) diff --git a/htdocs/langs/ja_JP/other.lang b/htdocs/langs/ja_JP/other.lang index 4656b0420d0..2ff627924ac 100644 --- a/htdocs/langs/ja_JP/other.lang +++ b/htdocs/langs/ja_JP/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=このオプションを使用するには、PHPインスト ProfIdShortDesc=教授イド%sは、サードパーティの国に応じて情報 。
たとえば、国%sのために、それはコード%s 。 DolibarrDemo=Dolibarr ERP / CRMデモ StatsByNumberOfUnits=製品/サービスの数量の合計の統計 -StatsByNumberOfEntities=参照エンティティの数の統計(請求書の数、または注文...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=提案数 NumberOfCustomerOrders=受注数 NumberOfCustomerInvoices=顧客の請求書の数 @@ -289,4 +289,4 @@ PopuProp=提案の人気による製品/サービス PopuCom=注文の人気別の製品/サービス ProductStatistics=製品/サービス統計 NbOfQtyInOrders=注文数量 -SelectTheTypeOfObjectToAnalyze=分析するオブジェクトのタイプを選択する... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/ja_JP/partnership.lang b/htdocs/langs/ja_JP/partnership.lang new file mode 100644 index 00000000000..7f747dd3139 --- /dev/null +++ b/htdocs/langs/ja_JP/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = パートナーシップ管理 +PartnershipDescription = モジュールパートナーシップ管理 +PartnershipDescriptionLong= モジュールパートナーシップ管理 + +# +# Menu +# +NewPartnership = 新規パートナーシップ +ListOfPartnerships = パートナーシップのリスト + +# +# Admin page +# +PartnershipSetup = パートナーシップの設定 +PartnershipAbout = パートナーシップについて +PartnershipAboutPage = ページについてのパートナーシップ + + +# +# Object +# +DatePartnershipStart=開始日 +DatePartnershipEnd=終了日 + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = 下書き +PartnershipAccepted = 承認済 +PartnershipRefused = 拒否 +PartnershipCanceled = キャンセル + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/ja_JP/productbatch.lang b/htdocs/langs/ja_JP/productbatch.lang index 88985c01ebe..8dc3de69bbc 100644 --- a/htdocs/langs/ja_JP/productbatch.lang +++ b/htdocs/langs/ja_JP/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=シリアル番号%sはすでに製品%sに使用され TooManyQtyForSerialNumber=シリアル番号%sに対して使用できる製品%sは1つだけ。 BatchLotNumberingModules=ロット管理のバッチ製品の自動生成のオプション BatchSerialNumberingModules=シリアル番号で管理されるバッチ製品の自動生成のオプション +ManageLotMask=カスタムマスク CustomMasks=製品カードにマスクを定義するオプションを追加する LotProductTooltip=製品カードにオプションを追加して、専用のバッチ番号マスクを定義する SNProductTooltip=製品カードに専用のシリアル番号マスクを定義するオプションを追加する QtyToAddAfterBarcodeScan=スキャンされたバーコード/ロット/シリアルごとに追加する数量 - diff --git a/htdocs/langs/ja_JP/products.lang b/htdocs/langs/ja_JP/products.lang index d09196cc603..36b6f07b785 100644 --- a/htdocs/langs/ja_JP/products.lang +++ b/htdocs/langs/ja_JP/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=販売のみのサービス ServicesOnPurchaseOnly=購入のみのサービス ServicesNotOnSell=非売品および非購入のサービス ServicesOnSellAndOnBuy=販売および購入のためのサービス -LastModifiedProductsAndServices=最新の%s変更された製品/サービス +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=最新の%s記録された製品 LastRecordedServices=最新の%s記録されたサービス CardProduct0=製品 @@ -73,12 +73,12 @@ SellingPrice=販売価格 SellingPriceHT=販売価格(税込) SellingPriceTTC=販売価格(税込) SellingMinPriceTTC=最低販売価格(税込) -CostPriceDescription=この価格フィールド(税抜き)を使用して、この製品の法人への平均コストを保存できる。たとえば、平均購入価格に平均生産および流通コストを加えたものから、自分で計算した任意の価格にすることができる。 +CostPriceDescription=This price field (excl. tax) can be used to capture 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=この値は、マージンの計算に使用できる。 SoldAmount=販売額 PurchasedAmount=購入金額 NewPrice=新価格 -MinPrice=最小販売価格 +MinPrice=Min. selling price EditSellingPriceLabel=販売価格ラベルを編集する CantBeLessThanMinPrice=販売価格は、本製品(税抜き%s)に許可される最小値より小さくなることはない。あなたはあまりにも重要な割引を入力した場合にも、このメッセージが表示される。 ContractStatusClosed=閉じた @@ -157,11 +157,11 @@ ListServiceByPopularity=人気によるサービスのリスト Finished=工業製品 RowMaterial=最初の材料 ConfirmCloneProduct=製品またはサービスの複製を作成してもよいか%s ? -CloneContentProduct=製品/サービスのすべての主要な情報を複製する +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=価格の複製 -CloneCategoriesProduct=リンクされたタグ/カテゴリの複製 -CloneCompositionProduct=仮想製品/サービスの複製 -CloneCombinationsProduct=製品バリアントの複製 +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=本製品が使用される NewRefForClone=REF。新製品/サービスの SellingPrices=販売価格 @@ -170,12 +170,12 @@ CustomerPrices=顧客価格 SuppliersPrices=仕入先価格 SuppliersPricesOfProductsOrServices=(製品またはサービスの)仕入先価格 CustomCode=税関|商品| HSコード -CountryOrigin=原産国 -RegionStateOrigin=地域 原産地 -StateOrigin=州|県 原産地 -Nature=製品の性質(素材/完成品) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=製品の性質 -NatureOfProductDesc=原材料または完成品 +NatureOfProductDesc=Raw material or manufactured product ShortLabel=短縮ラベル Unit=単位 p=u. diff --git a/htdocs/langs/ja_JP/projects.lang b/htdocs/langs/ja_JP/projects.lang index 4921c3bdd8d..e9b62cee0ab 100644 --- a/htdocs/langs/ja_JP/projects.lang +++ b/htdocs/langs/ja_JP/projects.lang @@ -10,19 +10,19 @@ PrivateProject=プロジェクトの連絡先 ProjectsImContactFor=私が明示的に連絡を取っているプロジェクト AllAllowedProjects=私が読むことができるすべてのプロジェクト(私の+公開) AllProjects=すべてのプロジェクト -MyProjectsDesc=このビューは、連絡先のプロジェクトに限定される +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=このビューには、読み取りを許可されているすべてのプロジェクトを紹介します。 TasksOnProjectsPublicDesc=このビューには、読み取りが許可されているプロジェクトのすべてのタスクが表示される。 ProjectsPublicTaskDesc=このビューには、読み取りを許可されているすべてのプロジェクトやタスクを示します。 ProjectsDesc=このビューはすべてのプロジェクトを(あなたのユーザー権限はあなたに全てを表示する権限を付与)を提示します。 TasksOnProjectsDesc=このビューには、すべてのプロジェクトのすべてのタスクが表示される(ユーザー権限により、すべてを表示する権限が付与される)。 -MyTasksDesc=このビューは、連絡先のプロジェクトまたはタスクに限定される +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=開いているプロジェクトのみが表示される(ドラフトまたはクローズステータスのプロジェクトは表示されない)。 ClosedProjectsAreHidden=閉じたプロジェクトは表示されない。 TasksPublicDesc=このビューには、読み取りを許可されているすべてのプロジェクトやタスクを示します。 TasksDesc=このビューは、すべてのプロジェクトとタスク(あなたのユーザー権限はあなたに全てを表示する権限を付与)を提示します。 AllTaskVisibleButEditIfYouAreAssigned=資格のあるプロジェクトのすべてのタスクが表示されるが、選択したユーザーに割り当てられたタスクの時間のみを入力できる。時間を入力する必要がある場合は、タスクを割り当てる。 -OnlyYourTaskAreVisible=自分に割り当てられたタスクのみが表示される。タスクが表示されておらず、時間を入力する必要がある場合は、自分にタスクを割り当てる。 +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=プロジェクトのタスク ProjectCategories=プロジェクトタグ/カテゴリ NewProject=新規プロジェクト @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=タスクに割り当てられていない NoUserAssignedToTheProject=このプロジェクトに割り当てられているユーザーはない TimeSpentBy=によって費やされた時間 TasksAssignedTo=に割り当てられたタスク -AssignTaskToMe=私にタスクを割り当てる +AssignTaskToMe=Assign task to myself AssignTaskToUser=タスクを%sに割り当てる SelectTaskToAssign=割り当てるタスクを選択すること... AssignTask=割当 diff --git a/htdocs/langs/ja_JP/recruitment.lang b/htdocs/langs/ja_JP/recruitment.lang index bb2081baa02..3b0751d47d9 100644 --- a/htdocs/langs/ja_JP/recruitment.lang +++ b/htdocs/langs/ja_JP/recruitment.lang @@ -68,9 +68,9 @@ RecruitmentCandidatures=アプリケーション InterviewToDo=する面接 AnswerCandidature=アプリケーションの回答 YourCandidature=あなたの申請 -YourCandidatureAnswerMessage=お申し込みいただきありがとうございます。
..。 +YourCandidatureAnswerMessage=お申し込みいただきありがとうございる。
..。 JobClosedTextCandidateFound=求人はクローズされている。ポジションが埋まった。 JobClosedTextCanceled=求人はクローズされている。 ExtrafieldsJobPosition=補完的な属性(職位) -ExtrafieldsCandidatures=補完的な属性(求人応募) +ExtrafieldsApplication=補完的な属性(求人応募) MakeOffer=申し出する diff --git a/htdocs/langs/ja_JP/sendings.lang b/htdocs/langs/ja_JP/sendings.lang index 0a58d6837b3..310d3eff816 100644 --- a/htdocs/langs/ja_JP/sendings.lang +++ b/htdocs/langs/ja_JP/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=この出荷を参照%s で検査してもよい ConfirmCancelSending=この出荷をキャンセルしてもよいか? DocumentModelMerou=メロウA5モデル WarningNoQtyLeftToSend=警告、出荷待ちの製品はない。 -StatsOnShipmentsOnlyValidated=出荷に関して実施された統計は検査済みです。使用日は出荷の検査日です(飛行機の配達日は常にわかっているわけではない)。 +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=配達予定日 RefDeliveryReceipt=参照納品書 StatusReceipt=ステータス納品書 diff --git a/htdocs/langs/ja_JP/stocks.lang b/htdocs/langs/ja_JP/stocks.lang index 869a0a87d34..5c123dda1c0 100644 --- a/htdocs/langs/ja_JP/stocks.lang +++ b/htdocs/langs/ja_JP/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=このオブジェクト用に事前定義され DispatchVerb=派遣 StockLimitShort=アラートの制限 StockLimit=アラートの在庫制限 -StockLimitDesc=(空)は警告がないことを意味する。
0は、在庫が空になるとすぐに警告として使用される。 +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=現物在庫 RealStock=実在庫 RealStockDesc=現物/実在庫は、現在倉庫にある在庫 。 diff --git a/htdocs/langs/ja_JP/users.lang b/htdocs/langs/ja_JP/users.lang index 63ad09b98ed..9df51f63327 100644 --- a/htdocs/langs/ja_JP/users.lang +++ b/htdocs/langs/ja_JP/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=%s:パスワードに変更 SubjectNewPassword=%sの新規パスワード GroupRights=グループのパーミッション UserRights=ユーザ権限 +Credentials=Credentials UserGUISetup=ユーザディスプレイの設定 DisableUser=無効にする DisableAUser=ユーザを無効にする @@ -105,7 +106,7 @@ UseTypeFieldToChange=フィールドタイプを使用して変更 OpenIDURL=OpenID URL LoginUsingOpenID=OpenIDを使用してログインする WeeklyHours=労働時間(週あたり) -ExpectedWorkedHours=週あたりの予想労働時間 +ExpectedWorkedHours=Expected hours worked per week ColorUser=ユーザの色 DisabledInMonoUserMode=メンテナンスモードでは無効 UserAccountancyCode=ユーザアカウンティングコード @@ -115,7 +116,7 @@ DateOfEmployment=雇用日 DateEmployment=雇用 DateEmploymentstart=雇用開始日 DateEmploymentEnd=雇用終了日 -RangeOfLoginValidity=ログイン有効期間 +RangeOfLoginValidity=Access validity date range CantDisableYourself=自分のユーザレコードを無効にすることはできません ForceUserExpenseValidator=経費報告書検証ツールを強制する ForceUserHolidayValidator=強制休暇リクエストバリデーター diff --git a/htdocs/langs/ja_JP/website.lang b/htdocs/langs/ja_JP/website.lang index dc0e8a6e15f..27a0ef7bef6 100644 --- a/htdocs/langs/ja_JP/website.lang +++ b/htdocs/langs/ja_JP/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=使用可能なすべての言語の GenerateSitemaps=ウェブサイトサイトマップファイルを生成する ConfirmGenerateSitemaps=確定すると、既存のサイトマップファイルが消去される... ConfirmSitemapsCreation=サイトマップの生成を確認する -SitemapGenerated=生成されたサイトマップ +SitemapGenerated=Sitemap file %s generated ImportFavicon=ファビコン ErrorFaviconType=ファビコンはpngを必要とする -ErrorFaviconSize=ファビコンのサイズは32x32を必要とする -FaviconTooltip=32x32のpngを必要とする画像をアップロードする +ErrorFaviconSize=ファビコンのサイズは16x16、32x32、または64x64であること +FaviconTooltip=画像をアップロードする、画像はpng (16x16, 32x32 or 64x64) であること diff --git a/htdocs/langs/ka_GE/accountancy.lang b/htdocs/langs/ka_GE/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/ka_GE/accountancy.lang +++ b/htdocs/langs/ka_GE/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/ka_GE/admin.lang b/htdocs/langs/ka_GE/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/ka_GE/admin.lang +++ b/htdocs/langs/ka_GE/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/ka_GE/banks.lang b/htdocs/langs/ka_GE/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/ka_GE/banks.lang +++ b/htdocs/langs/ka_GE/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/ka_GE/bills.lang b/htdocs/langs/ka_GE/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/ka_GE/bills.lang +++ b/htdocs/langs/ka_GE/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/ka_GE/boxes.lang b/htdocs/langs/ka_GE/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/ka_GE/boxes.lang +++ b/htdocs/langs/ka_GE/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/ka_GE/cashdesk.lang b/htdocs/langs/ka_GE/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/ka_GE/cashdesk.lang +++ b/htdocs/langs/ka_GE/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/ka_GE/categories.lang b/htdocs/langs/ka_GE/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/ka_GE/categories.lang +++ b/htdocs/langs/ka_GE/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/ka_GE/companies.lang b/htdocs/langs/ka_GE/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/ka_GE/companies.lang +++ b/htdocs/langs/ka_GE/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/ka_GE/compta.lang b/htdocs/langs/ka_GE/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/ka_GE/compta.lang +++ b/htdocs/langs/ka_GE/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/ka_GE/ecm.lang b/htdocs/langs/ka_GE/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/ka_GE/ecm.lang +++ b/htdocs/langs/ka_GE/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/ka_GE/errors.lang b/htdocs/langs/ka_GE/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/ka_GE/errors.lang +++ b/htdocs/langs/ka_GE/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/ka_GE/knowledgemanagement.lang b/htdocs/langs/ka_GE/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/ka_GE/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/ka_GE/mails.lang b/htdocs/langs/ka_GE/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/ka_GE/mails.lang +++ b/htdocs/langs/ka_GE/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/ka_GE/main.lang b/htdocs/langs/ka_GE/main.lang index dc2a83f2015..13793aad13f 100644 --- a/htdocs/langs/ka_GE/main.lang +++ b/htdocs/langs/ka_GE/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/ka_GE/members.lang b/htdocs/langs/ka_GE/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/ka_GE/members.lang +++ b/htdocs/langs/ka_GE/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/ka_GE/modulebuilder.lang b/htdocs/langs/ka_GE/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/ka_GE/modulebuilder.lang +++ b/htdocs/langs/ka_GE/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/ka_GE/other.lang b/htdocs/langs/ka_GE/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/ka_GE/other.lang +++ b/htdocs/langs/ka_GE/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/ka_GE/partnership.lang b/htdocs/langs/ka_GE/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/ka_GE/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/ka_GE/productbatch.lang b/htdocs/langs/ka_GE/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/ka_GE/productbatch.lang +++ b/htdocs/langs/ka_GE/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/ka_GE/products.lang b/htdocs/langs/ka_GE/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/ka_GE/products.lang +++ b/htdocs/langs/ka_GE/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/ka_GE/projects.lang b/htdocs/langs/ka_GE/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/ka_GE/projects.lang +++ b/htdocs/langs/ka_GE/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/ka_GE/recruitment.lang b/htdocs/langs/ka_GE/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/ka_GE/recruitment.lang +++ b/htdocs/langs/ka_GE/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/ka_GE/sendings.lang b/htdocs/langs/ka_GE/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/ka_GE/sendings.lang +++ b/htdocs/langs/ka_GE/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/ka_GE/stocks.lang b/htdocs/langs/ka_GE/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/ka_GE/stocks.lang +++ b/htdocs/langs/ka_GE/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/ka_GE/users.lang b/htdocs/langs/ka_GE/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/ka_GE/users.lang +++ b/htdocs/langs/ka_GE/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/ka_GE/website.lang b/htdocs/langs/ka_GE/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/ka_GE/website.lang +++ b/htdocs/langs/ka_GE/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/km_KH/accountancy.lang b/htdocs/langs/km_KH/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/km_KH/accountancy.lang +++ b/htdocs/langs/km_KH/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/km_KH/admin.lang b/htdocs/langs/km_KH/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/km_KH/admin.lang +++ b/htdocs/langs/km_KH/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/km_KH/banks.lang b/htdocs/langs/km_KH/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/km_KH/banks.lang +++ b/htdocs/langs/km_KH/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/km_KH/bills.lang b/htdocs/langs/km_KH/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/km_KH/bills.lang +++ b/htdocs/langs/km_KH/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/km_KH/boxes.lang b/htdocs/langs/km_KH/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/km_KH/boxes.lang +++ b/htdocs/langs/km_KH/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/km_KH/cashdesk.lang b/htdocs/langs/km_KH/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/km_KH/cashdesk.lang +++ b/htdocs/langs/km_KH/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/km_KH/categories.lang b/htdocs/langs/km_KH/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/km_KH/categories.lang +++ b/htdocs/langs/km_KH/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/km_KH/companies.lang b/htdocs/langs/km_KH/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/km_KH/companies.lang +++ b/htdocs/langs/km_KH/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/km_KH/compta.lang b/htdocs/langs/km_KH/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/km_KH/compta.lang +++ b/htdocs/langs/km_KH/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/km_KH/ecm.lang b/htdocs/langs/km_KH/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/km_KH/ecm.lang +++ b/htdocs/langs/km_KH/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/km_KH/errors.lang b/htdocs/langs/km_KH/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/km_KH/errors.lang +++ b/htdocs/langs/km_KH/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/km_KH/knowledgemanagement.lang b/htdocs/langs/km_KH/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/km_KH/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/km_KH/mails.lang b/htdocs/langs/km_KH/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/km_KH/mails.lang +++ b/htdocs/langs/km_KH/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/km_KH/main.lang b/htdocs/langs/km_KH/main.lang index 3a8d17ec853..8732bfe917c 100644 --- a/htdocs/langs/km_KH/main.lang +++ b/htdocs/langs/km_KH/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/km_KH/members.lang b/htdocs/langs/km_KH/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/km_KH/members.lang +++ b/htdocs/langs/km_KH/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/km_KH/modulebuilder.lang b/htdocs/langs/km_KH/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/km_KH/modulebuilder.lang +++ b/htdocs/langs/km_KH/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/km_KH/other.lang b/htdocs/langs/km_KH/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/km_KH/other.lang +++ b/htdocs/langs/km_KH/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/km_KH/partnership.lang b/htdocs/langs/km_KH/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/km_KH/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/km_KH/productbatch.lang b/htdocs/langs/km_KH/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/km_KH/productbatch.lang +++ b/htdocs/langs/km_KH/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/km_KH/products.lang b/htdocs/langs/km_KH/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/km_KH/products.lang +++ b/htdocs/langs/km_KH/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/km_KH/projects.lang b/htdocs/langs/km_KH/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/km_KH/projects.lang +++ b/htdocs/langs/km_KH/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/km_KH/recruitment.lang b/htdocs/langs/km_KH/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/km_KH/recruitment.lang +++ b/htdocs/langs/km_KH/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/km_KH/sendings.lang b/htdocs/langs/km_KH/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/km_KH/sendings.lang +++ b/htdocs/langs/km_KH/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/km_KH/stocks.lang b/htdocs/langs/km_KH/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/km_KH/stocks.lang +++ b/htdocs/langs/km_KH/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/km_KH/users.lang b/htdocs/langs/km_KH/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/km_KH/users.lang +++ b/htdocs/langs/km_KH/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/km_KH/website.lang b/htdocs/langs/km_KH/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/km_KH/website.lang +++ b/htdocs/langs/km_KH/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/kn_IN/accountancy.lang b/htdocs/langs/kn_IN/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/kn_IN/accountancy.lang +++ b/htdocs/langs/kn_IN/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/kn_IN/admin.lang b/htdocs/langs/kn_IN/admin.lang index f0d117c5ea5..0c10c3d755f 100644 --- a/htdocs/langs/kn_IN/admin.lang +++ b/htdocs/langs/kn_IN/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/kn_IN/banks.lang b/htdocs/langs/kn_IN/banks.lang index 10b886178a1..26a8b041e45 100644 --- a/htdocs/langs/kn_IN/banks.lang +++ b/htdocs/langs/kn_IN/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/kn_IN/bills.lang b/htdocs/langs/kn_IN/bills.lang index a1be5f9460b..2477701eef5 100644 --- a/htdocs/langs/kn_IN/bills.lang +++ b/htdocs/langs/kn_IN/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=ಪರಿಶೀಲಿಸಿ NetToBePaid=Net to be paid diff --git a/htdocs/langs/kn_IN/boxes.lang b/htdocs/langs/kn_IN/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/kn_IN/boxes.lang +++ b/htdocs/langs/kn_IN/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/kn_IN/cashdesk.lang b/htdocs/langs/kn_IN/cashdesk.lang index a70407c989f..1553c32c5a6 100644 --- a/htdocs/langs/kn_IN/cashdesk.lang +++ b/htdocs/langs/kn_IN/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/kn_IN/categories.lang b/htdocs/langs/kn_IN/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/kn_IN/categories.lang +++ b/htdocs/langs/kn_IN/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/kn_IN/companies.lang b/htdocs/langs/kn_IN/companies.lang index 02ffb5f7a43..842bd4ac027 100644 --- a/htdocs/langs/kn_IN/companies.lang +++ b/htdocs/langs/kn_IN/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=ಸಂಸ್ಥೆ ಹೆಸರು %s ಈಗಾಗಲೇ ಅಸ್ತಿತ್ವದಲ್ಲಿದೆ. ಮತ್ತೊಂದನ್ನು ಆಯ್ದುಕೊಳ್ಳಿರಿ. ErrorSetACountryFirst=ಮೊದಲು ದೇಶವನ್ನು ಹೊಂದಿಸಿ. SelectThirdParty=ಮೂರನೇ ವ್ಯಕ್ತಿಯನ್ನು ಆಯ್ಕೆ ಮಾಡಿರಿ. -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=ಸಂಪರ್ಕ / ವಿಳಾಸವೊಂದನ್ನು ಅಳಿಸಿ. -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=ದೂರವಾಣಿ Skype=ಸ್ಕೈಪ್ Call=ಕರೆ Chat=ಚಾಟ್ -PhonePro=ವೃತ್ತಿಪರ ದೂರವಾಣಿ +PhonePro=Bus. phone PhonePerso=ವೈಯಿಕ್ತಿಕ ದೂರವಾಣಿ PhoneMobile=ಮೊಬೈಲ್ ಸಂಖ್ಯೆ No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=ಪಿನ್ ಕೋಡ್ Town=ನಗರ Web=ವೆಬ್ Poste= ಸ್ಥಾನ -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=ತೃತೀಯ ಪಾರ್ಟಿಯು ಗ್ರಾಹಕ ಅಥವಾ ನಿರೀಕ್ಷಿತರಾಗಿದ್ದ ವೇಳೆ ಅಗತ್ಯ RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact='ನಿರೀಕ್ಷಿತ'ದಿಂದ 'ಸಂಪರ್ಕ'ಕ್ಕೆ CompanyDeleted="%s" ಸಂಸ್ಥೆಯನ್ನು ಡೇಟಾಬೇಸ್-ನಿಂದ ತೆಗೆಯಲಾಗಿದೆ. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=ತೆರೆಯಲಾಗಿದೆ ActivityCeased=ಮುಚ್ಚಲಾಗಿದೆ ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=ಪ್ರಸ್ತುತ ಬಾಕಿ ಉಳಿದಿರುವ ಬಿಲ್ OutstandingBill=ಗರಿಷ್ಟ ಬಾಕಿ ಉಳಿದಿರುವ ಬಿಲ್ ಮೊತ್ತ OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=ಕೋಡ್ ಉಚಿತ. ಈ ಕೋಡ್ ManagingDirectors=ಮ್ಯಾನೇಜರ್ (ಗಳು) ಹೆಸರು (ಸಿಇಒ, ನಿರ್ದೇಶಕ, ಅಧ್ಯಕ್ಷ ...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/kn_IN/compta.lang b/htdocs/langs/kn_IN/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/kn_IN/compta.lang +++ b/htdocs/langs/kn_IN/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/kn_IN/ecm.lang b/htdocs/langs/kn_IN/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/kn_IN/ecm.lang +++ b/htdocs/langs/kn_IN/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/kn_IN/errors.lang b/htdocs/langs/kn_IN/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/kn_IN/errors.lang +++ b/htdocs/langs/kn_IN/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/kn_IN/knowledgemanagement.lang b/htdocs/langs/kn_IN/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/kn_IN/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/kn_IN/mails.lang b/htdocs/langs/kn_IN/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/kn_IN/mails.lang +++ b/htdocs/langs/kn_IN/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/kn_IN/main.lang b/htdocs/langs/kn_IN/main.lang index c486eab476a..bdd823a6664 100644 --- a/htdocs/langs/kn_IN/main.lang +++ b/htdocs/langs/kn_IN/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=ಇತರ @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=ಇತರ ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/kn_IN/members.lang b/htdocs/langs/kn_IN/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/kn_IN/members.lang +++ b/htdocs/langs/kn_IN/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/kn_IN/modulebuilder.lang b/htdocs/langs/kn_IN/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/kn_IN/modulebuilder.lang +++ b/htdocs/langs/kn_IN/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/kn_IN/other.lang b/htdocs/langs/kn_IN/other.lang index 65ae9f5a554..a4e928da2d2 100644 --- a/htdocs/langs/kn_IN/other.lang +++ b/htdocs/langs/kn_IN/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/kn_IN/partnership.lang b/htdocs/langs/kn_IN/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/kn_IN/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/kn_IN/productbatch.lang b/htdocs/langs/kn_IN/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/kn_IN/productbatch.lang +++ b/htdocs/langs/kn_IN/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/kn_IN/products.lang b/htdocs/langs/kn_IN/products.lang index 8981b3b6729..a84efa5fa7c 100644 --- a/htdocs/langs/kn_IN/products.lang +++ b/htdocs/langs/kn_IN/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=ಮುಚ್ಚಲಾಗಿದೆ @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/kn_IN/projects.lang b/htdocs/langs/kn_IN/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/kn_IN/projects.lang +++ b/htdocs/langs/kn_IN/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/kn_IN/recruitment.lang b/htdocs/langs/kn_IN/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/kn_IN/recruitment.lang +++ b/htdocs/langs/kn_IN/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/kn_IN/sendings.lang b/htdocs/langs/kn_IN/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/kn_IN/sendings.lang +++ b/htdocs/langs/kn_IN/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/kn_IN/stocks.lang b/htdocs/langs/kn_IN/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/kn_IN/stocks.lang +++ b/htdocs/langs/kn_IN/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/kn_IN/users.lang b/htdocs/langs/kn_IN/users.lang index 56b77126d93..effac97d337 100644 --- a/htdocs/langs/kn_IN/users.lang +++ b/htdocs/langs/kn_IN/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/kn_IN/website.lang b/htdocs/langs/kn_IN/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/kn_IN/website.lang +++ b/htdocs/langs/kn_IN/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ko_KR/accountancy.lang b/htdocs/langs/ko_KR/accountancy.lang index 55af80d01e8..53aeba6a47d 100644 --- a/htdocs/langs/ko_KR/accountancy.lang +++ b/htdocs/langs/ko_KR/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/ko_KR/admin.lang b/htdocs/langs/ko_KR/admin.lang index 0a4eaa689a5..1a54ad1c182 100644 --- a/htdocs/langs/ko_KR/admin.lang +++ b/htdocs/langs/ko_KR/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=알리미 DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/ko_KR/banks.lang b/htdocs/langs/ko_KR/banks.lang index e50fd22f1f0..76102f7a731 100644 --- a/htdocs/langs/ko_KR/banks.lang +++ b/htdocs/langs/ko_KR/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=부터 TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/ko_KR/bills.lang b/htdocs/langs/ko_KR/bills.lang index 9c4c8589dfe..4eee15767e7 100644 --- a/htdocs/langs/ko_KR/bills.lang +++ b/htdocs/langs/ko_KR/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=검사 NetToBePaid=Net to be paid diff --git a/htdocs/langs/ko_KR/boxes.lang b/htdocs/langs/ko_KR/boxes.lang index d26b6fe49f9..a65fcc0e16b 100644 --- a/htdocs/langs/ko_KR/boxes.lang +++ b/htdocs/langs/ko_KR/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=가장 오래된 활성 만료 된 서비스 BoxLastExpiredServices=만료 된 최신 서비스 %s의 가장 오래된 연락처 BoxTitleLastActionsToDo=최근 %s 할 일 -BoxTitleLastContracts=최근 %s 수정 된 계약 -BoxTitleLastModifiedDonations=최근 %s 수정 된 기부 -BoxTitleLastModifiedExpenses=최근 %s 수정 된 비용 보고서 -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=글로벌 활동 (송장, 제안서, 주문) BoxGoodCustomers=좋은 고객 diff --git a/htdocs/langs/ko_KR/cashdesk.lang b/htdocs/langs/ko_KR/cashdesk.lang index 16169671a2d..ccf4c12504b 100644 --- a/htdocs/langs/ko_KR/cashdesk.lang +++ b/htdocs/langs/ko_KR/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=브라우저 BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/ko_KR/categories.lang b/htdocs/langs/ko_KR/categories.lang index 7c956eef157..7c90040acea 100644 --- a/htdocs/langs/ko_KR/categories.lang +++ b/htdocs/langs/ko_KR/categories.lang @@ -3,20 +3,20 @@ Rubrique=분류/범주 Rubriques=분류/범주 RubriquesTransactions=Tags/Categories of transactions categories=분류/범주 -NoCategoryYet=해당 분류/범주가 없습니다. +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/ko_KR/companies.lang b/htdocs/langs/ko_KR/companies.lang index 4ad4fe599ff..5f65e1952d8 100644 --- a/htdocs/langs/ko_KR/companies.lang +++ b/htdocs/langs/ko_KR/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=회사 이름 %s이 (가) 이미 있습니다. 다른 것을 선택하십시오. ErrorSetACountryFirst=먼저 국가를 설정하십시오. SelectThirdParty=협력업체 선택 -ConfirmDeleteCompany=이 회사와 관련된 모든 정보를 삭제 하시겠습니까? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=연락처 / 주소 삭제 -ConfirmDeleteContact=이 연락처와 관련된 모든 정보를 삭제 하시겠습니까? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=전화 Skype=Skype Call=호출 Chat=채팅 -PhonePro=프로필 전화 +PhonePro=Bus. phone PhonePerso=개인 전화 PhoneMobile=모바일 No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=우편 번호 Town=시 Web=웹 Poste= 직위 -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=협력업체가 고객 또는 잠재 고객 인 경우 필요 RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=잠재거래처 연락처 CompanyDeleted=회사 "%s"이 (가) 데이터베이스에서 삭제되었습니다. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=열기 ActivityCeased=닫음 ThirdPartyIsClosed=협력업체 폐쇄 됨 -ProductsIntoElements=제품 / 서비스 목록 %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=현재 미결제 금액 OutstandingBill=미결 한도 OutstandingBillReached=미결 한도 금액 도달 @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=코드는 무료입니다. 이 코드는 언제든지 수 ManagingDirectors=관리자 이름 (CEO, 이사, 사장 ...) MergeOriginThirdparty=중복 된 협력업체 (삭제하려는 협력업체) MergeThirdparties=협력업체 병합 -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=영업 담당자 로그인 SaleRepresentativeFirstname=영업 담당자의 이름 diff --git a/htdocs/langs/ko_KR/compta.lang b/htdocs/langs/ko_KR/compta.lang index 320af6ec40b..91bceb5e350 100644 --- a/htdocs/langs/ko_KR/compta.lang +++ b/htdocs/langs/ko_KR/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/ko_KR/ecm.lang b/htdocs/langs/ko_KR/ecm.lang index 2773e8f3a74..cdcffb04b61 100644 --- a/htdocs/langs/ko_KR/ecm.lang +++ b/htdocs/langs/ko_KR/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/ko_KR/errors.lang b/htdocs/langs/ko_KR/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/ko_KR/errors.lang +++ b/htdocs/langs/ko_KR/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = 작성 +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = 끝냄 +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/ko_KR/knowledgemanagement.lang b/htdocs/langs/ko_KR/knowledgemanagement.lang new file mode 100644 index 00000000000..bf81f127258 --- /dev/null +++ b/htdocs/langs/ko_KR/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = 개략 +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/ko_KR/mails.lang b/htdocs/langs/ko_KR/mails.lang index 2d8bd79cbf8..d4a00dd719e 100644 --- a/htdocs/langs/ko_KR/mails.lang +++ b/htdocs/langs/ko_KR/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/ko_KR/main.lang b/htdocs/langs/ko_KR/main.lang index 82fe0c19c0b..3e4f76343ab 100644 --- a/htdocs/langs/ko_KR/main.lang +++ b/htdocs/langs/ko_KR/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=연결 테스트 ToClone=클론 ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=복제 할 데이터가 없습니다. Of=의 Go=바로 가기 @@ -246,7 +246,7 @@ DefaultModel=기본 문서 템플릿 Action=이벤트 About=개략 Number=수 -NumberByMonth=월별 수 +NumberByMonth=Total reports by month AmountByMonth=월별 금액 Numero=번호 Limit=한도 @@ -341,8 +341,8 @@ KiloBytes=킬로바이트 MegaBytes=메가 바이트 GigaBytes=기가 바이트 TeraBytes=테라 바이트 -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=별 From=부터 FromDate=부터 FromLocation=부터 -at=at to=까지 To=까지 +ToDate=까지 +ToLocation=까지 +at=at and=그리고 or=또는 Other=기타 @@ -843,7 +845,7 @@ XMoreLines=%s 행 숨김 ShowMoreLines=Show more/less lines PublicUrl=공개 URL AddBox=상자 추가 -SelectElementAndClick=요소를 선택하고 %s을 클릭하십시오. +SelectElementAndClick=Select an element and click on %s PrintFile=인쇄 파일 %s ShowTransaction=은행 계좌의 항목 표시 ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=기각됨 ListOf=%s 목록 ListOfTemplates=템플릿 목록 Gender=성별 -Genderman=남자 -Genderwoman=여자 +Genderman=Male +Genderwoman=Female Genderother=기타 ViewList=목록 보기 ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/ko_KR/members.lang b/htdocs/langs/ko_KR/members.lang index a3729c68600..f1eda130c94 100644 --- a/htdocs/langs/ko_KR/members.lang +++ b/htdocs/langs/ko_KR/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=지우다 VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=통계 -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/ko_KR/modulebuilder.lang b/htdocs/langs/ko_KR/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/ko_KR/modulebuilder.lang +++ b/htdocs/langs/ko_KR/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/ko_KR/other.lang b/htdocs/langs/ko_KR/other.lang index bd2b6719256..479d5c3915e 100644 --- a/htdocs/langs/ko_KR/other.lang +++ b/htdocs/langs/ko_KR/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/ko_KR/partnership.lang b/htdocs/langs/ko_KR/partnership.lang new file mode 100644 index 00000000000..76f29213307 --- /dev/null +++ b/htdocs/langs/ko_KR/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=시작날짜 +DatePartnershipEnd=종료날짜 + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = 작성 +PartnershipAccepted = Accepted +PartnershipRefused = 거절됨 +PartnershipCanceled = 취소 됨 + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/ko_KR/productbatch.lang b/htdocs/langs/ko_KR/productbatch.lang index 27e4cbad761..54e34241620 100644 --- a/htdocs/langs/ko_KR/productbatch.lang +++ b/htdocs/langs/ko_KR/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/ko_KR/products.lang b/htdocs/langs/ko_KR/products.lang index 556f1558ac9..7d3974c3ce1 100644 --- a/htdocs/langs/ko_KR/products.lang +++ b/htdocs/langs/ko_KR/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=닫은 @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/ko_KR/projects.lang b/htdocs/langs/ko_KR/projects.lang index 15df7bd0c3a..f96d108ce0a 100644 --- a/htdocs/langs/ko_KR/projects.lang +++ b/htdocs/langs/ko_KR/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/ko_KR/recruitment.lang b/htdocs/langs/ko_KR/recruitment.lang index 7514f8319ca..b2d698c37bb 100644 --- a/htdocs/langs/ko_KR/recruitment.lang +++ b/htdocs/langs/ko_KR/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/ko_KR/sendings.lang b/htdocs/langs/ko_KR/sendings.lang index 50cc2143119..daa935ebaa5 100644 --- a/htdocs/langs/ko_KR/sendings.lang +++ b/htdocs/langs/ko_KR/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/ko_KR/stocks.lang b/htdocs/langs/ko_KR/stocks.lang index 3cbf0afc509..062257db139 100644 --- a/htdocs/langs/ko_KR/stocks.lang +++ b/htdocs/langs/ko_KR/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/ko_KR/users.lang b/htdocs/langs/ko_KR/users.lang index 8b54361b072..34e93843c41 100644 --- a/htdocs/langs/ko_KR/users.lang +++ b/htdocs/langs/ko_KR/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=사용 안함 DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/ko_KR/website.lang b/htdocs/langs/ko_KR/website.lang index 59cc6587e4c..c5fbd107065 100644 --- a/htdocs/langs/ko_KR/website.lang +++ b/htdocs/langs/ko_KR/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/lo_LA/accountancy.lang b/htdocs/langs/lo_LA/accountancy.lang index 9298e3177e4..31b3bae5003 100644 --- a/htdocs/langs/lo_LA/accountancy.lang +++ b/htdocs/langs/lo_LA/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/lo_LA/admin.lang b/htdocs/langs/lo_LA/admin.lang index 83482cae80f..74c124e3051 100644 --- a/htdocs/langs/lo_LA/admin.lang +++ b/htdocs/langs/lo_LA/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/lo_LA/banks.lang b/htdocs/langs/lo_LA/banks.lang index 65fcec00a0c..3884496ab64 100644 --- a/htdocs/langs/lo_LA/banks.lang +++ b/htdocs/langs/lo_LA/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/lo_LA/bills.lang b/htdocs/langs/lo_LA/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/lo_LA/bills.lang +++ b/htdocs/langs/lo_LA/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/lo_LA/boxes.lang b/htdocs/langs/lo_LA/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/lo_LA/boxes.lang +++ b/htdocs/langs/lo_LA/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/lo_LA/cashdesk.lang b/htdocs/langs/lo_LA/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/lo_LA/cashdesk.lang +++ b/htdocs/langs/lo_LA/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/lo_LA/categories.lang b/htdocs/langs/lo_LA/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/lo_LA/categories.lang +++ b/htdocs/langs/lo_LA/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/lo_LA/companies.lang b/htdocs/langs/lo_LA/companies.lang index 99a4a7485f1..87bbde5d805 100644 --- a/htdocs/langs/lo_LA/companies.lang +++ b/htdocs/langs/lo_LA/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/lo_LA/compta.lang b/htdocs/langs/lo_LA/compta.lang index efb8593aa8f..1f9c7124db6 100644 --- a/htdocs/langs/lo_LA/compta.lang +++ b/htdocs/langs/lo_LA/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/lo_LA/ecm.lang b/htdocs/langs/lo_LA/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/lo_LA/ecm.lang +++ b/htdocs/langs/lo_LA/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/lo_LA/errors.lang b/htdocs/langs/lo_LA/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/lo_LA/errors.lang +++ b/htdocs/langs/lo_LA/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/lo_LA/knowledgemanagement.lang b/htdocs/langs/lo_LA/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/lo_LA/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/lo_LA/mails.lang b/htdocs/langs/lo_LA/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/lo_LA/mails.lang +++ b/htdocs/langs/lo_LA/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/lo_LA/main.lang b/htdocs/langs/lo_LA/main.lang index 454f69f07e5..85f622e4796 100644 --- a/htdocs/langs/lo_LA/main.lang +++ b/htdocs/langs/lo_LA/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/lo_LA/members.lang b/htdocs/langs/lo_LA/members.lang index 6786011e692..304c76e63aa 100644 --- a/htdocs/langs/lo_LA/members.lang +++ b/htdocs/langs/lo_LA/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=ລຶບ VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/lo_LA/modulebuilder.lang b/htdocs/langs/lo_LA/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/lo_LA/modulebuilder.lang +++ b/htdocs/langs/lo_LA/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/lo_LA/other.lang b/htdocs/langs/lo_LA/other.lang index 9b6ee4c9d19..adb85986033 100644 --- a/htdocs/langs/lo_LA/other.lang +++ b/htdocs/langs/lo_LA/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/lo_LA/partnership.lang b/htdocs/langs/lo_LA/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/lo_LA/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/lo_LA/productbatch.lang b/htdocs/langs/lo_LA/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/lo_LA/productbatch.lang +++ b/htdocs/langs/lo_LA/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/lo_LA/products.lang b/htdocs/langs/lo_LA/products.lang index 610f1575d84..da4cf4d7302 100644 --- a/htdocs/langs/lo_LA/products.lang +++ b/htdocs/langs/lo_LA/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/lo_LA/projects.lang b/htdocs/langs/lo_LA/projects.lang index 1926aed46c7..50e0af1b278 100644 --- a/htdocs/langs/lo_LA/projects.lang +++ b/htdocs/langs/lo_LA/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/lo_LA/recruitment.lang b/htdocs/langs/lo_LA/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/lo_LA/recruitment.lang +++ b/htdocs/langs/lo_LA/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/lo_LA/sendings.lang b/htdocs/langs/lo_LA/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/lo_LA/sendings.lang +++ b/htdocs/langs/lo_LA/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/lo_LA/stocks.lang b/htdocs/langs/lo_LA/stocks.lang index 85e2246d09a..ebc2fc967da 100644 --- a/htdocs/langs/lo_LA/stocks.lang +++ b/htdocs/langs/lo_LA/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/lo_LA/users.lang b/htdocs/langs/lo_LA/users.lang index 519378d65cf..dd400e54715 100644 --- a/htdocs/langs/lo_LA/users.lang +++ b/htdocs/langs/lo_LA/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=ປິດການນຳໃຊ້ DisableAUser=ປິດຜູ້ນຳໃຊ້ @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/lo_LA/website.lang b/htdocs/langs/lo_LA/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/lo_LA/website.lang +++ b/htdocs/langs/lo_LA/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/lt_LT/accountancy.lang b/htdocs/langs/lt_LT/accountancy.lang index c36e8e20b73..2fc1172e648 100644 --- a/htdocs/langs/lt_LT/accountancy.lang +++ b/htdocs/langs/lt_LT/accountancy.lang @@ -202,7 +202,7 @@ Docref=Nuoroda LabelAccount=Sąskaitos etiketė LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Žurnalas @@ -297,7 +297,7 @@ NoNewRecordSaved=Daugiau žurnalo įrašų nėra ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/lt_LT/admin.lang b/htdocs/langs/lt_LT/admin.lang index 42dfa614740..605cfb3ab80 100644 --- a/htdocs/langs/lt_LT/admin.lang +++ b/htdocs/langs/lt_LT/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Apsaugos paruošimas PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Klaida, šis modulis reikalauja PHP versijos %s ar aukštesnės ErrorModuleRequireDolibarrVersion=Klaida, šiam moduliui reikalinga Dolibarr versija %s arba aukštesnė @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Nesiūlyti NoActiveBankAccountDefined=Nenustatyta aktyvi banko sąskaita OwnerOfBankAccount=Banko sąskaitos %s savininkas BankModuleNotActive=Banko sąskaitos modulis neįjungtas -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Įspėjimai DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Jūs turite paleisti šią koma YourPHPDoesNotHaveSSLSupport=SSL funkcijos negalimos Jūsų PHP DownloadMoreSkins=Parsisiųsti daugiau grafinių vaizdų (skins) SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Dalinis vertimas @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/lt_LT/banks.lang b/htdocs/langs/lt_LT/banks.lang index 2e254c32eba..a48924c160f 100644 --- a/htdocs/langs/lt_LT/banks.lang +++ b/htdocs/langs/lt_LT/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Socialinio / fiskalinio mokesčio mokėjimas BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Iš TransferTo=Į TransferFromToDone=Pervedimas %s%s į %s užregistruotas. CheckTransmitter=Siuntėjas ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Banko čekiai @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Judėjimai PlannedTransactions=Planned entries -Graph=Grafika +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Įmokos kvitas TransactionOnTheOtherAccount=Operacijos kitoje sąskaitoje @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Atgal į sąskaitą ShowAllAccounts=Rodyti visas sąskaitas FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Pasirinkti banko ataskaitą, susijusią su taikymu. Naudokite rūšiuojamą skaitmeninę reikšmę: YYYYMM arba YYYYMMDD EventualyAddCategory=Nurodyti kategoriją, kurioje klasifikuoti įrašus ToConciliate=To reconcile? diff --git a/htdocs/langs/lt_LT/bills.lang b/htdocs/langs/lt_LT/bills.lang index 598541d0fa3..441d539ec70 100644 --- a/htdocs/langs/lt_LT/bills.lang +++ b/htdocs/langs/lt_LT/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Perskaičiuoti permokėtą sumą į turimą nuolaidą EnterPaymentReceivedFromCustomer=Įveskite gautą iš kliento mokėjimą EnterPaymentDueToCustomer=Atlikti mokėjimą klientui DisabledBecauseRemainderToPayIsZero=Neleidžiama, nes neapmokėtas likutis yra nulinis -PriceBase=Kainos bazė +PriceBase=Base price BillStatus=Sąskaitos-faktūros būklė StatusOfGeneratedInvoices=Sugeneruotų sąskaitų faktūrų būsena BillStatusDraft=Projektas (turi būti pripažintas galiojančiu) @@ -454,7 +454,7 @@ RegulatedOn=Reguliuojama ChequeNumber=Čekio N° ChequeOrTransferNumber=Čekio/Pervedimo N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Čekio bankas CheckBank=Čekis NetToBePaid=Mokėjimas grynaisiais diff --git a/htdocs/langs/lt_LT/boxes.lang b/htdocs/langs/lt_LT/boxes.lang index 32ff1f94d93..eba996dc6ec 100644 --- a/htdocs/langs/lt_LT/boxes.lang +++ b/htdocs/langs/lt_LT/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Seniausios aktyvios pasibaigusios paslaugos BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Visuminė veikla (sąskaitos-faktūros, pasiūlymai, užsakymai) BoxGoodCustomers=Geri klientai diff --git a/htdocs/langs/lt_LT/cashdesk.lang b/htdocs/langs/lt_LT/cashdesk.lang index d9b9c68951e..e01655aeb97 100644 --- a/htdocs/langs/lt_LT/cashdesk.lang +++ b/htdocs/langs/lt_LT/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Kvitas Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Naršyklė BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/lt_LT/categories.lang b/htdocs/langs/lt_LT/categories.lang index 0b13dfb377a..1a96d6e4be0 100644 --- a/htdocs/langs/lt_LT/categories.lang +++ b/htdocs/langs/lt_LT/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Žymės / Kategorijos RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=Į AddIn=Įtraukti modify=Pakeisti Classify=Priskirti CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/lt_LT/companies.lang b/htdocs/langs/lt_LT/companies.lang index b562188197b..4834a822aa3 100644 --- a/htdocs/langs/lt_LT/companies.lang +++ b/htdocs/langs/lt_LT/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Įmonės pavadinimas %s jau egzistuoja. Pasirinkite kitą. ErrorSetACountryFirst=Pirmiau nustatykite šalį SelectThirdParty=Pasirinkite trečiają šalį -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Ištrinti adresatą/adresą -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Telefonas Skype=Skype Call=Kvietimas Chat=Kalbėtis -PhonePro=Darbo telefonas +PhonePro=Bus. phone PhonePerso=Asmeninis telefonas PhoneMobile=Mobilus telefonas No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Pašto kodas Town=Miestas Web=WEB Poste= Pozicija -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=PVM nenaudojamas @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Būtina, jei trečioji šalis yra klientas arba kandidatas RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Numatomas klientas susisiekti CompanyDeleted=Įmonė "%s" ištrinta iš duomenų bazės. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Atidaryta ActivityCeased=Uždarytas ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=Produktų/paslaugų sąrašas %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Dabartinė neapmokėta sąskaita-faktūra OutstandingBill=Neapmokėtų sąskaitų-faktūrų maksimumas OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Kodas yra nemokamas. Šis kodas gali būti modifikuotas b ManagingDirectors=Vadovo (-ų) pareigos (Vykdantysis direktorius (CEO), direktorius, prezidentas ...) MergeOriginThirdparty=Dubliuoti trečiąją šalį (trečiąją šalį, kurią norite ištrinti) MergeThirdparties=Sujungti trečiąsias šalis -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/lt_LT/compta.lang b/htdocs/langs/lt_LT/compta.lang index 04c4a15acc0..f818e3cec01 100644 --- a/htdocs/langs/lt_LT/compta.lang +++ b/htdocs/langs/lt_LT/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nauja nuolaida NewCheckDeposit=Naujas čekio depozitas NewCheckDepositOn=Sukurti sąskaitos %s depozito kvitą NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Čekio gavimo data +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/lt_LT/ecm.lang b/htdocs/langs/lt_LT/ecm.lang index 6fe852b4340..4403a178561 100644 --- a/htdocs/langs/lt_LT/ecm.lang +++ b/htdocs/langs/lt_LT/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/lt_LT/errors.lang b/htdocs/langs/lt_LT/errors.lang index 81019d9a6b0..964c82e93f7 100644 --- a/htdocs/langs/lt_LT/errors.lang +++ b/htdocs/langs/lt_LT/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Nėra klaidos, mes įsipareigojame # Errors ErrorButCommitIsDone=Aptiktos klaidos, bet mes patvirtiname nepaisant to -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=URL %s yra neteisingas +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Prisijungimas %s jau egzistuoja @@ -46,8 +46,8 @@ ErrorWrongDate=Data yra neteisinga ! ErrorFailedToWriteInDir=Nepavyko įrašyti į katalogą %s ErrorFoundBadEmailInFile=Rasta neteisinga elektroninio pašto sintaksė failo eilutėje %s (eilutės pavyzdys %s su e-paštas=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Kai kurie privalomi laukai nėra užpildyti. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Nepavyko sukurti aplanko. Įsitikinkite, kad web serverio vartotojas turi teisę rašyti į Dolibarr dokumentų aplanką. Jei parametras safe_mode yra įjungtas šio PHP, patikrinkite, ar Dolibarr PHP failai priklauso web serverio vartotojui (ar jų grupei). ErrorNoMailDefinedForThisUser=Šiam klientui neapibrėžtas paštas ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Projektas +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Atliktas +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/lt_LT/knowledgemanagement.lang b/htdocs/langs/lt_LT/knowledgemanagement.lang new file mode 100644 index 00000000000..6463a204d54 --- /dev/null +++ b/htdocs/langs/lt_LT/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Apie +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Prekė +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/lt_LT/mails.lang b/htdocs/langs/lt_LT/mails.lang index 6028b9b5dac..c8e8a40977f 100644 --- a/htdocs/langs/lt_LT/mails.lang +++ b/htdocs/langs/lt_LT/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Kopijuoti į MailToCCUsers=Copy to users(s) MailCCC=Sparčiosios tarpinės atminties (cache) kopija į -MailTopic=Email topic +MailTopic=Email subject MailText=Pranešimas MailFile=Prikabinti failai MailMessage=E-laiško pagrindinė dalis @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/lt_LT/main.lang b/htdocs/langs/lt_LT/main.lang index 3c1ea88cadb..45ab0a48f14 100644 --- a/htdocs/langs/lt_LT/main.lang +++ b/htdocs/langs/lt_LT/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Bandyti sujungimą ToClone=Klonuoti ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Nėra apibrėžtų duomenų klonavimui. Of=iš Go=Eiti @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Įvykis About=Apie Number=Numeris -NumberByMonth=Numeris pagal mėnesį +NumberByMonth=Total reports by month AmountByMonth=Suma pagal mėnesį Numero=Numeris Limit=Riba @@ -341,8 +341,8 @@ KiloBytes=Kilobaitų MegaBytes=Megabaitų GigaBytes=Gigabaitų TeraBytes=Terabaitų -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Pagal From=Nuo FromDate=Pardavėjas FromLocation=Pardavėjas -at=at to=į To=į +ToDate=į +ToLocation=į +at=at and=ir or=arba Other=Kitas @@ -843,7 +845,7 @@ XMoreLines=%s paslėptos eilutės ShowMoreLines=Show more/less lines PublicUrl=Viešas URL AddBox=Pridėti langelį -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Spausdinti failą %s ShowTransaction=Show entry on bank account ShowIntervention=Rodyti intervenciją @@ -854,8 +856,8 @@ Denied=Atmestas ListOf=List of %s ListOfTemplates=Šablonų sąrašas Gender=Gender -Genderman=Vyras -Genderwoman=Moteris +Genderman=Male +Genderwoman=Female Genderother=Kiti ViewList=Sąrašo vaizdas ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/lt_LT/members.lang b/htdocs/langs/lt_LT/members.lang index bcf36c5bced..914e30a27e4 100644 --- a/htdocs/langs/lt_LT/members.lang +++ b/htdocs/langs/lt_LT/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Kitas narys (pavadinimas/vardas: % ErrorUserPermissionAllowsToLinksToItselfOnly=Saugumo sumetimais, Jums turi būti suteikti leidimai redaguoti visus vartotojus, kad galėtumėte susieti narį su vartotoju, kuris yra ne Jūsų. SetLinkToUser=Saitas su Dolibarr vartotoju SetLinkToThirdParty=Saitas su Dolibarr trečiąja šalimi -MembersCards=Narių vizitinės kortelės +MembersCards=Business cards for members MembersList=Narių sąrašas MembersListToValid=Numatomų narių sąrašas (tvirtinimui) MembersListValid=Patvirtintų galiojančių narių sąrašas @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Nariai, kurių pasirašymą reikia gauti MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Pasirašymo data DateEndSubscription=Pasirašymo pabaigos data -EndSubscription=Pasirašymo pabaiga +EndSubscription=Subscription Ends SubscriptionId=Pasirašymo ID WithoutSubscription=Without subscription MemberId=Nario ID @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Reikalingas pasirašymas DeleteType=Ištrinti VoteAllowed=Balsuoti leidžiama -Physical=Fizinis -Moral=Moralinis -MorAndPhy=Moral and Physical -Reenable=Įjungti vėl +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Narių statistiniai duomenys pagal šalį MembersStatisticsByState=Narių statistiniai duomenys pagal valstybę/regioną MembersStatisticsByTown=Narių statistiniai duomenys pagal miestus MembersStatisticsByRegion=Narių statistika pagal regionus -NbOfMembers=Narių skaičius -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Patvirtintų narių nerasta -MembersByCountryDesc=Šis ekranas rodo narių statistiką pagal šalis. Grafika priklauso nuo Google interneto grafikos ir yra prieinamas tik tada, kai interneto ryšys veikia. -MembersByStateDesc=Šis ekranas rodo narių statistiką pagal valstybes/regionus -MembersByTownDesc=Šis ekranas rodo narių statistiką pagal miestus +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Pasirinkite statistiką, kurią norite skaityti MenuMembersStats=Statistika -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Informacija yra vieša +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Naujas narys pridėtas. Laukiama patvirtinimo NewMemberForm=Naujo nario forma -SubscriptionsStatistics=Pasirašymų statistika +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Pasirašymų skaičius -AmountOfSubscriptions=Pasirašymų apimtis +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Apyvarta (įmonės) arba Biudžeto (organizacijos) DefaultAmount=Pasirašymo apimtis (pagal nutylėjimą) CanEditAmount=Lankytojas gali pasirinkti/redaguoti savo pasirašymo apimtį MEMBER_NEWFORM_PAYONLINE=Peršokti į integruotą interneto mokėjimo puslapį ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=Šis ekranas rodo Jums statistinius duomenis apie narius pagal jų tipą. -MembersByRegion=Šis ekranas rodo Jums statistinius duomenis apie narius pagal regionus. VATToUseForSubscriptions=Pasirašymams naudojamas PVM tarifas NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Prekė naudojama abonementinei eilutei sąskaitoje-faktūroje: %s diff --git a/htdocs/langs/lt_LT/modulebuilder.lang b/htdocs/langs/lt_LT/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/lt_LT/modulebuilder.lang +++ b/htdocs/langs/lt_LT/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/lt_LT/other.lang b/htdocs/langs/lt_LT/other.lang index 2e84175f9bf..b49798b53f9 100644 --- a/htdocs/langs/lt_LT/other.lang +++ b/htdocs/langs/lt_LT/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof ID%s yra informacija, priklausoma nuo trečiosios šalies dalyvio šalies.
Pavyzdžiui, šaliai %s, jo kodas %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/lt_LT/partnership.lang b/htdocs/langs/lt_LT/partnership.lang new file mode 100644 index 00000000000..5b782eae4fc --- /dev/null +++ b/htdocs/langs/lt_LT/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Pradžios data +DatePartnershipEnd=Pabaigos data + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Projektas +PartnershipAccepted = Accepted +PartnershipRefused = Atmestas +PartnershipCanceled = Atšauktas + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/lt_LT/productbatch.lang b/htdocs/langs/lt_LT/productbatch.lang index 9f5b8e2cef9..45c0d71128d 100644 --- a/htdocs/langs/lt_LT/productbatch.lang +++ b/htdocs/langs/lt_LT/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/lt_LT/products.lang b/htdocs/langs/lt_LT/products.lang index f0af4d4c6d4..8a2fa3cca66 100644 --- a/htdocs/langs/lt_LT/products.lang +++ b/htdocs/langs/lt_LT/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Produktas @@ -73,12 +73,12 @@ SellingPrice=Pardavimo kaina SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Pardavimo kaina (įskaitant mokesčius) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=Nauja kaina -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=Pardavimo kaina negali būti mažesnė už minimalią leidžiamą šiam produktui (%s be mokesčių). Šis pranešimas taip pat gali pasirodyti, jei įvedate per labai didelę nuolaidą. ContractStatusClosed=Uždarytas @@ -157,11 +157,11 @@ ListServiceByPopularity=Paslaugų sąrašas pagal populiarumą Finished=Pagamintas produktas RowMaterial=Žaliava ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Šis produktas naudojamas NewRefForClone=Naujo produkto/paslaugos nuoroda SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Kilmės šalis -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Vienetas p=u. diff --git a/htdocs/langs/lt_LT/projects.lang b/htdocs/langs/lt_LT/projects.lang index 935c29a1b8a..e6617ff3b88 100644 --- a/htdocs/langs/lt_LT/projects.lang +++ b/htdocs/langs/lt_LT/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projekto kontaktai ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Visi projektai -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Šis vaizdas rodo visus projektus, kuriuos yra Jums leidžiama skaityti. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=Čia rodomi visi projektai ir užduotys, kuriuos Jums leidžiama skaityti. ProjectsDesc=Šis vaizdas rodo visus projektus (Jūsų vartotojo teisės leidžia matyti viską). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Matomi tik atidaryti projektai (projektai juodraščiai ar uždaryti projektai nematomi). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=Šis vaizdas rodo visus projektus ir užduotis, kuriuos Jums leidžiama skaityti. TasksDesc=Šis vaizdas rodo visus projektus ir užduotis (Jūsų vartotojo teisės leidžia matyti viską). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Naujas projektas @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/lt_LT/recruitment.lang b/htdocs/langs/lt_LT/recruitment.lang index c67390a9865..ed93a7680cc 100644 --- a/htdocs/langs/lt_LT/recruitment.lang +++ b/htdocs/langs/lt_LT/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/lt_LT/sendings.lang b/htdocs/langs/lt_LT/sendings.lang index 085e7a6c2db..bc2e89fdb87 100644 --- a/htdocs/langs/lt_LT/sendings.lang +++ b/htdocs/langs/lt_LT/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 modelis WarningNoQtyLeftToSend=Įspėjimas, nėra produktų, laukiančių išsiuntimo -StatsOnShipmentsOnlyValidated=Tik patvirtintas siuntas parodanti statistika. Naudojama data yra siuntos patvirtinimo data (suplanuota pristatymo data yra ne visada žinoma). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/lt_LT/stocks.lang b/htdocs/langs/lt_LT/stocks.lang index c2efa5da6da..23397cfe047 100644 --- a/htdocs/langs/lt_LT/stocks.lang +++ b/htdocs/langs/lt_LT/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nėra iš anksto nustatytų produktų šiam objekt DispatchVerb=Išsiuntimas StockLimitShort=Riba perspėjimui StockLimit=Sandėlio riba perspėjimui -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Realios atsargos RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/lt_LT/users.lang b/htdocs/langs/lt_LT/users.lang index 1fd600809a0..3365d6e7c05 100644 --- a/htdocs/langs/lt_LT/users.lang +++ b/htdocs/langs/lt_LT/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Slaptažodis pakeistas į %s SubjectNewPassword=Your new password for %s GroupRights=Grupės leidimai UserRights=Vartotojo leidimai +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Išjungti DisableAUser=Išjungti vartotoją @@ -105,7 +106,7 @@ UseTypeFieldToChange=Pakeitimui naudoti laukelio tipą OpenIDURL=OpenID URL LoginUsingOpenID=Prisijungimui naudoti OpenID WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Vartotojo spalva DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/lt_LT/website.lang b/htdocs/langs/lt_LT/website.lang index 123ffa6cf1e..6b8c389ace1 100644 --- a/htdocs/langs/lt_LT/website.lang +++ b/htdocs/langs/lt_LT/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/lv_LV/accountancy.lang b/htdocs/langs/lv_LV/accountancy.lang index b2c5a7029ea..3202d3c02c7 100644 --- a/htdocs/langs/lv_LV/accountancy.lang +++ b/htdocs/langs/lv_LV/accountancy.lang @@ -202,7 +202,7 @@ Docref=Atsauce LabelAccount=Konta nosaukums LabelOperation=Etiķetes darbība Sens=Virziens -AccountingDirectionHelp=Klienta grāmatvedības kontā izmantojiet kredītu, lai reģistrētu saņemto maksājumu
Piegādātāja grāmatvedības kontā izmantojiet Debets, lai reģistrētu veikto maksājumu +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Burtu kods Lettering=Burti Codejournal=Žurnāls @@ -297,7 +297,7 @@ NoNewRecordSaved=Neviens ieraksts žurnālistikai nav ListOfProductsWithoutAccountingAccount=Produktu saraksts, uz kuriem nav saistīta kāds grāmatvedības konts ChangeBinding=Mainiet saites Accounted=Uzskaitīts virsgrāmatā -NotYetAccounted=Vēl nav uzskaitīti virsgrāmatā +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Rādīt apmācību NotReconciled=Nesaskaņots WarningRecordWithoutSubledgerAreExcluded=Brīdinājums: visas darbības, kurās nav definēts apakškārtas konts, tiek filtrētas un izslēgtas no šī skata diff --git a/htdocs/langs/lv_LV/admin.lang b/htdocs/langs/lv_LV/admin.lang index dd60ceda643..33f82b742af 100644 --- a/htdocs/langs/lv_LV/admin.lang +++ b/htdocs/langs/lv_LV/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Ja ir, noņemiet/pārdēvējiet failu %s, lai varētu izmantot RestoreLock=Atjaunojiet failu %s tikai ar lasīšanas atļauju, lai atspējotu jebkādu turpmāku atjaunināšanas/instalēšanas rīka izmantošanu. SecuritySetup=Drošības iestatījumi PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Šeit definējiet ar drošību saistītās iespējas failu augšupielādei. ErrorModuleRequirePHPVersion=Kļūda, šim modulim ir nepieciešama PHP versija %s vai augstāka ErrorModuleRequireDolibarrVersion=Kļūda, šim modulim nepieciešama Dolibarr versija %s vai augstāka @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Neieteikt NoActiveBankAccountDefined=Nav definēts aktīvs bankas konts OwnerOfBankAccount=Bankas konta īpašnieks %s BankModuleNotActive=Bankas kontu modulis nav ieslēgts -ShowBugTrackLink=Rādīt saiti " %s " +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Brīdinājumi DelaysOfToleranceBeforeWarning=Kavēšanās, pirms tiek parādīts brīdinājuma brīdinājums par: DelaysOfToleranceDesc=Iestatiet aizkavi pirms brīdinājuma ikonas %s parādīšanas ekrānā par novēloto elementu. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Jums ir palaist šo komandu no YourPHPDoesNotHaveSSLSupport=SSL funkcijas, kas nav pieejama jūsu PHP DownloadMoreSkins=Vairāki izskati lejupielādei SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Rādīt profesionālo ID ar adresēm ShowVATIntaInAddress=Slēpt Kopienas iekšējo PVN numuru ar adresēm TranslationUncomplete=Daļējs tulkojums @@ -2062,7 +2064,7 @@ UseDebugBar=Izmantojiet atkļūdošanas joslu DEBUGBAR_LOGS_LINES_NUMBER=Pēdējo žurnālu rindu skaits, kas jāsaglabā konsolē WarningValueHigherSlowsDramaticalyOutput=Brīdinājums, augstākas vērtības palēnina dramatisko izeju ModuleActivated=Modulis %s ir aktivizēts un palēnina saskarni -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=Ja izmantojat ražošanas vidi, šim rekvizītam ir jāiestata kā %s. AntivirusEnabledOnUpload=Augšupielādētajos failos ir iespējota antivīruss @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/lv_LV/banks.lang b/htdocs/langs/lv_LV/banks.lang index 584af7af25e..7fefb3ed206 100644 --- a/htdocs/langs/lv_LV/banks.lang +++ b/htdocs/langs/lv_LV/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Sociālā/fiskālā nodokļa samaksa BankTransfer=Kredīta pārvedums BankTransfers=Kredīta pārvedumi MenuBankInternalTransfer=Iekšējā pārsūtīšana -TransferDesc=Pārsūtīšana no viena konta uz citu, Dolibarr rakstīs divus ierakstus (debeta avota kontā un kredītu mērķa kontā). Šim darījumam tiks izmantota tāda pati summa (izņemot zīmi), etiķete un datums. +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=No TransferTo=Kam TransferFromToDone=No %s nodošana %s par %s %s ir ierakstīta. -CheckTransmitter=Raidītājs +CheckTransmitter=Nosūtītājs ValidateCheckReceipt=Vai apstiprināt šo čeku? -ConfirmValidateCheckReceipt=Vai tiešām vēlaties apstiprināt šo čeka kvīti, ja vien tas nenotiks, izmaiņas nebūs iespējamas? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Dzēst šo čeku? ConfirmDeleteCheckReceipt=Vai tiešām vēlaties dzēst šo čeka kvīti? BankChecks=Bankas čeki @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Vai tiešām vēlaties dzēst šo ierakstu? ThisWillAlsoDeleteBankRecord=Tas arī izdzēš izveidotos bankas darījumus BankMovements=Kustība PlannedTransactions=Plānotie darījumi -Graph=Grafiks +Graph=Graphs ExportDataset_banque_1=Banku darījumi un konta izraksts ExportDataset_banque_2=Depozīta kvīts TransactionOnTheOtherAccount=Pārskaitījums uz otru kontu @@ -142,7 +142,7 @@ AllAccounts=Visi bankas un naudas konti BackToAccount=Atpakaļ uz kontu ShowAllAccounts=Parādīt visiem kontiem FutureTransaction=Nākotnes darījums. Nevar saskaņot. -SelectChequeTransactionAndGenerate=Atlasiet / filtru pārbaudes, lai iekļautu čeku depozīta kvīti, un noklikšķiniet uz "Izveidot". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Galu galā, norādiet kategoriju, kurā klasificēt ierakstus ToConciliate=Saskaņot? diff --git a/htdocs/langs/lv_LV/bills.lang b/htdocs/langs/lv_LV/bills.lang index d3144af8df2..d814b040d56 100644 --- a/htdocs/langs/lv_LV/bills.lang +++ b/htdocs/langs/lv_LV/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Konvertēt pārsniegto summu par atlaidi EnterPaymentReceivedFromCustomer=Ievadiet no klienta saņemto naudas summu EnterPaymentDueToCustomer=Veikt maksājumu dēļ klientam DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Bāzes cena +PriceBase=Base price BillStatus=Rēķina statuss StatusOfGeneratedInvoices=Izveidoto rēķinu statuss BillStatusDraft=Melnraksts (jāapstiprina) @@ -454,7 +454,7 @@ RegulatedOn=Regulēta uz ChequeNumber=Pārbaudiet N ° ChequeOrTransferNumber=Pārbaudiet / Transfer N ° ChequeBordereau=Pārbaudīt grafiku -ChequeMaker=Pārbaudiet / pārsūtiet raidītāju +ChequeMaker=Check/Transfer sender ChequeBank=Čeka izsniegšanas banka CheckBank=Čeks NetToBePaid=Neto jāmaksā diff --git a/htdocs/langs/lv_LV/boxes.lang b/htdocs/langs/lv_LV/boxes.lang index 803487a2bbe..e861854a92e 100644 --- a/htdocs/langs/lv_LV/boxes.lang +++ b/htdocs/langs/lv_LV/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Grāmatzīmes: jaunākās %s BoxOldestExpiredServices=Vecākais aktīvais beidzies pakalpojums BoxLastExpiredServices=Jaunākie %s vecākie kontakti ar aktīviem derīguma termiņa beigām BoxTitleLastActionsToDo=Jaunākās %s darbības, ko darīt -BoxTitleLastContracts=Jaunākie %s labotie līgumi -BoxTitleLastModifiedDonations=Jaunākie %s labotie ziedojumi -BoxTitleLastModifiedExpenses=Jaunākie %s modificētie izdevumu pārskati -BoxTitleLatestModifiedBoms=Jaunākās %s modificētās BOM -BoxTitleLatestModifiedMos=Jaunākie %s modificētie ražošanas pasūtījumi +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Pārsniegti klienti ar maksimālo nesamaksāto summu BoxGlobalActivity=Global darbība (pavadzīmes, priekšlikumi, rīkojumi) BoxGoodCustomers=Labi klienti diff --git a/htdocs/langs/lv_LV/cashdesk.lang b/htdocs/langs/lv_LV/cashdesk.lang index fddd50d2bac..ea9c84562e2 100644 --- a/htdocs/langs/lv_LV/cashdesk.lang +++ b/htdocs/langs/lv_LV/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Stāvs AddTable=Pievienot tabulu Place=Vieta TakeposConnectorNecesary=Ir nepieciešams "TakePOS Connector" -OrderPrinters=Pasūtīt printerus +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Meklēt produktu Receipt=Saņemšana Header=Galvene @@ -49,15 +50,16 @@ Footer=Kājene AmountAtEndOfPeriod=Summa perioda beigās (diena, mēnesis vai gads) TheoricalAmount=Teorētiskā summa RealAmount=Reālā summa -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +CashFence=Kases slēgšana +CashFenceDone=Perioda kases slēgšana NbOfInvoices=Rēķinu skaits Paymentnumpad=Padeves veids maksājuma ievadīšanai Numberspad=Numbers Pad BillsCoinsPad=Monētas un banknotes DolistorePosCategory=TakePOS moduļi un citi POS risinājumi Dolibarr -TakeposNeedsCategories=TakePOS ir nepieciešama produktu kategorija -OrderNotes=Pasūtījuma piezīmes +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Noklusējuma konts, ko izmantot maksājumiem NoPaimementModesDefined=TakePOS konfigurācijā nav definēts paiment režīms TicketVatGrouped=Grupējiet PVN pēc likmes biļetēs | kvītis @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Rēķins jau ir apstiprināts NoLinesToBill=Nav rēķinu CustomReceipt=Pielāgota kvīts ReceiptName=Kvīts nosaukums -ProductSupplements=Produktu piedevas +ProductSupplements=Manage supplements of products SupplementCategory=Papildinājuma kategorija ColorTheme=Krāsu tēma Colorful=Krāsains @@ -92,16 +94,16 @@ Browser=Pārlūkprogramma BrowserMethodDescription=Vienkārša un ērta kvīts drukāšana. Tikai daži parametri, lai konfigurētu kvīti. Drukājiet, izmantojot pārlūku. TakeposConnectorMethodDescription=Ārējs modulis ar papildu funkcijām. Iespēja drukāt no mākoņa. PrintMethod=Drukas metode -ReceiptPrinterMethodDescription=Jaudīga metode ar daudziem parametriem. Pilnībā pielāgojams ar veidnēm. Nevar izdrukāt no mākoņa. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Ar termināli TakeposNumpadUsePaymentIcon=Izmantojiet ikonu, nevis tekstu uz numpad numura maksāšanas pogām CashDeskRefNumberingModules=Numerācijas modulis tirdzniecības vietu tirdzniecībai CashDeskGenericMaskCodes6 =  
{TN} tagu izmanto, lai pievienotu termināļa numuru TakeposGroupSameProduct=Grupējiet tās pašas produktu līnijas StartAParallelSale=Sāciet jaunu paralēlu izpārdošanu -SaleStartedAt=Sale started at %s -ControlCashOpening=Control cash popup at opening POS -CloseCashFence=Close cash desk control +SaleStartedAt=Pārdošana sākās vietnē %s +ControlCashOpening=Kontrolējiet naudas uznirstošo punktu, atverot POS +CloseCashFence=Aizveriet kases kontroli CashReport=Skaidras naudas pārskats MainPrinterToUse=Galvenais izmantojamais printeris OrderPrinterToUse=Pasūtiet printeri izmantošanai @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Vispirms jābūt iespējotam moduļa saņemša AllowDelayedPayment=Atļaut kavētu maksājumu PrintPaymentMethodOnReceipts=Izdrukājiet maksājuma veidu uz biļetēm | WeighingScale=Svari +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/lv_LV/categories.lang b/htdocs/langs/lv_LV/categories.lang index de310bd04c0..9be0e84b700 100644 --- a/htdocs/langs/lv_LV/categories.lang +++ b/htdocs/langs/lv_LV/categories.lang @@ -3,20 +3,20 @@ Rubrique=Etiķete/Sadaļa Rubriques=Etiķetes/Sadaļas RubriquesTransactions=Tags/Categories of transactions categories=etiķetes/sadaļas -NoCategoryYet=Nav šī veida etiķetes/sadaļas izveidotas +NoCategoryYet=No tag/category of this type has been created In=Uz AddIn=Pievienot modify=modificēt Classify=Klasificēt CategoriesArea=Etiķešu/Sadaļu sadaļa -ProductsCategoriesArea=Preču/Pakalpojumu etiķešu /sadaļa -SuppliersCategoriesArea=Pārdevēju atzīmes / kategorijas -CustomersCategoriesArea=Klientu atslēgvārdi/sadaļu apgabals -MembersCategoriesArea=Dalībnieku atslēgvārdi/sadaļu apgabals -ContactsCategoriesArea=Kontaktu tagi / sadaļu apgabals -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projektu tagi / kategoriju apgabals -UsersCategoriesArea=Lietotāju tagu / kategoriju apgabals +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Apakšsadaļas CatList=Atslēgvārdu/sadaļu saraksts CatListAll=Tagu / kategoriju saraksts (visi veidi) @@ -96,4 +96,4 @@ ChooseCategory=Izvēlies sadaļu StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Lapu konteineru kategorijas -UseOrOperatorForCategories=Izmantojiet vai operatoru kategorijām +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/lv_LV/companies.lang b/htdocs/langs/lv_LV/companies.lang index 3cb2ec3dd62..f9471964586 100644 --- a/htdocs/langs/lv_LV/companies.lang +++ b/htdocs/langs/lv_LV/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Uzņēmuma nosaukums %s jau pastāv. Izvēlieties citu. ErrorSetACountryFirst=Izvēlieties vispirms valsti SelectThirdParty=Izvēlieties trešo pusi -ConfirmDeleteCompany=Vai tiešām vēlaties dzēst šo uzņēmumu un visu informāciju, kas saistīta ar to? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Izdzēst kontaktu / adresi -ConfirmDeleteContact=Vai tiešām vēlaties dzēst šo kontaktu un visu informāciju par šo kontaktu? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Jauna trešā persona MenuNewCustomer=Jauns klients MenuNewProspect=Jauns prospekts @@ -69,7 +69,7 @@ PhoneShort=Telefons Skype=Skype Call=Zvanīt Chat=Čats -PhonePro=Darba tālrunis +PhonePro=Bus. phone PhonePerso=Pers. telefons PhoneMobile=Mobilais No_Email=Atteikties no lielapjoma pasta sūtījumiem @@ -331,7 +331,7 @@ CustomerCodeDesc=Klienta kods, unikāls visiem klientiem SupplierCodeDesc=Pārdevēja kods, unikāls visiem pārdevējiem RequiredIfCustomer=Nepieciešams, ja trešā puse ir klients vai perspektīva RequiredIfSupplier=Nepieciešams, ja trešā puse ir pārdevējs -ValidityControledByModule=Derīguma termiņš, ko kontrolē modulis +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Noteikumi šim modulim ProspectToContact=Perspektīva ar ko sazināties CompanyDeleted=Kompānija "%s" dzēsta no datubāzes. @@ -439,12 +439,12 @@ ListSuppliersShort=Pārdevēju saraksts ListProspectsShort=Perspektīvu saraksts ListCustomersShort=Klientu saraksts ThirdPartiesArea=Trešās puses/Kontakti -LastModifiedThirdParties=Jaunākās %s labiotās Trešās puses -UniqueThirdParties=Trešo personu kopskaits +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Atvērts ActivityCeased=Slēgts ThirdPartyIsClosed=Trešā persona ir slēgta -ProductsIntoElements=Produktu/pakalpojumu saraksts %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Maks. par izcilu rēķinu OutstandingBillReached=Maks. par izcilu rēķinu @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Kods ir bez maksas. Šo kodu var mainīt jebkurā laikā. ManagingDirectors=Menedžera(u) vārds (CEO, direktors, prezidents...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Apvienot trešās puses -ConfirmMergeThirdparties=Vai tiešām vēlaties apvienot šo trešo personu ar pašreizējo? Visi saistītie objekti (rēķini, pasūtījumi, ...) tiks pārvietoti uz pašreizējo trešo pusi, tad trešā puse tiks dzēsta. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Trešās puses ir apvienotas SaleRepresentativeLogin=Tirdzniecības pārstāvja pieteikšanās SaleRepresentativeFirstname=Tirdzniecības pārstāvja vārds diff --git a/htdocs/langs/lv_LV/compta.lang b/htdocs/langs/lv_LV/compta.lang index 7fddc3b40e3..f3413c399d7 100644 --- a/htdocs/langs/lv_LV/compta.lang +++ b/htdocs/langs/lv_LV/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Jauna atlaide NewCheckDeposit=Jauns pārbaude depozīts NewCheckDepositOn=Izveidot kvīti par depozīta kontā: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Pārbaudiet uzņemšanas datumu +DateChequeReceived=Check receiving date NbOfCheques=Pārbaužu skaits PaySocialContribution=Maksāt sociālo/fiskālo nodokli PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/lv_LV/ecm.lang b/htdocs/langs/lv_LV/ecm.lang index d2c5fd13c9d..459119bffcd 100644 --- a/htdocs/langs/lv_LV/ecm.lang +++ b/htdocs/langs/lv_LV/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm failus ExtraFieldsEcmDirectories=Extrafields Ecm direktoriji ECMSetup=ECM iestatīšana GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/lv_LV/errors.lang b/htdocs/langs/lv_LV/errors.lang index e04c4e58a21..08d6f347a7c 100644 --- a/htdocs/langs/lv_LV/errors.lang +++ b/htdocs/langs/lv_LV/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Nav kļūda, mēs apstiprinam # Errors ErrorButCommitIsDone=Kļūdas atrasta, bet mēs apstiprinājām neskatoties uz to -ErrorBadEMail=E-pasts %s ir nepareizs -ErrorBadMXDomain=E-pasts %s nepareizs (domēnam nav derīga MX ieraksta) -ErrorBadUrl=Url %s ir nepareizs +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Jūsu parametra nepareiza vērtība. Tas parasti parādās, ja trūkst tulkojuma. ErrorRefAlreadyExists=Atsauce %s jau pastāv. ErrorLoginAlreadyExists=Lietotājs %s jau pastāv. @@ -46,8 +46,8 @@ ErrorWrongDate=Datums nav pareizs ErrorFailedToWriteInDir=Neizdevās ierakstīt direktorijā %s ErrorFoundBadEmailInFile=Atrasts nepareiza e-pasta sintakse %s līnijām failā (piemērs line %s ar e-pasta = %s) ErrorUserCannotBeDelete=Lietotāju nevar izdzēst. Varbūt tas ir saistīts ar Dolibarr vienībām. -ErrorFieldsRequired=Daži nepieciešamie lauki netika aizpildīti. -ErrorSubjectIsRequired=E-pasta tēma ir nepieciešama +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Neizdevās izveidot direktoriju. Pārbaudiet, vai Web servera lietotājam ir tiesības rakstīt uz Dolibarr dokumentus direktorijā. Ja parametrs safe_mode ir iespējots uz šo PHP, pārbaudiet, Dolibarr php faili pieder web servera lietotājam (vai grupa). ErrorNoMailDefinedForThisUser=Nav definēts e-pasts šim lietotājam ErrorSetupOfEmailsNotComplete=E-pastu iestatīšana nav pabeigta @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Lapā / konteinerā %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Iestatījumi +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Melnraksts +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Darīts +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/lv_LV/knowledgemanagement.lang b/htdocs/langs/lv_LV/knowledgemanagement.lang new file mode 100644 index 00000000000..28f420cebd5 --- /dev/null +++ b/htdocs/langs/lv_LV/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Iestatījumi +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Par +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Raksts +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/lv_LV/mails.lang b/htdocs/langs/lv_LV/mails.lang index 0b05dd5c665..a959d345f2b 100644 --- a/htdocs/langs/lv_LV/mails.lang +++ b/htdocs/langs/lv_LV/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Lietotājam (-iem) MailCC=Kopēt MailToCCUsers=Kopēt lietotājiem (-iem) MailCCC=Kešatmiņas kopija -MailTopic=E-pasta tēma +MailTopic=Email subject MailText=Ziņa MailFile=Pievienotie faili MailMessage=E-pasta saturs @@ -92,7 +92,7 @@ MailingModuleDescEmailsFromUser=Lietotāja ievadītie e-pasti MailingModuleDescDolibarrUsers=Lietotāji ar e-pastu MailingModuleDescThirdPartiesByCategories=Trešās personas (pēc sadaļām) SendingFromWebInterfaceIsNotAllowed=Sūtīšana no tīmekļa saskarnes nav atļauta. -EmailCollectorFilterDesc=All filters must match to have an email being collected +EmailCollectorFilterDesc=Lai e-pasts tiktu apkopots, visiem filtriem ir jāatbilst # Libelle des modules de liste de destinataires mailing LineInFile=Līnija %s failā @@ -130,9 +130,9 @@ NotificationsAuto=Paziņojumi Automātiski. NoNotificationsWillBeSent=Šim notikuma veidam un uzņēmumam nav plānoti automātiski e-pasta paziņojumi ANotificationsWillBeSent=1 automātisks paziņojums tiks nosūtīts pa e-pastu SomeNotificationsWillBeSent=%s automātiskie paziņojumi tiks nosūtīti pa e-pastu -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=Uzskaitiet visus nosūtītos automātiskos e-pasta paziņojumus +AddNewNotification=Abonējiet jaunu automātisku e-pasta paziņojumu (mērķis / notikums) +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. @@ -142,7 +142,7 @@ UseFormatFileEmailToTarget=Importētajam failam jābūt formatētam e-pa UseFormatInputEmailToTarget=Ievadiet virkni ar formātu e-pasts;nosaukums;vārds;cits MailAdvTargetRecipients=Saņēmēji (papildu izvēle) AdvTgtTitle=Aizpildiet ievades laukus, lai iepriekš atlasītu mērķauditoriju trešajām personām vai kontaktpersonām / adresēm -AdvTgtSearchTextHelp=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=Izmantojiet %% kā aizstājējzīmes. Piemēram, lai atrastu visus vienumus, piemēram, jean, joe, jim , varat ievadīt j%% , varat arī izmantot; kā vērtības atdalītāju un izmantojiet! izņemot šo vērtību. Piemēram, jean; joe; jim%%;! Jimo;! Jima%% mērķēs visu jean, joe, sāciet ar jim, bet ne jimo un ne visu, kas sākas ar jima AdvTgtSearchIntHelp=Izmantojiet intervālu, lai izvēlētos int vai float vērtību AdvTgtMinVal=Minimālā vērtība AdvTgtMaxVal=Maksimālā vērtība @@ -175,5 +175,5 @@ Answered=Atbildēts IsNotAnAnswer=Nav atbildes (sākotnējais e-pasts) IsAnAnswer=Vai ir atbilde uz sākotnējo e-pastu RecordCreatedByEmailCollector=Ierakstu izveidojis e-pasta savācējs %s no e-pasta %s -DefaultBlacklistMailingStatus=Default contact status for refuse bulk emailing -DefaultStatusEmptyMandatory=Empty but mandatory +DefaultBlacklistMailingStatus=Noklusējuma kontakta statuss atteikšanai no lielapjoma e-pasta ziņojumiem +DefaultStatusEmptyMandatory=Tukšs, bet obligāts diff --git a/htdocs/langs/lv_LV/main.lang b/htdocs/langs/lv_LV/main.lang index 0c7cf3ecaf8..4a9ca45aefb 100644 --- a/htdocs/langs/lv_LV/main.lang +++ b/htdocs/langs/lv_LV/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Saglabāt un jaunu TestConnection=Savienojuma pārbaude ToClone=Klonēt ConfirmCloneAsk=Vai tiešām vēlaties klonēt objektu %s ? -ConfirmClone=Izvēlieties datus, kurus vēlaties klonēt: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Nav datu klons noteikts. Of=no Go=Iet @@ -246,7 +246,7 @@ DefaultModel=Noklusējuma doc veidne Action=Notikums About=Par Number=Numurs -NumberByMonth=Numurus škirots pēc mēneša nosaukuma +NumberByMonth=Total reports by month AmountByMonth=Summa šķirota pēc mēneša nosaukuma Numero=Numurs Limit=Ierobežot @@ -341,8 +341,8 @@ KiloBytes=Kilobaiti MegaBytes=Megabaiti GigaBytes=Gigabaiti TeraBytes=Terabaiti -UserAuthor=Radīšanas lietotājs -UserModif=Pēdējā atjauninājuma lietotājs +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Līdz From=No FromDate=No FromLocation=No -at=plkst to=līdz To=līdz +ToDate=līdz +ToLocation=līdz +at=plkst and=un or=vai Other=Cits @@ -843,7 +845,7 @@ XMoreLines=%s līnija(as) slēptas ShowMoreLines=Parādīt vairāk / mazāk rindas PublicUrl=Publiskā saite AddBox=Pievienot info logu -SelectElementAndClick=Izvēlieties elementu un noklikšķiniet %s +SelectElementAndClick=Select an element and click on %s PrintFile=Drukāt failu %s ShowTransaction=Rādīt ierakstu bankas kontā ShowIntervention=Rādīt iejaukšanās @@ -854,8 +856,8 @@ Denied=Aizliegts ListOf=%s saraksts ListOfTemplates=Saraksts ar veidnēm Gender=Dzimums -Genderman=Vīrietis -Genderwoman=Sieviete +Genderman=Male +Genderwoman=Female Genderother=Cits ViewList=Saraksta skats ViewGantt=Ganta skats @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Vai tiešām vēlaties ietekmēt atlasītā (-o) ieraks CategTypeNotFound=Ierakstu veidam nav atrasts neviens tagu tips CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/lv_LV/members.lang b/htdocs/langs/lv_LV/members.lang index f8c18b6e851..32f15a94dec 100644 --- a/htdocs/langs/lv_LV/members.lang +++ b/htdocs/langs/lv_LV/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Vēl viens dalībnieks (nosaukums: 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 (neveidot), 5 = redzama tikai saraksta beigu skata formā (neveidot, ne atjaunināt).

Negatīvas vērtības līdzekļu izmantošana lauka 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
($ user-> rights-> rights- -DisplayOnPdfDesc=Parādiet šo lauku saderīgos PDF dokumentos. Varat pārvaldīt pozīciju ar lauku "Position".
Pašlaik zināms savietojamie PDF modeļi ir: Eratostens (rīkojums), Espadon (kuģis), sūkli (rēķini), ciāna (propal / citāts), Cornas (piegādātājs rīkojums)

Par dokumenta:
0 = nav redzams
1 = displejs
2 = parādīt tikai tad, ja nav iztukšot

dokumentu līnijas:
0 = nav redzama
1 = parādīti kolonnā
3 = displeja līnija apraksta slejā pēc apraksta
4 = displeja apraksta ailē pēc tam, kad apraksts tikai tad, ja nav tukšs +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Displejs PDF formātā 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) diff --git a/htdocs/langs/lv_LV/other.lang b/htdocs/langs/lv_LV/other.lang index 2a1d6e280fb..95b3dae7746 100644 --- a/htdocs/langs/lv_LV/other.lang +++ b/htdocs/langs/lv_LV/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Instalējiet vai iespējojiet GD bibliotēku savā PHP insta ProfIdShortDesc=Prof ID %s ir informācija, atkarībā no trešās puses valstīm.
Piemēram, attiecībā uz valstu %s, tas ir kods %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Pārskatu subjektu skaita statistika (rēķina numurs vai pasūtījums ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Priekšlikumu skaits NumberOfCustomerOrders=Pārdošanas pasūtījumu skaits NumberOfCustomerInvoices=Klientu rēķinu skaits @@ -289,4 +289,4 @@ PopuProp=Produkti / pakalpojumi pēc popularitātes priekšlikumos PopuCom=Produkti / pakalpojumi pēc popularitātes pasūtījumos ProductStatistics=Produktu/pakalpojumu statistika NbOfQtyInOrders=Daudzums pasūtījumos -SelectTheTypeOfObjectToAnalyze=Atlasiet analizējamā objekta veidu ... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/lv_LV/partnership.lang b/htdocs/langs/lv_LV/partnership.lang new file mode 100644 index 00000000000..69fb543a784 --- /dev/null +++ b/htdocs/langs/lv_LV/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Sākuma datums +DatePartnershipEnd=Beigu datums + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Melnraksts +PartnershipAccepted = Pieņemts +PartnershipRefused = Atteikts +PartnershipCanceled = Atcelts + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/lv_LV/productbatch.lang b/htdocs/langs/lv_LV/productbatch.lang index 56a27a10ebc..996bdaa8249 100644 --- a/htdocs/langs/lv_LV/productbatch.lang +++ b/htdocs/langs/lv_LV/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/lv_LV/products.lang b/htdocs/langs/lv_LV/products.lang index 9341d32b295..2b525b5760b 100644 --- a/htdocs/langs/lv_LV/products.lang +++ b/htdocs/langs/lv_LV/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Pakalpojumi pārdošanai ServicesOnPurchaseOnly=Pakalpojumi tikai pirkšanai ServicesNotOnSell=Pakalpojumi, kas nav paredzēti pārdošanai un nav paredzēti pirkšanai ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Jaunākie labotie produkti %s +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Jaunākie ieraksti %s LastRecordedServices=Jaunākie %s reģistrētie pakalpojumi CardProduct0=Produkts @@ -73,12 +73,12 @@ SellingPrice=Pārdošanas cena SellingPriceHT=Pārdošanas cena (bez nodokļa) SellingPriceTTC=Pārdošanas cena (ar PVN) SellingMinPriceTTC=Minimālā pārdošanas cena (ieskaitot nodokli) -CostPriceDescription=Šo cenu laukumu (izņemot nodokli) var izmantot, lai saglabātu vidējo summu, ko šī produkcija sedz jūsu uzņēmumam. Var būt jebkura cena, ko aprēķināt, piemēram, no vidējās iepirkuma cenas plus vidējās ražošanas un izplatīšanas izmaksas. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Šo vērtību var izmantot, lai aprēķinātu peļņu. SoldAmount=Pārdošanas apjoms PurchasedAmount=Iegādātā summa NewPrice=Jaunā cena -MinPrice=Min. pārdošanas cena +MinPrice=Min. selling price EditSellingPriceLabel=Labot pārdošanas cenas nosaukumu CantBeLessThanMinPrice=Pārdošanas cena nevar būt zemāka par minimālo pieļaujamo šī produkta (%s bez PVN). Šis ziņojums var būt arī parādās, ja esat ievadījis pārāk lielu atlaidi. ContractStatusClosed=Slēgts @@ -157,11 +157,11 @@ ListServiceByPopularity=Pakalpojumu saraksts pēc pārdošanas popularitātes Finished=Ražota prece RowMaterial=Izejviela ConfirmCloneProduct=Vai jūs tiešām vēlaties klonēt šo produktu vai pakalpojumu %s? -CloneContentProduct=Clone visu galveno informāciju par produktu / pakalpojumu +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Klonēt cenas -CloneCategoriesProduct=Klonu tagi / kategorijas ir saistītas -CloneCompositionProduct=Klonēt virtuālo produktu / pakalpojumu -CloneCombinationsProduct=Klonu produktu varianti +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Šis produkts tiek izmantots NewRefForClone=Ref. jaunu produktu / pakalpojumu SellingPrices=Pārdošanas cenas @@ -170,12 +170,12 @@ CustomerPrices=Klienta cenas SuppliersPrices=Pārdevēja cenas SuppliersPricesOfProductsOrServices=Pārdevēja cenas (produktiem vai pakalpojumiem) CustomCode=Muita | prece | HS kods -CountryOrigin=Izcelsmes valsts -RegionStateOrigin=Reģiona izcelsme -StateOrigin=Valsts | Provinces izcelsme -Nature=Produkta veids (materiāls / gatavs) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Produkta veids -NatureOfProductDesc=Izejviela vai gatavais produkts +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Īsais nosaukums Unit=Vienība p=u. diff --git a/htdocs/langs/lv_LV/projects.lang b/htdocs/langs/lv_LV/projects.lang index ca93cb7043e..b2be4c78ce4 100644 --- a/htdocs/langs/lv_LV/projects.lang +++ b/htdocs/langs/lv_LV/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projekta kontakti ProjectsImContactFor=Projekti, par kuriem tieši esmu kontaktpersona AllAllowedProjects=All project I can read (mine + public) AllProjects=Visi projekti -MyProjectsDesc=Šis skats attiecas tikai uz projektiem, ar kuriem jūs sazināties +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Šo viedokli iepazīstina visus projektus jums ir atļauts lasīt. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=Šo viedokli iepazīstina visus projektus (jūsu lietotāja atļaujas piešķirt jums atļauju skatīt visu). TasksOnProjectsDesc=Šis skats atspoguļo visus uzdevumus visos projektos (jūsu lietotāja atļaujas piešķir jums atļauju apskatī visu). -MyTasksDesc=Šis skats attiecas tikai uz projektiem vai uzdevumiem, par kuriem esat kontaktpersona +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Slēgtie projekti nav redzami. TasksPublicDesc=Šo viedokli iepazīstina visus projektus un uzdevumus, jums ir atļauts lasīt. TasksDesc=Šo viedokli iepazīstina visus projektus un uzdevumus (jūsu lietotāja atļaujas piešķirt jums atļauju skatīt visu). AllTaskVisibleButEditIfYouAreAssigned=Visi uzdevumi kvalificētiem projektiem ir redzami, taču jūs varat ievadīt laiku tikai tam uzdevumam, kas piešķirts izvēlētajam lietotājam. Piešķirt uzdevumu, ja uz to ir jāievada laiks. -OnlyYourTaskAreVisible=Ir redzami tikai jums uzdotie uzdevumi. Piešķiriet uzdevumu sev, ja tas nav redzams, un tam ir jāievada laiks. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Projektu uzdevumi ProjectCategories=Projekta tagi / sadaļas NewProject=Jauns projekts @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Uzdevumam nav piešķirts NoUserAssignedToTheProject=Neviens lietotājs nav piešķirts šim projektam TimeSpentBy=Pavadītais laiks TasksAssignedTo=Uzdevumi, kas piešķirti -AssignTaskToMe=Uzdot uzdevumu man +AssignTaskToMe=Assign task to myself AssignTaskToUser=Piešķirt uzdevumu %s SelectTaskToAssign=Atlasiet uzdevumu, lai piešķirtu ... AssignTask=Piešķirt diff --git a/htdocs/langs/lv_LV/recruitment.lang b/htdocs/langs/lv_LV/recruitment.lang index dc5848592fc..40957c1b2df 100644 --- a/htdocs/langs/lv_LV/recruitment.lang +++ b/htdocs/langs/lv_LV/recruitment.lang @@ -46,31 +46,31 @@ FutureManager=Topošais vadītājs ResponsibleOfRecruitement=Atbildīgais par darbā pieņemšanu IfJobIsLocatedAtAPartner=Ja darbs atrodas partnera vietā PositionToBeFilled=Ieņemamais amats -PositionsToBeFilled=Job positions -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +PositionsToBeFilled=Darba vietas +ListOfPositionsToBeFilled=Darba vietu saraksts +NewPositionToBeFilled=Jaunas darba vietas -JobOfferToBeFilled=Job position to be filled +JobOfferToBeFilled=Aizpildāmā amata vieta ThisIsInformationOnJobPosition=Informācija par aizpildāmo darba vietu ContactForRecruitment=Kontaktpersona personāla atlasei EmailRecruiter=E-pasta vervētājs ToUseAGenericEmail=Lai izmantotu vispārīgu e-pastu. Ja tas nav noteikts, tiks izmantots e-pasts, kas atbildīgs par personāla atlasi -NewCandidature=New application -ListOfCandidatures=List of applications +NewCandidature=Jauna lietojumprogramma +ListOfCandidatures=Lietojumprogrammu saraksts RequestedRemuneration=Pieprasītā atlīdzība ProposedRemuneration=Piedāvātā atlīdzība ContractProposed=Piedāvātais līgums ContractSigned=Parakstīts līgums -ContractRefused=Contract refused -RecruitmentCandidature=Application +ContractRefused=Līgums atteikts +RecruitmentCandidature=Pieteikums JobPositions=Darba pozīcijas -RecruitmentCandidatures=Applications +RecruitmentCandidatures=Pieteikumi InterviewToDo=Intervija, kas jādara -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) -MakeOffer=Make an offer +AnswerCandidature=Pieteikuma atbilde +YourCandidature=Jūsu pieteikums +YourCandidatureAnswerMessage=Paldies par jūsu pieteikumu.
... +JobClosedTextCandidateFound=Darba vieta ir slēgta. Amats ir aizpildīts. +JobClosedTextCanceled=Darba vieta ir slēgta. +ExtrafieldsJobPosition=Papildu atribūti (amata vietas) +ExtrafieldsApplication=Complementary attributes (job applications) +MakeOffer=Uztaisīt piedāvājumu diff --git a/htdocs/langs/lv_LV/sendings.lang b/htdocs/langs/lv_LV/sendings.lang index 4822bca650a..ae1c4042f5d 100644 --- a/htdocs/langs/lv_LV/sendings.lang +++ b/htdocs/langs/lv_LV/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Vai jūs tiešām vēlaties apstiprināt šo sūtījumu a ConfirmCancelSending=Vai esat pārliecināts, ka vēlaties atcelt šo sūtījumu? DocumentModelMerou=Merou A5 modelis WarningNoQtyLeftToSend=Uzmanību, nav produktu kuri gaida nosūtīšanu. -StatsOnShipmentsOnlyValidated=Statistika veikti uz sūtījumiem tikai apstiprinātiem. Lietots datums ir datums apstiprināšanu sūtījuma (ēvelēti piegādes datums ir ne vienmēr ir zināms). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Plānotais piegādes datums RefDeliveryReceipt=Ref piegādes kvīts StatusReceipt=Piegādes kvīts statuss diff --git a/htdocs/langs/lv_LV/stocks.lang b/htdocs/langs/lv_LV/stocks.lang index 2f36be754a0..2b3f5058ec2 100644 --- a/htdocs/langs/lv_LV/stocks.lang +++ b/htdocs/langs/lv_LV/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nav iepriekš produktu šo objektu. Līdz ar to na DispatchVerb=Nosūtīšana StockLimitShort=Brīdinājuma limits StockLimit=Krājumu brīdinājuma limits -StockLimitDesc=(tukšs) nozīmē, ka nav brīdinājuma.
0 var izmantot brīdinājumam, tiklīdz krājums ir tukšs. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Fiziskais krājums RealStock=Rālie krājumi RealStockDesc=Fiziskā / reālā krājumi ir krājumi, kas pašlaik atrodas noliktavās. diff --git a/htdocs/langs/lv_LV/users.lang b/htdocs/langs/lv_LV/users.lang index a654848e06a..9a902874c9c 100644 --- a/htdocs/langs/lv_LV/users.lang +++ b/htdocs/langs/lv_LV/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Parole mainīts: %s SubjectNewPassword=Jūsu jaunā parole %s GroupRights=Grupas atļaujas UserRights=Lietotāja atļaujas +Credentials=Credentials UserGUISetup=Lietotāja displeja iestatīšana DisableUser=Bloķēt DisableAUser=Bloķēt lietotāju @@ -105,7 +106,7 @@ UseTypeFieldToChange=Izmantojiet lauka veids, lai mainītu OpenIDURL=OpenID URL LoginUsingOpenID=Izmantojiet OpenID, lai pieteiktos WeeklyHours=Nostrādātais laiks (nedēļā) -ExpectedWorkedHours=Paredzamais darba laiks nedēļā +ExpectedWorkedHours=Expected hours worked per week ColorUser=Lietotāja krāsa DisabledInMonoUserMode=Atspējots uzturēšanas režīmā UserAccountancyCode=Lietotāja grāmatvedības kods @@ -115,7 +116,7 @@ DateOfEmployment=Nodarbināšanas datums DateEmployment=Nodarbinātība DateEmploymentstart=Nodarbinātības sākuma datums DateEmploymentEnd=Nodarbinātības beigu datums -RangeOfLoginValidity=Pieteikšanās derīguma datumu diapazons +RangeOfLoginValidity=Access validity date range CantDisableYourself=Jūs nevarat atspējot savu lietotāja ierakstu ForceUserExpenseValidator=Spēka izdevumu pārskata apstiprinātājs ForceUserHolidayValidator=Piespiedu atvaļinājuma pieprasījuma validētājs diff --git a/htdocs/langs/lv_LV/website.lang b/htdocs/langs/lv_LV/website.lang index af85a06422d..6fe5bbf285a 100644 --- a/htdocs/langs/lv_LV/website.lang +++ b/htdocs/langs/lv_LV/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Vietņu rekvizītos definējiet visu GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/mk_MK/accountancy.lang b/htdocs/langs/mk_MK/accountancy.lang index ea5914defc9..68a261785cc 100644 --- a/htdocs/langs/mk_MK/accountancy.lang +++ b/htdocs/langs/mk_MK/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/mk_MK/admin.lang b/htdocs/langs/mk_MK/admin.lang index 95637c0e773..7c03add0eaf 100644 --- a/htdocs/langs/mk_MK/admin.lang +++ b/htdocs/langs/mk_MK/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/mk_MK/banks.lang b/htdocs/langs/mk_MK/banks.lang index 8763554c1a2..6fafa0aeeb0 100644 --- a/htdocs/langs/mk_MK/banks.lang +++ b/htdocs/langs/mk_MK/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/mk_MK/bills.lang b/htdocs/langs/mk_MK/bills.lang index 998873668db..fec7bfce851 100644 --- a/htdocs/langs/mk_MK/bills.lang +++ b/htdocs/langs/mk_MK/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Предлози (треба да се потврдат) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/mk_MK/boxes.lang b/htdocs/langs/mk_MK/boxes.lang index 00aa55643c7..e409bf6180a 100644 --- a/htdocs/langs/mk_MK/boxes.lang +++ b/htdocs/langs/mk_MK/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Најстари активни истечени услуги BoxLastExpiredServices=Најнови %s најстари контакти со активни истечени услуги BoxTitleLastActionsToDo=Најнови %s активности што треба да се направат -BoxTitleLastContracts=Најнови %s изменети договори -BoxTitleLastModifiedDonations=Најнови %s изменети донации -BoxTitleLastModifiedExpenses=Најнови %s изменети извештаи за трошоци -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Глобална активност (фактури, понуди, нарачки) BoxGoodCustomers=Добри клиенти diff --git a/htdocs/langs/mk_MK/cashdesk.lang b/htdocs/langs/mk_MK/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/mk_MK/cashdesk.lang +++ b/htdocs/langs/mk_MK/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/mk_MK/categories.lang b/htdocs/langs/mk_MK/categories.lang index cb184028464..18932dd841e 100644 --- a/htdocs/langs/mk_MK/categories.lang +++ b/htdocs/langs/mk_MK/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/mk_MK/companies.lang b/htdocs/langs/mk_MK/companies.lang index 08beacc3f25..ac5916d3675 100644 --- a/htdocs/langs/mk_MK/companies.lang +++ b/htdocs/langs/mk_MK/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Затворено ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/mk_MK/compta.lang b/htdocs/langs/mk_MK/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/mk_MK/compta.lang +++ b/htdocs/langs/mk_MK/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/mk_MK/ecm.lang b/htdocs/langs/mk_MK/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/mk_MK/ecm.lang +++ b/htdocs/langs/mk_MK/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/mk_MK/errors.lang b/htdocs/langs/mk_MK/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/mk_MK/errors.lang +++ b/htdocs/langs/mk_MK/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Подесувања +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Нацрт +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/mk_MK/knowledgemanagement.lang b/htdocs/langs/mk_MK/knowledgemanagement.lang new file mode 100644 index 00000000000..5267df31200 --- /dev/null +++ b/htdocs/langs/mk_MK/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Подесувања +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/mk_MK/mails.lang b/htdocs/langs/mk_MK/mails.lang index 3d72192f7ce..170e41b5384 100644 --- a/htdocs/langs/mk_MK/mails.lang +++ b/htdocs/langs/mk_MK/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/mk_MK/main.lang b/htdocs/langs/mk_MK/main.lang index 4eeeea5c4d3..cfa487979f0 100644 --- a/htdocs/langs/mk_MK/main.lang +++ b/htdocs/langs/mk_MK/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Настан About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/mk_MK/members.lang b/htdocs/langs/mk_MK/members.lang index e83f0e44759..20f18a2cf0d 100644 --- a/htdocs/langs/mk_MK/members.lang +++ b/htdocs/langs/mk_MK/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Друг член (име: %s ErrorUserPermissionAllowsToLinksToItselfOnly=Од безбедносни причини, мора да ги имате привилегија за едитирање на сите корисници за тие да можат да линкуваат член до корисник што не е ваш. SetLinkToUser=Врска до корисник на Долибар SetLinkToThirdParty=Врска до трета страна на Долибар -MembersCards=Бизнис картички на членови +MembersCards=Business cards for members MembersList=Листа на членови MembersListToValid=Список на предлог-членови (што треба да се верификуваат) MembersListValid=Листа на валидни членови @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Датум на претплата DateEndSubscription=Датум на завршување на претплатата -EndSubscription=Крај на претплата +EndSubscription=Subscription Ends SubscriptionId=ИД за претплата WithoutSubscription=Without subscription MemberId=ИД на член @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/mk_MK/modulebuilder.lang b/htdocs/langs/mk_MK/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/mk_MK/modulebuilder.lang +++ b/htdocs/langs/mk_MK/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/mk_MK/other.lang b/htdocs/langs/mk_MK/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/mk_MK/other.lang +++ b/htdocs/langs/mk_MK/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/mk_MK/partnership.lang b/htdocs/langs/mk_MK/partnership.lang new file mode 100644 index 00000000000..79ef0961c57 --- /dev/null +++ b/htdocs/langs/mk_MK/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Почетен датум +DatePartnershipEnd=Краен датум + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Нацрт +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/mk_MK/productbatch.lang b/htdocs/langs/mk_MK/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/mk_MK/productbatch.lang +++ b/htdocs/langs/mk_MK/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/mk_MK/products.lang b/htdocs/langs/mk_MK/products.lang index 9b980716330..b8be8edd70b 100644 --- a/htdocs/langs/mk_MK/products.lang +++ b/htdocs/langs/mk_MK/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Затворено @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/mk_MK/projects.lang b/htdocs/langs/mk_MK/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/mk_MK/projects.lang +++ b/htdocs/langs/mk_MK/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/mk_MK/recruitment.lang b/htdocs/langs/mk_MK/recruitment.lang index c8838fc60b3..5e3f22fe352 100644 --- a/htdocs/langs/mk_MK/recruitment.lang +++ b/htdocs/langs/mk_MK/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/mk_MK/sendings.lang b/htdocs/langs/mk_MK/sendings.lang index e21b52f73f1..efc4e791a46 100644 --- a/htdocs/langs/mk_MK/sendings.lang +++ b/htdocs/langs/mk_MK/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/mk_MK/stocks.lang b/htdocs/langs/mk_MK/stocks.lang index d5de0203ece..00619fd3310 100644 --- a/htdocs/langs/mk_MK/stocks.lang +++ b/htdocs/langs/mk_MK/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/mk_MK/users.lang b/htdocs/langs/mk_MK/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/mk_MK/users.lang +++ b/htdocs/langs/mk_MK/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/mk_MK/website.lang b/htdocs/langs/mk_MK/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/mk_MK/website.lang +++ b/htdocs/langs/mk_MK/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/mn_MN/accountancy.lang b/htdocs/langs/mn_MN/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/mn_MN/accountancy.lang +++ b/htdocs/langs/mn_MN/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/mn_MN/admin.lang b/htdocs/langs/mn_MN/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/mn_MN/admin.lang +++ b/htdocs/langs/mn_MN/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/mn_MN/banks.lang b/htdocs/langs/mn_MN/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/mn_MN/banks.lang +++ b/htdocs/langs/mn_MN/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/mn_MN/bills.lang b/htdocs/langs/mn_MN/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/mn_MN/bills.lang +++ b/htdocs/langs/mn_MN/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/mn_MN/boxes.lang b/htdocs/langs/mn_MN/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/mn_MN/boxes.lang +++ b/htdocs/langs/mn_MN/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/mn_MN/cashdesk.lang b/htdocs/langs/mn_MN/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/mn_MN/cashdesk.lang +++ b/htdocs/langs/mn_MN/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/mn_MN/categories.lang b/htdocs/langs/mn_MN/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/mn_MN/categories.lang +++ b/htdocs/langs/mn_MN/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/mn_MN/companies.lang b/htdocs/langs/mn_MN/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/mn_MN/companies.lang +++ b/htdocs/langs/mn_MN/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/mn_MN/compta.lang b/htdocs/langs/mn_MN/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/mn_MN/compta.lang +++ b/htdocs/langs/mn_MN/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/mn_MN/ecm.lang b/htdocs/langs/mn_MN/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/mn_MN/ecm.lang +++ b/htdocs/langs/mn_MN/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/mn_MN/errors.lang b/htdocs/langs/mn_MN/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/mn_MN/errors.lang +++ b/htdocs/langs/mn_MN/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/mn_MN/knowledgemanagement.lang b/htdocs/langs/mn_MN/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/mn_MN/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/mn_MN/mails.lang b/htdocs/langs/mn_MN/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/mn_MN/mails.lang +++ b/htdocs/langs/mn_MN/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/mn_MN/main.lang b/htdocs/langs/mn_MN/main.lang index 888daf47649..02d765a15e5 100644 --- a/htdocs/langs/mn_MN/main.lang +++ b/htdocs/langs/mn_MN/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/mn_MN/members.lang b/htdocs/langs/mn_MN/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/mn_MN/members.lang +++ b/htdocs/langs/mn_MN/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/mn_MN/modulebuilder.lang b/htdocs/langs/mn_MN/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/mn_MN/modulebuilder.lang +++ b/htdocs/langs/mn_MN/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/mn_MN/other.lang b/htdocs/langs/mn_MN/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/mn_MN/other.lang +++ b/htdocs/langs/mn_MN/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/mn_MN/partnership.lang b/htdocs/langs/mn_MN/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/mn_MN/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/mn_MN/productbatch.lang b/htdocs/langs/mn_MN/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/mn_MN/productbatch.lang +++ b/htdocs/langs/mn_MN/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/mn_MN/products.lang b/htdocs/langs/mn_MN/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/mn_MN/products.lang +++ b/htdocs/langs/mn_MN/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/mn_MN/projects.lang b/htdocs/langs/mn_MN/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/mn_MN/projects.lang +++ b/htdocs/langs/mn_MN/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/mn_MN/recruitment.lang b/htdocs/langs/mn_MN/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/mn_MN/recruitment.lang +++ b/htdocs/langs/mn_MN/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/mn_MN/sendings.lang b/htdocs/langs/mn_MN/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/mn_MN/sendings.lang +++ b/htdocs/langs/mn_MN/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/mn_MN/stocks.lang b/htdocs/langs/mn_MN/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/mn_MN/stocks.lang +++ b/htdocs/langs/mn_MN/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/mn_MN/users.lang b/htdocs/langs/mn_MN/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/mn_MN/users.lang +++ b/htdocs/langs/mn_MN/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/mn_MN/website.lang b/htdocs/langs/mn_MN/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/mn_MN/website.lang +++ b/htdocs/langs/mn_MN/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/nb_NO/accountancy.lang b/htdocs/langs/nb_NO/accountancy.lang index df6bcaaf778..59889975fdb 100644 --- a/htdocs/langs/nb_NO/accountancy.lang +++ b/htdocs/langs/nb_NO/accountancy.lang @@ -202,7 +202,7 @@ Docref=Referanse LabelAccount=Kontoetikett LabelOperation=Etikettoperasjon Sens=Retning -AccountingDirectionHelp=For en regnskapskonto til en kunde, bruk Kreditt for å registrere en betaling du mottok
For en regnskapskonto for en leverandør, bruk Debet for å registrere en betaling du foretar +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Korrespondansekode Lettering=Korrespondanse Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=Ingen flere poster å journalisere ListOfProductsWithoutAccountingAccount=Liste over varer som ikke bundet til en regnskapskonto ChangeBinding=Endre bindingen Accounted=Regnskapsført i hovedbok -NotYetAccounted=Ikke regnskapsført i hovedboken enda +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Vis veiledning NotReconciled=Ikke sammenslått WarningRecordWithoutSubledgerAreExcluded=Advarsel, alle operasjoner uten definert sub-hovedbokskonto er filtrert og ekskludert fra denne visningen @@ -407,15 +407,15 @@ FECFormatJournalCode=Kodejournal (JournalCode) FECFormatJournalLabel=Etikettjournal (JournalLib) FECFormatEntryNum=Piece number (EcritureNum) FECFormatEntryDate=Piece date (EcritureDate) -FECFormatGeneralAccountNumber=General account number (CompteNum) +FECFormatGeneralAccountNumber=Generelt kontonummer (CompteNum) FECFormatGeneralAccountLabel=General account label (CompteLib) FECFormatSubledgerAccountNumber=Subledger account number (CompAuxNum) FECFormatSubledgerAccountLabel=Subledger account number (CompAuxLib) FECFormatPieceRef=Piece ref (PieceRef) FECFormatPieceDate=Piece date creation (PieceDate) FECFormatLabelOperation=Label operation (EcritureLib) -FECFormatDebit=Debit (Debit) -FECFormatCredit=Credit (Credit) +FECFormatDebit=Debet (debet) +FECFormatCredit=Kreditt (kreditt) FECFormatReconcilableCode=Reconcilable code (EcritureLet) FECFormatReconcilableDate=Reconcilable date (DateLet) FECFormatValidateDate=Piece date validated (ValidDate) diff --git a/htdocs/langs/nb_NO/admin.lang b/htdocs/langs/nb_NO/admin.lang index 61da8abc721..1e2103f89f8 100644 --- a/htdocs/langs/nb_NO/admin.lang +++ b/htdocs/langs/nb_NO/admin.lang @@ -37,7 +37,7 @@ UnlockNewSessions=Fjern forbindelseslås YourSession=Din økt Sessions=Brukers økter WebUserGroup=Webserver bruker/gruppe -PermissionsOnFiles=Permissions on files +PermissionsOnFiles=Filtillatelser PermissionsOnFilesInWebRoot=Tillatelser for filer i rotkatalogen på web PermissionsOnFile=Tillatelser på fil %s NoSessionFound=Din PHP-konfigurasjon ser ut til å ikke tillate oppføring av aktive økter. Mappen som brukes til å lagre økter ( %s ) kan være beskyttet (for eksempel av operativsystemer eller ved hjelp av PHP-direktivet open_basedir). @@ -63,7 +63,8 @@ IfModuleEnabled=Merk: Ja er bare effektiv hvis modulen %s er aktivert RemoveLock=Fjern/endre navn på filen %s hvis den eksisterer, for å tillate bruk av oppdaterings-/installeringsverktøyet. RestoreLock=Gjenopprett filen %s med kun leserettigheter, for å deaktivere bruk av oppdateringsverktøyet. SecuritySetup=Sikkerhetsinnstillinger -PHPSetup=PHP setup +PHPSetup=PHP-oppsett +OSSetup=OS setup SecurityFilesDesc=Her defineres valg relatert til sikkerhet ved opplasting av filer. ErrorModuleRequirePHPVersion=Feil: Denne modulen krever PHP versjon %s eller høyere ErrorModuleRequireDolibarrVersion=Feil: Denne modulen krever Dolibarr versjon %s eller høyere @@ -350,8 +351,8 @@ LastActivationAuthor=Siste aktiveringsforfatter LastActivationIP=Siste aktivering IP UpdateServerOffline=Oppdater serveren offline WithCounter=Administrer en teller -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
{000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
{000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
{000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
{dd} day (01 to 31).
{mm} month (01 to 12).
{yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
-GenericMaskCodes2={cccc} the client code on n characters
{cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
{tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
+GenericMaskCodes=Her kan du legge inn nummereringsmal. I malen kan du bruke følgende tagger:
{000000} tilsvarer et tall som økes ved hver %s. Angi så mange nuller som du ønsker at lengden på telleren skal være. Telleren vil ha ledende nuller i henhold til malens lengde.
{000000+000} samme som forrige, men med en forskyvning til høyre for + tegnet, starter fra første %s.
{000000@x} samme som forrige, men telleren starter fra null når måned x nås (x mellom 1 og 12, eller 0 for de første månedene i året, eller 99 for nullstilling hver måned). Hvis dette valget brukes og x er 2 eller mer kreves også sekvensen {yy}{mm} eller {yyyy}{mm} kreves også.
{dd} dag (01 til 31).
{mm} måned (01 til 12).
{yy}, {yyyy} eller {y} årstall over 2, 4 eller 1 siffer.
+GenericMaskCodes2= {cccc} klientkoden på n tegn
{cccc000} klientkoden på n tegn etterfølges av en teller dedikert for kunden. Denne telleren tilbakestilles samtidig med global teller.
{tttt} Koden til tredjepartstype på n tegn (se menyen Hjem - Oppsett - Ordbok - Typer av tredjeparter) . Hvis du legger til denne taggen, vil telleren være forskjellig for hver type tredjepart.
GenericMaskCodes3=Alle andre tegn i masken vil være intakt.
Mellomrom er ikke tillatt.
GenericMaskCodes3EAN=Alle andre tegn i masken forblir intakte (unntatt * eller ? I 13. posisjon i EAN13).
Mellomrom er ikke tillatt.
I EAN13 skal det siste tegnet etter det siste} i 13. posisjon være * eller? . Den vil bli erstattet av den beregnede nøkkelen.
GenericMaskCodes4a=Eksempel på 99. %s fra tredjepart TheCompany, med dato 2007-01-31:
@@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Ikke foreslå NoActiveBankAccountDefined=Ingen aktive bankkonti definert OwnerOfBankAccount=Eier av bankkonto %s BankModuleNotActive=Bankkontomodul ikke slått på -ShowBugTrackLink=Vis lenken "%s" +ShowBugTrackLink=Definer lenken " %s " (tom for å ikke vise denne lenken, 'github' for lenken til Dolibarr-prosjektet eller definer direkte en url 'https: // ...') Alerts=Varsler DelaysOfToleranceBeforeWarning=Forsinkelse før du viser en advarsel for: DelaysOfToleranceDesc=Angi forsinkelsen før et advarselsikon %s vises på skjermen for det forsinkede elementet. @@ -1184,8 +1185,8 @@ SetupDescription2=Følgende to seksjoner er obligatoriske (de to første oppfør SetupDescription3= %s -> %s

Grunnleggende parametere som brukes til å tilpasse standardoppførselen til applikasjonen din (for eksempel landrelaterte funksjoner). SetupDescription4=%s -> %s

Denne programvaren er en serie med mange moduler/applikasjoner. Modulene relatert til dine behov må være aktivert og konfigurert. Menyoppføringer vises ved aktivering av disse modulene. SetupDescription5=Annet oppsett menyoppføringer styrer valgfrie parametere. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s +AuditedSecurityEvents=Sikkerhetshendelser som blir revidert +NoSecurityEventsAreAduited=Ingen sikkerhetshendelser blir revidert. Du kan aktivere dem fra meny %s Audit=Revisjon InfoDolibarr=Om Dolibarr InfoBrowser=Om nettleser @@ -1253,7 +1254,8 @@ RunningUpdateProcessMayBeRequired=Kjøring av oppgraderingen ser ut til å være YouMustRunCommandFromCommandLineAfterLoginToUser=Du må kjøre denne kommandoen fra kommandolinjen etter innlogging til et skall med brukeren %s. YourPHPDoesNotHaveSSLSupport=SSL funksjoner ikke tilgjengelige i din PHP DownloadMoreSkins=Flere skins å laste ned -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefModelDesc=Returnerer referansenummeret i formatet %syymm-nnnn der yy er året, mm er måneden og nnnn er et sekvensielt automatisk økende nummer uten nullstilling +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Vis Profesjonell ID med adresser ShowVATIntaInAddress=Skjul intra-Community MVA-numre med adresse TranslationUncomplete=Delvis oversettelse @@ -1271,7 +1273,7 @@ MAIN_PROXY_HOST=Proxy-server: Navn/adresse MAIN_PROXY_PORT=Proxy-server: Port MAIN_PROXY_USER=Proxy-server: Log-in/bruker MAIN_PROXY_PASS=Proxy-server: Passord -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +DefineHereComplementaryAttributes=Definer eventuelle tilleggs/egendefinerte attributter som må legges til: %s ExtraFields=Komplementære attributter ExtraFieldsLines=Utfyllende attributter (linjer) ExtraFieldsLinesRec=Komplementære attributter (fakturalinjermaler ) @@ -1515,7 +1517,7 @@ LDAPFieldLoginUnix=Login (unix) LDAPFieldLoginExample=Eksempel: uid LDAPFilterConnection=Søkefilter LDAPFilterConnectionExample=Eksempel : &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) +LDAPGroupFilterExample=Eksempel: &(objectClass=groupOfUsers) LDAPFieldLoginSamba=Login (samba, activedirectory) LDAPFieldLoginSambaExample=Eksempel : samaccountname LDAPFieldFullname=Fullt navn @@ -1751,7 +1753,7 @@ CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Hold avkrysningsboksen "Opprett automatisk b ##### Agenda ##### AgendaSetup=Innstillinger for modulen hendelser og agenda PasswordTogetVCalExport=Nøkkel for å autorisere eksportlenke -SecurityKey = Security Key +SecurityKey = Sikkerhetsnøkkel PastDelayVCalExport=Ikke eksporter hendelser eldre enn AGENDA_USE_EVENT_TYPE=Bruk hendelsestyper (administrert i menyoppsett -> Ordbøker -> Type agendahendelser) AGENDA_USE_EVENT_TYPE_DEFAULT=Angi denne standardverdien automatisk for type hendelse i skjema for hendelsesoppretting @@ -1979,7 +1981,7 @@ MAIN_PDF_MARGIN_BOTTOM=Bunnmarg på PDF MAIN_DOCUMENTS_LOGO_HEIGHT=Høyde for logo på PDF NothingToSetup=Det er ikke noe spesifikt oppsett som kreves for denne modulen. SetToYesIfGroupIsComputationOfOtherGroups=Sett til ja hvis denne gruppen er en beregning av andre grupper -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
For example:
CODEGRP1+CODEGRP2 +EnterCalculationRuleIfPreviousFieldIsYes=Angi beregningsregelen hvis forrige felt ble satt til Ja.
For eksempel:
CODEGRP1+CODEGRP2 SeveralLangugeVariatFound=Flere språkvarianter funnet RemoveSpecialChars=Fjern spesialtegn COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter til ren verdi (COMPANY_AQUARIUM_CLEAN_REGEX) @@ -2062,7 +2064,7 @@ UseDebugBar=Bruk feilsøkingsfeltet DEBUGBAR_LOGS_LINES_NUMBER=Nummer på siste logglinjer å beholde i konsollen WarningValueHigherSlowsDramaticalyOutput=Advarsel, høyere verdier reduserer resultatet dramatisk ModuleActivated=Modul %s er aktivert og bremser grensesnittet -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=Hvis du er i et produksjonsmiljø, bør du sette denne egenskapen til %s. AntivirusEnabledOnUpload=Antivirus aktivert på opplastede filer @@ -2091,7 +2093,7 @@ FeatureNotAvailableWithReceptionModule=Funksjonen er ikke tilgjengelig når modu EmailTemplate=Mal for e-post EMailsWillHaveMessageID=E-postmeldinger vil være merket 'Referanser' som samsvarer med denne syntaksen PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label +ShowProjectLabel=Prosjektetikett PDF_USE_ALSO_LANGUAGE_CODE=Hvis du vil at tekst i PDF-en din skal dupliseres på 2 forskjellige språk i samme genererte PDF, må du angi dette andre språket, slik at generert PDF vil inneholde 2 forskjellige språk på samme side, det som er valgt når du genererer PDF og dette ( bare få PDF-maler støtter dette). Hold tom for ett språk per PDF. FafaIconSocialNetworksDesc=Skriv inn koden til et FontAwesome-ikon. Hvis du ikke vet hva som er FontAwesome, kan du bruke den generelle verdien fa-adresseboken. FeatureNotAvailableWithReceptionModule=Funksjonen er ikke tilgjengelig når modulen Mottak er aktivert @@ -2117,8 +2119,13 @@ AdvancedModeOnly=Tillatelse bare tilgjengelig i avansert tillatelsesmodus ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. MailToSendEventOrganization=Hendelse organisasjon AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands (for the module Scheduled job, or to run the external command line Anti-virus for example), you shoud disable PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -ARestrictedPath=A restricted path +YouShouldDisablePHPFunctions=Du bør deaktivere PHP-funksjoner +IfCLINotRequiredYouShouldDisablePHPFunctions=Bortsett fra hvis du trenger å kjøre systemkommandoer (for modulen Planlagt jobb, eller for å kjøre den eksterne kommandolinjen Anti-virus for eksempel), må du deaktivere PHP-funksjoner +NoWritableFilesFoundIntoRootDir=Ingen skrivbare filer eller kataloger for de vanlige programmene ble funnet i rotkatalogen din (Bra) +RecommendedValueIs=Anbefalt: %s +ARestrictedPath=En begrenset sti +CheckForModuleUpdate=Se etter oppdateringer for eksterne moduler +CheckForModuleUpdateHelp=Denne handlingen kobles til editorer for eksterne moduler for å sjekke om en ny versjon er tilgjengelig. +ModuleUpdateAvailable=En oppdatering er tilgjengelig +NoExternalModuleWithUpdate=Ingen oppdateringer funnet for eksterne moduler +SwaggerDescriptionFile=Swagger API-beskrivelsesfil (for bruk med f.eks redoc) diff --git a/htdocs/langs/nb_NO/banks.lang b/htdocs/langs/nb_NO/banks.lang index 0de8696fb38..029b2ec2c07 100644 --- a/htdocs/langs/nb_NO/banks.lang +++ b/htdocs/langs/nb_NO/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Betaling av skatter og avgifter BankTransfer=Kredittoverføring BankTransfers=Kredittoverføringer MenuBankInternalTransfer=Intern overførsel -TransferDesc=Overføring fra en konto til en annen, vil Dolibarr skrive to poster (en debet i kildekonto og en kreditt i målkontoen). Det samme beløpet (unntatt tegn), etikett og dato vil bli brukt til denne transaksjonen) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Fra TransferTo=Til TransferFromToDone=En overføring fra %s til %s%s %s er registrert. CheckTransmitter=Avsender ValidateCheckReceipt=Valider sjekkvittering? -ConfirmValidateCheckReceipt=Er du sikker på at du vil validere denne sjekkvitteringen? Ingen endringer kan utføres etter at dette er gjort. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Slett denne sjekkvitteringen? ConfirmDeleteCheckReceipt=Er du sikker på at du vil slette denne sjekkvitteringen? BankChecks=Banksjekker @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Er du sikker på at du vil slette denne oppføringen? ThisWillAlsoDeleteBankRecord=Dette vil også slette generert bankoppføring BankMovements=Bevegelser PlannedTransactions=Planlagte oppføringer -Graph=Grafikk +Graph=Graphs ExportDataset_banque_1=Bankoppføringer og kontoutskrifter ExportDataset_banque_2=Kvittering TransactionOnTheOtherAccount=Transaksjonen på den andre kontoen @@ -142,7 +142,7 @@ AllAccounts=Alle bank- og kontantkontoer BackToAccount=Tilbake til kontoen ShowAllAccounts=Vis for alle kontoer FutureTransaction=Fremtidig transaksjon. Kan ikke avstemme. -SelectChequeTransactionAndGenerate=Velg/filter sjekker for å inkludere sjekk-innskuddskvitteringen og klikk på "Opprett" +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Velg kontoutskriften som hører til avstemmingen. Bruke en sorterbar numerisk verdi: YYYYMM eller YYYYMMDD EventualyAddCategory=Til slutt, velg en kategori for å klassifisere postene ToConciliate=Slå sammen? diff --git a/htdocs/langs/nb_NO/bills.lang b/htdocs/langs/nb_NO/bills.lang index 5ad3d1ac255..4d412179aa1 100644 --- a/htdocs/langs/nb_NO/bills.lang +++ b/htdocs/langs/nb_NO/bills.lang @@ -82,8 +82,8 @@ PaymentsAlreadyDone=Betalinger allerede utført PaymentsBackAlreadyDone=Refusjon allerede gjort PaymentRule=Betalingsregel PaymentMode=Betalingstype -DefaultPaymentMode=Default Payment Type -DefaultBankAccount=Default Bank Account +DefaultPaymentMode=Standard betalingstype +DefaultBankAccount=Standard bankkonto PaymentTypeDC=Debet/kredit-kort PaymentTypePP=PayPal IdPaymentMode=Betalingstype (ID) @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Konverter overskudd betalt til tilgjengelig rabatt EnterPaymentReceivedFromCustomer=Legg inn betaling mottatt fra kunde EnterPaymentDueToCustomer=Lag purring til kunde DisabledBecauseRemainderToPayIsZero=Slått av fordi restbeløpet er null -PriceBase=Prisgrunnlag +PriceBase=Base price BillStatus=Fakturastatus StatusOfGeneratedInvoices=Status for genererte fakturaer BillStatusDraft=Kladd (må valideres) @@ -376,7 +376,7 @@ DateLastGeneration=Dato for siste generering DateLastGenerationShort=Dato siste generering MaxPeriodNumber=Maks antall fakturagenereringer NbOfGenerationDone=Antall fakturagenereringer allerede gjort -NbOfGenerationOfRecordDone=Number of record generation already done +NbOfGenerationOfRecordDone=Antall postgenereringer allerede utført NbOfGenerationDoneShort=Antall genereringer gjort MaxGenerationReached=Maks antall genereringer nådd InvoiceAutoValidate=Valider fakturaer automatisk @@ -454,7 +454,7 @@ RegulatedOn=Regulert den ChequeNumber=Sjekk nummer ChequeOrTransferNumber=Sjekk/overføringsnummer ChequeBordereau=Sjekk timeplan -ChequeMaker=Sjekk/overføring sender +ChequeMaker=Check/Transfer sender ChequeBank=Sjekkutsteders bank CheckBank=Sjekk NetToBePaid=Netto til betaling diff --git a/htdocs/langs/nb_NO/boxes.lang b/htdocs/langs/nb_NO/boxes.lang index e16bdcc4fdb..603a4696a2a 100644 --- a/htdocs/langs/nb_NO/boxes.lang +++ b/htdocs/langs/nb_NO/boxes.lang @@ -23,7 +23,7 @@ BoxLastMembersSubscriptions=Latest member subscriptions BoxFicheInter=Siste intervensjoner BoxCurrentAccounts=Åpne kontobalanse BoxTitleMemberNextBirthdays=Fødselsdager denne måneden (medlemmer) -BoxTitleMembersByType=Members by type +BoxTitleMembersByType=Medlemmer etter type BoxTitleMembersSubscriptionsByYear=Members Subscriptions by year BoxTitleLastRssInfos=Siste %s nyheter fra %s BoxTitleLastProducts=Varer/Tjenester: siste %s endret @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bokmerker: siste %s BoxOldestExpiredServices=Eldste aktive utløpte tjenester BoxLastExpiredServices=Siste %s eldste kontakter med aktive, utgåtte tjenseter BoxTitleLastActionsToDo=Siste %s handlinger å utføre -BoxTitleLastContracts=Siste %s endrede kontrakter -BoxTitleLastModifiedDonations=Siste %s endrede donasjoner -BoxTitleLastModifiedExpenses=Siste %s endrede utgiftsrapporter -BoxTitleLatestModifiedBoms=Siste %s modifiserte BOM-er -BoxTitleLatestModifiedMos=Siste %s endrede produksjonsordre +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Kunder med maksimalt utestående overskredet BoxGlobalActivity=Global aktivitet (fakturaer, tilbud, ordrer) BoxGoodCustomers=Gode kunder diff --git a/htdocs/langs/nb_NO/cashdesk.lang b/htdocs/langs/nb_NO/cashdesk.lang index 3ec944ed126..ec22d834076 100644 --- a/htdocs/langs/nb_NO/cashdesk.lang +++ b/htdocs/langs/nb_NO/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Etasje AddTable=Legg til tabell Place=Sted TakeposConnectorNecesary='TakePOS Connector' kreves -OrderPrinters=Ordreskrivere +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Søk produkt Receipt=Kvittering Header=Overskrift @@ -56,8 +57,9 @@ Paymentnumpad=Tastaturtype for å legge inn betaling Numberspad=Nummertastatur BillsCoinsPad=Mynter og pengesedler Pad DolistorePosCategory=TakePOS-moduler og andre POS-løsninger for Dolibarr -TakeposNeedsCategories=TakePOS trenger varekategorier for å fungere -OrderNotes=Ordrenotater +TakeposNeedsCategories=TakePOS trenger minst en produktkategori for å fungere +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS trenger minst en produktkategori under kategorien %s for å fungere +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Standardkonto for bruk for betalinger i NoPaimementModesDefined=Ingen betalingsmodus definert i TakePOS-konfigurasjonen TicketVatGrouped=Grupper mva etter pris i billetter|kvitteringer @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Faktura er allerede validert NoLinesToBill=Ingen linjer å fakturere CustomReceipt=Tilpasset kvittering ReceiptName=Kvitteringsnavn -ProductSupplements=Produkttillegg +ProductSupplements=Manage supplements of products SupplementCategory=Tilleggskategori ColorTheme=Fargetema Colorful=Fargerik @@ -92,7 +94,7 @@ Browser=Nettleser BrowserMethodDescription=Enkel kvitteringsutskrift. Kun noen få parametere for å konfigurere kvitteringen. Skriv ut via nettleser. TakeposConnectorMethodDescription=Ekstern modul med ekstra funksjoner. Mulighet for å skrive ut fra skyen. PrintMethod=Utskriftsmetode -ReceiptPrinterMethodDescription=Metode med mange parametere. Full tilpassbar med maler. Kan ikke skrive ut fra skyen. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Med terminal TakeposNumpadUsePaymentIcon=Bruk ikon i stedet for tekst på betalingsknappene på nummertastaturet CashDeskRefNumberingModules=Nummereringsmodul for POS-salg @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Modulen Kvitteringsskriver må ha blitt aktive AllowDelayedPayment=Tillat forsinket betaling PrintPaymentMethodOnReceipts=Skriv ut betalingsmåte på billetter/kvitteringer WeighingScale=Vektskala +ShowPriceHT = Vis prisen uten avgiftskolonne +ShowPriceHTOnReceipt = Vis prisen uten avgiftskolonne på kvittering diff --git a/htdocs/langs/nb_NO/categories.lang b/htdocs/langs/nb_NO/categories.lang index e9d51fae4d2..4495f4ab79e 100644 --- a/htdocs/langs/nb_NO/categories.lang +++ b/htdocs/langs/nb_NO/categories.lang @@ -3,20 +3,20 @@ Rubrique=Merke/Kategori Rubriques=Merker/Kategorier RubriquesTransactions=Etiketter/Kategorier av transaksjoner categories=merker/kategorier -NoCategoryYet=Ingen merker/kategorier av denne typen er opprettet +NoCategoryYet=No tag/category of this type has been created In=I AddIn=Legg til i modify=endre Classify=Klassifiser CategoriesArea=Merker/Kategorier-område -ProductsCategoriesArea=Område for varer/tjenester, merker/kategorier -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=Bank accounts tags/categories area -ProjectsCategoriesArea=Prosjekters merker/kategori-område -UsersCategoriesArea=Område for brukertagger/-kategorier +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Underkategorier CatList=Liste over merker/kategorier CatListAll=Liste over etiketter/kategorier (alle typer) @@ -93,7 +93,7 @@ AddSupplierIntoCategory=Tilordne kategori til leverandør ShowCategory=Vis merke/kategori ByDefaultInList=Som standard i liste ChooseCategory=Velg kategori -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories +StocksCategoriesArea=Varehuskategorier +ActionCommCategoriesArea=Arrangementskategorier WebsitePagesCategoriesArea=Side-Container Kategorier -UseOrOperatorForCategories=Bruker eller operatør for kategorier +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/nb_NO/companies.lang b/htdocs/langs/nb_NO/companies.lang index ebb5306c4a0..bc0cfa70a8f 100644 --- a/htdocs/langs/nb_NO/companies.lang +++ b/htdocs/langs/nb_NO/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Firmanavnet %s finnes allerede. Velg et annet! ErrorSetACountryFirst=Angi land først SelectThirdParty=Velg en tredjepart -ConfirmDeleteCompany=Er du sikker på at du vil slette dette firmaet og all tilhørende informasjon? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Slett kontaktperson -ConfirmDeleteContact=Er du sikker på at du vil slette denne kontakten og all tilhørende informasjon? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Ny tredje part MenuNewCustomer=Ny kunde MenuNewProspect=Nytt prospekt @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Ring Chat=Chat -PhonePro=Tlf. arbeid +PhonePro=Bus. phone PhonePerso=Tlf. privat PhoneMobile=Tlf. mobil No_Email=Avvis masse-e-post @@ -331,7 +331,7 @@ CustomerCodeDesc=Kundekode, unikt for alle kunder SupplierCodeDesc=Leverandørkode, unikt for alle leverandører RequiredIfCustomer=Påkrevet hvis tredjeparten er kunde eller prospekt RequiredIfSupplier=Påkrevd hvis tredjepart er en leverandør -ValidityControledByModule=Gyldighet kontrollert av modulen +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Regler for denne modulen ProspectToContact=Prospekt til kontakt CompanyDeleted=Firma "%s" er slettet fra databasen. @@ -439,12 +439,12 @@ ListSuppliersShort=Liste over leverandører ListProspectsShort=Liste over prospekter ListCustomersShort=Liste over kunder ThirdPartiesArea=Tredjeparter / Kontakter -LastModifiedThirdParties=Siste %s endrede tredjeparter -UniqueThirdParties=Totalt antall tredjeparter +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Åpent ActivityCeased=Stengt ThirdPartyIsClosed=Tredjepart er stengt -ProductsIntoElements=Liste over varer/tjenester i %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Gjeldende utestående regning OutstandingBill=Max. utestående beløp OutstandingBillReached=Maksimun utestående beløp nådd @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Fri kode. Denne koden kan endres når som helst. ManagingDirectors=(E) navn (CEO, direktør, president ...) MergeOriginThirdparty=Dupliser tredjepart (tredjepart du vil slette) MergeThirdparties=Flett tredjeparter -ConfirmMergeThirdparties=Er du sikker på at du vil slå sammen denne tredjeparten med den nåværende? Alle koblede objekter (fakturaer, ordre, ...) blir flyttet til nåværende tredjepart, og tredjeparten blir slettet. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Tredjeparter har blitt flettet SaleRepresentativeLogin=Innlogging for salgsrepresentant SaleRepresentativeFirstname=Selgers fornavn diff --git a/htdocs/langs/nb_NO/compta.lang b/htdocs/langs/nb_NO/compta.lang index 9739b3a0a96..378bd42cc51 100644 --- a/htdocs/langs/nb_NO/compta.lang +++ b/htdocs/langs/nb_NO/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Ny rabatt NewCheckDeposit=Nytt sjekkinnskudd NewCheckDepositOn=Lag kvittering for innskudd på konto: %s NoWaitingChecks=Ingen sjekker venter på å bli satt inn. -DateChequeReceived=Dato for sjekkmottak +DateChequeReceived=Check receiving date NbOfCheques=Antall sjekker PaySocialContribution=Betal skatt/avgift PayVAT=Betal en MVA-deklarasjon diff --git a/htdocs/langs/nb_NO/dict.lang b/htdocs/langs/nb_NO/dict.lang index 712106fd943..68218bb0ba4 100644 --- a/htdocs/langs/nb_NO/dict.lang +++ b/htdocs/langs/nb_NO/dict.lang @@ -290,7 +290,7 @@ CurrencyXOF=CFA franc BCEAO CurrencySingXOF=CFA franc BCEAO CurrencyXPF=CFP franc CurrencySingXPF=CFP franc -CurrencyCentEUR=cents +CurrencyCentEUR=cent CurrencyCentSingEUR=cent CurrencyCentINR=paisa CurrencyCentSingINR=paise diff --git a/htdocs/langs/nb_NO/ecm.lang b/htdocs/langs/nb_NO/ecm.lang index 4d538a9eb7d..c9b7c92e785 100644 --- a/htdocs/langs/nb_NO/ecm.lang +++ b/htdocs/langs/nb_NO/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Ekstrafelt Ecm Filer ExtraFieldsEcmDirectories=Ekstrafelt Ecm-mapper ECMSetup=ECM-oppsett GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/nb_NO/errors.lang b/htdocs/langs/nb_NO/errors.lang index 2c5e1915bc7..5127205840e 100644 --- a/htdocs/langs/nb_NO/errors.lang +++ b/htdocs/langs/nb_NO/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Ingen feil # Errors ErrorButCommitIsDone=Valider selv om feil ble funnet -ErrorBadEMail=E-post %s er feil -ErrorBadMXDomain=E-post %s virker feil (domenet har ingen gyldig MX-post) -ErrorBadUrl=Url %s er feil +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Feil parameterverdi. Dette skjer vanligvis når en oversettelse mangler. ErrorRefAlreadyExists=Referanse %s eksisterer allerede. ErrorLoginAlreadyExists=brukernavnet %s eksisterer allerede. @@ -46,8 +46,8 @@ ErrorWrongDate=Dato er feil! ErrorFailedToWriteInDir=Kan ikke skrive til mappen %s ErrorFoundBadEmailInFile=Feil e-postsyntaks for %s linjer i filen (for eksempel linje %s med e-post=%s) ErrorUserCannotBeDelete=Brukeren kan ikke slettes. Kanskje det er knyttet til Dolibarr-enheter. -ErrorFieldsRequired=Noen påkrevde felt er ikke fylt ut. -ErrorSubjectIsRequired=Epost-emnet er påkrevd +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Kunne ikke opprette mappen. Kontroller at webserverbrukeren har skriverettigheter i dokumentmappen i Dolibarr. Hvis safe_mode er akivert i PHP, sjekk at webserveren eier eller er med i gruppen(eller bruker) for Dolibarr php-filer. ErrorNoMailDefinedForThisUser=Ingen e-post angitt for denne brukeren. ErrorSetupOfEmailsNotComplete=Installasjonen av e-post er ikke fullført @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Siden/containeren %s %s
er på. WarningCreateSubAccounts=Advarsel, du kan ikke opprette en underkonto direkte, du må opprette en tredjepart eller en bruker og tildele dem en regnskapskode for å finne dem i denne listen WarningAvailableOnlyForHTTPSServers=Bare tilgjengelig hvis du bruker HTTPS-sikret tilkobling. -WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. -ErrorActionCommPropertyUserowneridNotDefined=User's owner is required +WarningModuleXDisabledSoYouMayMissEventHere=Modul %s er ikke aktivert, så du kan gå glipp av mange hendelser her. +ErrorActionCommPropertyUserowneridNotDefined=Brukerens eier kreves ErrorActionCommBadType=Selected event type (id: %n, code: %s) do not exist in Event Type dictionary +CheckVersionFail=Versjonskontroll mislyktes diff --git a/htdocs/langs/nb_NO/eventorganization.lang b/htdocs/langs/nb_NO/eventorganization.lang new file mode 100644 index 00000000000..fb6677b6739 --- /dev/null +++ b/htdocs/langs/nb_NO/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Arrangementorganisasjon +EventOrganizationDescription = Arrangementsorganisasjon gjennom Prosjektmodul +EventOrganizationDescriptionLong= Administrer organisering av arrangementer for konferanser, deltakere, foredragsholdere og deltakere, med offentlig abonnementside +# +# Menu +# +EventOrganizationMenuLeft = Organiserte arrangementer +EventOrganizationConferenceOrBoothMenuLeft = Konferanse eller messe + +# +# Admin page +# +EventOrganizationSetup = Oppsett av arrangementorganisasjon +Settings = Innstillinger +EventOrganizationSetupPage = Konfigurasjonsside for arrangementsorganisasjon +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Konferanse eller messe +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Konferanse eller messe +ConferenceOrBoothTab = Konferanse eller messe +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Kladd +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Utført +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/nb_NO/externalsite.lang b/htdocs/langs/nb_NO/externalsite.lang index f7f6bf1e47a..33870ea4a45 100644 --- a/htdocs/langs/nb_NO/externalsite.lang +++ b/htdocs/langs/nb_NO/externalsite.lang @@ -1,5 +1,5 @@ # Dolibarr language file - Source file is en_US - externalsite ExternalSiteSetup=Oppsett av lenke til ekstern nettside -ExternalSiteURL=External Site URL of HTML iframe content +ExternalSiteURL=URL for eksternt nettsted for HTML iframe-innhold ExternalSiteModuleNotComplete=Modulen Ekstern Side ble ikke riktig konfigurert. ExampleMyMenuEntry=Meny overskrift diff --git a/htdocs/langs/nb_NO/holiday.lang b/htdocs/langs/nb_NO/holiday.lang index 5d9d9c2137b..47fbcaca76e 100644 --- a/htdocs/langs/nb_NO/holiday.lang +++ b/htdocs/langs/nb_NO/holiday.lang @@ -39,11 +39,11 @@ TitreRequestCP=Feriesøknad 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 +NbUseDaysCP=Antall permisjonsdager brukt +NbUseDaysCPHelp=The calculation takes into account the non-working days and the holidays defined in the dictionary. +NbUseDaysCPShort=Days of leave +NbUseDaysCPShortInMonth=Days of leave in month +DayIsANonWorkingDay=%s er ikke en arbeidsdag DateStartInMonth=Startdato i måned DateEndInMonth=Sluttdato i måned EditCP=Rediger @@ -55,7 +55,7 @@ TitleDeleteCP=Slett en feriesøknad ConfirmDeleteCP=Bekrefte sletting av denne feriesøknaden? ErrorCantDeleteCP=Feil! Du har ikke lov til å slette denne feriesøknaden CantCreateCP=Du har ikke lov til å opprette feriesøknader. -InvalidValidatorCP=Du må velge en godkjenner for din feriesøknad. +InvalidValidatorCP=You must choose the approver for your leave request. NoDateDebut=Du må velge en startdato. NoDateFin=Du må velge en sluttdato. ErrorDureeCP=Perioden du søker for inneholder ikke arbeidsdager @@ -80,14 +80,14 @@ UserCP=Bruker ErrorAddEventToUserCP=En feil oppsto ved opprettelse av ekstraordinær ferie AddEventToUserOkCP=Opprettelse av ekstraordinær ferie er utført MenuLogCP=Vis endringslogger -LogCP=Logg over oppdateringer av tilgjengelige feriedager -ActionByCP=Utført av -UserUpdateCP=For bruker +LogCP=Log of all updates made to "Balance of Leave" +ActionByCP=Oppdatert av +UserUpdateCP=Oppdatert for PrevSoldeCP=Forrige balanse NewSoldeCP=Ny balanse alreadyCPexist=En feriesøknad er allerede utført for denne perioden -FirstDayOfHoliday=Første feriedag -LastDayOfHoliday=Siste feriedag +FirstDayOfHoliday=Første dag for permisjon +LastDayOfHoliday=Siste dag for permisjon BoxTitleLastLeaveRequests=Siste %s endrede ferieforespørsler HolidaysMonthlyUpdate=Månedlig oppdatering ManualUpdate=Manuell oppdatering @@ -104,8 +104,8 @@ LEAVE_SICK=Sykefravær LEAVE_OTHER=Annen ferie LEAVE_PAID_FR=Betalt ferie ## Configuration du Module ## -LastUpdateCP=Siste automatisk oppdatering av permisjon -MonthOfLastMonthlyUpdate=Måned for siste automatiske oppdatering av permisjon +LastUpdateCP=Last automatic update of leave allocation +MonthOfLastMonthlyUpdate=Month of last automatic update of leave allocation UpdateConfCPOK=Vellykket oppdatering. Module27130Name= Håndtering av feriesøknader Module27130Desc= Håndtering av feriesøknader @@ -125,8 +125,8 @@ HolidaysCanceledBody=Feriesøknaden din for perioden %s til %s er blitt kanselle FollowedByACounter=1: Denne typen ferie må være etterfulgt av en teller. Telleren økes automatisk eller manuelt, og når ferieforespørselen blir validert, blir den redusert.
0: Ikke etterfulgt av en teller NoLeaveWithCounterDefined=Det er ikke definert noen ferietyper som trenger en teller GoIntoDictionaryHolidayTypes=Gå til Hjem - Oppsett - Ordbøker - Type permisjon for å sette opp forskjellige permisjonstyper. -HolidaySetup=Oppsett av modulen Ferie -HolidaysNumberingModules=Nummereringsmodeller for permisjonsforespørsler +HolidaySetup=Setup of module Leave +HolidaysNumberingModules=Numbering models for leave requests TemplatePDFHolidays=PDF-mal for permisjonsforespørsler FreeLegalTextOnHolidays=Fritekst på PDF WatermarkOnDraftHolidayCards=Vannmerke på permisjonsutkast  diff --git a/htdocs/langs/nb_NO/knowledgemanagement.lang b/htdocs/langs/nb_NO/knowledgemanagement.lang new file mode 100644 index 00000000000..5d0f27b32f4 --- /dev/null +++ b/htdocs/langs/nb_NO/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Innstillinger +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Om +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artikkel +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/nb_NO/mails.lang b/htdocs/langs/nb_NO/mails.lang index 9251f3d2386..2b55b8f39ed 100644 --- a/htdocs/langs/nb_NO/mails.lang +++ b/htdocs/langs/nb_NO/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Til bruker(e) MailCC=Kopi til MailToCCUsers=Kopier til brukere(e) MailCCC=Cached kopi til -MailTopic=E-post tema +MailTopic=Email subject MailText=Meldingstekst MailFile=Filvedlegg MailMessage=E-mail meldingstekst @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=Ingen automatiske e-postvarsler er planlagt for denne ANotificationsWillBeSent=Én automatisk varsling vil bli sendt via e-post SomeNotificationsWillBeSent=%s automatiske varsler vil bli sendt via e-post AddNewNotification=Abonner på et nytt automatisk e-postvarsel (mål/hendelse) -ListOfActiveNotifications=Liste opp alle aktive abonnementer (mål/hendelser) for automatisk e-postvarsling -ListOfNotificationsDone=Liste over alle automatiske e-postvarsler som er sendt +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent 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 diff --git a/htdocs/langs/nb_NO/main.lang b/htdocs/langs/nb_NO/main.lang index 511b46ca210..840f8895d37 100644 --- a/htdocs/langs/nb_NO/main.lang +++ b/htdocs/langs/nb_NO/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Lagre og ny TestConnection=Test tilkobling ToClone=Klon ConfirmCloneAsk=Er du sikker på at du vil klone objektet %s? -ConfirmClone=Velg hvilke data du vil klone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Det er ikke valgt noen data å klone. Of=av Go=Gå @@ -246,7 +246,7 @@ DefaultModel=Standard dokumentmal Action=Handling About=Om Number=Antall -NumberByMonth=Antall etter måned +NumberByMonth=Total reports by month AmountByMonth=Beløp etter måned Numero=Nummer Limit=Grense @@ -278,7 +278,7 @@ DateModificationShort=Mod. dato IPModification=Modifikasjons-IP DateLastModification=Siste endringsdato DateValidation=Validert den -DateSigning=Signing date +DateSigning=Signaturdato DateClosing=Lukket den DateDue=Forfallsdato DateValue=Verdi dato @@ -341,8 +341,8 @@ KiloBytes=Kilobyte MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabyte -UserAuthor=Bruker ved opprettelse -UserModif=Bruker ved siste oppdatering +UserAuthor=Ceated by +UserModif=Oppdatert av b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Av From=Fra FromDate=Fra FromLocation=Fra -at=på to=til To=til +ToDate=til +ToLocation=til +at=på and=og or=eller Other=Annen @@ -727,7 +729,7 @@ MenuMembers=Medlemmer MenuAgendaGoogle=Google agenda MenuTaxesAndSpecialExpenses=Avgifter | Spesielle utgifter ThisLimitIsDefinedInSetup=Dolibarr grense (Menu home-setup-security): %s Kb, PHP grense: %s Kb -NoFileFound=No documents uploaded +NoFileFound=Ingen dokumenter lastet opp CurrentUserLanguage=Gjeldende språk CurrentTheme=Gjeldende tema CurrentMenuManager=Nåværende menymanager @@ -843,7 +845,7 @@ XMoreLines=%s linje(r) skjult ShowMoreLines=Vis flere/færre linjer PublicUrl=Offentlig URL AddBox=Legg til boks -SelectElementAndClick=Velg et element og klikk %s +SelectElementAndClick=Select an element and click on %s PrintFile=Skriv fil %s ShowTransaction=Vis oppføring på bankkonto ShowIntervention=Vis intervensjon @@ -854,8 +856,8 @@ Denied=Avvist ListOf=Liste over %s ListOfTemplates=Liste over maler Gender=Kjønn -Genderman=Mann -Genderwoman=Kvinne +Genderman=Male +Genderwoman=Female Genderother=Annet ViewList=Listevisning ViewGantt=Gantt-visning @@ -1018,7 +1020,7 @@ SearchIntoContacts=Kontakter SearchIntoMembers=Medlemmer SearchIntoUsers=Brukere SearchIntoProductsOrServices=Varer eller tjenester -SearchIntoBatch=Lots / Serials +SearchIntoBatch=Lot/serienummer SearchIntoProjects=Prosjekter SearchIntoMO=Produksjonsordrer SearchIntoTasks=Oppgaver @@ -1061,7 +1063,7 @@ YouAreCurrentlyInSandboxMode=Du er for øyeblikket i %s "sandbox" -modus Inventory=Varetelling AnalyticCode=Analytisk kode TMenuMRP=MRP -ShowCompanyInfos=Show company infos +ShowCompanyInfos=Vis bedriftsinformasjon ShowMoreInfos=Vis mer info NoFilesUploadedYet=Vennligst last opp et dokument først SeePrivateNote=Se privat notat @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Er du sikker på at du vil påvirke merker til valgte % CategTypeNotFound=Ingen merketype funnet for denne post-typen CopiedToClipboard=Kopiert til utklippstavlen InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/nb_NO/members.lang b/htdocs/langs/nb_NO/members.lang index cff5ad25764..d204c4ebd56 100644 --- a/htdocs/langs/nb_NO/members.lang +++ b/htdocs/langs/nb_NO/members.lang @@ -15,24 +15,24 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Et annet medlem (navn: %s, inn ErrorUserPermissionAllowsToLinksToItselfOnly=Av sikkerhetsgrunner må du ha tilgang til å redigere alle brukere for å kunne knytte et medlem til en bruker som ikke er ditt. SetLinkToUser=Lenke til en Dolibarr bruker SetLinkToThirdParty=Lenke til en Dolibarr tredjepart -MembersCards=Medlemmers visittkort +MembersCards=Business cards for members MembersList=Liste over medlemmer MembersListToValid=Liste over medlems-utkast (må valideres) MembersListValid=Liste over gyldige medlemmer MembersListUpToDate=Liste over gyldige medlemmer med oppdatert abonnement MembersListNotUpToDate=Liste over gyldige medlemmer med utdatert abonnement -MembersListExcluded=List of excluded members +MembersListExcluded=Liste over ekskluderte medlemmer MembersListResiliated=Liste over terminerte medlemmer MembersListQualified=Liste over kvalifiserte medlemmer MenuMembersToValidate=Utkast medlemmer MenuMembersValidated=Validerte medlemmer -MenuMembersExcluded=Excluded members +MenuMembersExcluded=Ekskluderte medlemmer MenuMembersResiliated=Terminerte medlemmer MembersWithSubscriptionToReceive=Medlemmer som venter på abonnement MembersWithSubscriptionToReceiveShort=Abonnement på å motta DateSubscription=Abonnement dato DateEndSubscription=Abonnement sluttdato -EndSubscription=Avslutt abonnement +EndSubscription=Subscription Ends SubscriptionId=Abonnement-ID WithoutSubscription=Uten abonnement MemberId=Medlems-ID @@ -49,12 +49,12 @@ MemberStatusActiveLate=Abonnement utgått MemberStatusActiveLateShort=Utløpt MemberStatusPaid=Abonnement oppdatert MemberStatusPaidShort=Oppdatert -MemberStatusExcluded=Excluded member -MemberStatusExcludedShort=Excluded +MemberStatusExcluded=Ekskludert medlem +MemberStatusExcludedShort=Ekskludert MemberStatusResiliated=Terminert medlem MemberStatusResiliatedShort=Terminert MembersStatusToValid=Utkast medlemmer -MembersStatusExcluded=Excluded members +MembersStatusExcluded=Ekskluderte medlemmer MembersStatusResiliated=Terminerte medlemmer MemberStatusNoSubscription=Validert (ingen abonnement nødvendig) MemberStatusNoSubscriptionShort=Validert @@ -83,12 +83,12 @@ WelcomeEMail=Velkomst e-post SubscriptionRequired=Abonnement kreves DeleteType=Slett VoteAllowed=Stemming tillatt -Physical=Fysisk -Moral=Moralsk -MorAndPhy=Moralsk og fysisk -Reenable=Reaktiverer -ExcludeMember=Exclude a member -ConfirmExcludeMember=Are you sure you want to exclude this member ? +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable +ExcludeMember=Ekskluder et medlem +ConfirmExcludeMember=Er du sikker på at du vil ekskludere dette medlemmet? ResiliateMember=Terminer et medlem ConfirmResiliateMember=Er du sikker på at du vil terminere dette medlemmet? DeleteMember=Slette et medlem @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Medlemsstatistikk etter land MembersStatisticsByState=Medlemsstatistikk etter delstat/provins MembersStatisticsByTown=Medlemsstatistikk etter by MembersStatisticsByRegion=Medlem statistikk etter region -NbOfMembers=Antall medlemmer -NbOfActiveMembers=Antall nåværende aktive medlemmer +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Ingen validerte medlemmer funnet -MembersByCountryDesc=Denne skjermen viser deg statistikk over medlemmer etter land. Grafikk avhenger av Googles elektroniske graf-service og er bare tilgjengelig med internett-tilkobling. -MembersByStateDesc=Denne skjermen viser deg statistikk over medlemmer etter områder/fylker. -MembersByTownDesc=Denne skjermen viser deg statistikk over medlemmer etter by. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Velg statistikk du ønsker å lese ... MenuMembersStats=Statistikk -LastMemberDate=Siste medlemsdato +LastMemberDate=Latest membership date LatestSubscriptionDate=Siste abonnementsdato -MemberNature=Medlemskapets art -MembersNature=Medlemmenes art -Public=Informasjon er offentlig +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Nytt medlem lagt til. Venter på godkjenning NewMemberForm=Skjema for nytt medlem -SubscriptionsStatistics=Abonnementstatistikk +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Antall abonnement -AmountOfSubscriptions=Antall abonnement +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Omsetning (for et selskap) eller Budsjett (for en organisasjon) DefaultAmount=Standardbeløp for abonnement CanEditAmount=Besøkende kan velge/endre beløpet på abonnementet sitt MEMBER_NEWFORM_PAYONLINE=Gå til online betalingsside ByProperties=Etter egenskap MembersStatisticsByProperties=Medlemsstatistikk etter egenskap -MembersByNature=Dette skjermbildet viser statistikk over medlemmer etter type. -MembersByRegion=Dette skjermbildet viser statistikk over medlemmer etter region. VATToUseForSubscriptions=Mva-sats som skal brukes for abonnementer NoVatOnSubscription=Ingen MVA for abonnementer ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Vare brukt for abonnementslinje i faktura: %s diff --git a/htdocs/langs/nb_NO/modulebuilder.lang b/htdocs/langs/nb_NO/modulebuilder.lang index 90e1fcf7f63..cdad609a939 100644 --- a/htdocs/langs/nb_NO/modulebuilder.lang +++ b/htdocs/langs/nb_NO/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=Liste over definerte tillatelser SeeExamples=Se eksempler her EnabledDesc=Betingelse for å ha dette feltet aktivt (Eksempler: 1 eller $conf->global->MYMODULE_MYOPTION) VisibleDesc=Er feltet synlig? (Eksempler: 0=Aldri synlig, 1=Synlig på liste og opprett/oppdater/vis skjemaer, 2=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) -DisplayOnPdfDesc=Vis dette feltet på kompatible PDF-dokumenter, du kan administrere posisjon med "Posisjon" -feltet.
Kjente kompatible PDF-modeller er: Eratosthenes (Ordre), espadon (Forsendelse), sponge (Fakturaer), cyan (Tilbud), cornas (Leverandørordre)

For dokument:
0 = Vises ikke
1 = Vises
2 = Vises bare hvis ikke tom

For dokumentlinjer:
0 = Vises ikke
1 = Vises i en kolonne
3 = vises i linje etter beskrivelsen
4 = vises etter beskrivelse hvis ikke tom +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Vis på PDF 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) @@ -133,7 +133,7 @@ IncludeDocGeneration=Jeg vil generere noen dokumenter fra objektet IncludeDocGenerationHelp=Hvis du krysser av for dette, genereres det kode for å legge til en "Generer dokument" -boksen på posten. ShowOnCombobox=Vis verdi i kombinasjonsboks KeyForTooltip=Nøkkel for verktøytips -CSSClass=CSS for edit/create form +CSSClass=CSS for å redigere/opprette skjema CSSViewClass=CSS for read form CSSListClass=CSS for list NotEditable=Ikke redigerbar diff --git a/htdocs/langs/nb_NO/other.lang b/htdocs/langs/nb_NO/other.lang index 5e6c9f56243..b18c25e644b 100644 --- a/htdocs/langs/nb_NO/other.lang +++ b/htdocs/langs/nb_NO/other.lang @@ -114,7 +114,7 @@ DemoCompanyAll=Firma med mange aktiviteter (alle hovedmoduler) CreatedBy=Laget av %s ModifiedBy=Endret av %s ValidatedBy=Validert av %s -SignedBy=Signed by %s +SignedBy=Signert av %s ClosedBy=Lukket av %s CreatedById=Bruker-ID som opprettet ModifiedById=Bruker-ID som gjorde siste endring @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Installer eller aktiver GD-bibliotek i din PHP-installasjon ProfIdShortDesc=Prof-ID %s er avhengig av tredjepartens land.
For eksempel er det for %s, koden %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistikk over summen av produkter/tjenester -StatsByNumberOfEntities=Statistikk over antall henvisende enheter (antall fakturaer, eller ordre ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Antall tilbud NumberOfCustomerOrders=Antall salgsordre NumberOfCustomerInvoices=Antall kundefakturaer @@ -289,4 +289,4 @@ PopuProp=Varer/tjenester etter popularitet i tilbud PopuCom=Varer/tjenester etter popularitet i ordre ProductStatistics=Varer/Tjenestestatistikk NbOfQtyInOrders=Antall i ordre -SelectTheTypeOfObjectToAnalyze=Velg typen objekt som skal analyseres ... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/nb_NO/partnership.lang b/htdocs/langs/nb_NO/partnership.lang new file mode 100644 index 00000000000..06ee242e61a --- /dev/null +++ b/htdocs/langs/nb_NO/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Startdato +DatePartnershipEnd=Sluttdato + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Kladd +PartnershipAccepted = Akseptert +PartnershipRefused = Avvist +PartnershipCanceled = Kansellert + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/nb_NO/productbatch.lang b/htdocs/langs/nb_NO/productbatch.lang index 31167037a32..a2741e7f58e 100644 --- a/htdocs/langs/nb_NO/productbatch.lang +++ b/htdocs/langs/nb_NO/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/nb_NO/products.lang b/htdocs/langs/nb_NO/products.lang index ebefd4f4d91..ffcd988e7ce 100644 --- a/htdocs/langs/nb_NO/products.lang +++ b/htdocs/langs/nb_NO/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Tjenester kun til salgs ServicesOnPurchaseOnly=Tjenester kun for kjøp ServicesNotOnSell=Tjenester ikke til salgs og ikke for kjøp ServicesOnSellAndOnBuy=Tjenester for kjøp og salg -LastModifiedProductsAndServices=Siste %s modifiserte varer/tjenester +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Siste %s registrerte varer LastRecordedServices=Siste %s registrerte tjenester CardProduct0=Vare @@ -73,12 +73,12 @@ SellingPrice=Salgspris SellingPriceHT=Utsalgspris (ekskl. MVA) SellingPriceTTC=Salgspris (inkl. MVA) SellingMinPriceTTC=Minimum utsalgspris (inkl. MVA) -CostPriceDescription=Denne prisen (eks. MVA) kan brukes til å lagre det gjennomsnittlige beløpet dette produktet koster din bedrift. Det kan være en hvilken som helst pris du beregner selv, for eksempel fra gjennomsnittlig kjøpskurs pluss gjennomsnittlig produksjon og distribusjonkostnader. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Denne verdien kan brukes for kalkulering av marginer SoldAmount=Mengde solgt PurchasedAmount=Mengde kjøpt NewPrice=Ny pris -MinPrice=Min. salgspris +MinPrice=Min. selling price EditSellingPriceLabel=Rediger salgsprisetikett CantBeLessThanMinPrice=Salgsprisen kan ikke være lavere enn minste tillatte for denne varen (%s uten avgifter) ContractStatusClosed=Lukket @@ -157,11 +157,11 @@ ListServiceByPopularity=Liste av tjenester etter popularitet Finished=Ferdigvare RowMaterial=Råvare ConfirmCloneProduct=Er du sikker på at du vil klone vare eller tjeneste %s? -CloneContentProduct=Klon all hovedinformasjon av vare/tjeneste +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Klon priser -CloneCategoriesProduct=Klon koblede etiketter/kategorier -CloneCompositionProduct=Klon virtuelt vare/tjeneste -CloneCombinationsProduct=Klon produktvarianter +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Denne varen brukes NewRefForClone=Ref. av nye vare/tjeneste SellingPrices=Utsalgspris @@ -170,12 +170,12 @@ CustomerPrices=Kundepriser SuppliersPrices=Leverandørpriser SuppliersPricesOfProductsOrServices=Leverandørpriser (av varer eller tjenester) CustomCode=Toll | Råvare | HS-kode -CountryOrigin=Opprinnelsesland -RegionStateOrigin=Region opprinnelse -StateOrigin=Stat | Provins opprinnelse -Nature=Produktets art (materiale/ferdig) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Varens art -NatureOfProductDesc=Råvare eller ferdig vare +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Kort etikett Unit=Enhet p= stk diff --git a/htdocs/langs/nb_NO/projects.lang b/htdocs/langs/nb_NO/projects.lang index c71833daf26..206488d41bc 100644 --- a/htdocs/langs/nb_NO/projects.lang +++ b/htdocs/langs/nb_NO/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Prosjektkontakter ProjectsImContactFor=Prosjekter som jeg eksplisitt er en kontakt for AllAllowedProjects=Alt prosjekter jeg kan lese (min + offentlig) AllProjects=Alle prosjekter -MyProjectsDesc=Denne visningen er begrenset til prosjekter du er en kontakt for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Denne visningen presenterer alle prosjektene du har lov til å lese. TasksOnProjectsPublicDesc=Her vises alle prosjektoppgaver du har lov til å se ProjectsPublicTaskDesc=Denne visningen presenterer alle prosjekter og oppgaver du har lov til å lese. ProjectsDesc=Denne visningen presenterer alle prosjekter (dine brukertillatelser gir deg tillatelse til å vise alt). TasksOnProjectsDesc=Her vises alle prosjektoppgaver (dine brukerrettigheter gir deg adgang til å vise alt). -MyTasksDesc=Denne visningen er begrenset til prosjekter eller oppgaver du er en kontakt for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Kun åpne prosjekter er synlige (prosjektkladder og lukkede prosjekter er ikke synlige). ClosedProjectsAreHidden=Lukkede prosjekter er ikke synlige TasksPublicDesc=Denne visningen presenterer alle prosjekter og oppgaver du har lov til å lese. TasksDesc=Denne visningen presenterer alle prosjekter og oppgaver (dine brukertillatelser gir deg tillatelse til å vise alt). AllTaskVisibleButEditIfYouAreAssigned=Alle oppgaver for kvalifiserte prosjekter er synlige, men du kan bare angi tid for oppgave som er tildelt til valgt bruker. Tilordne oppgave hvis du trenger å skrive inn tid på den. -OnlyYourTaskAreVisible=Bare oppgaver til deg er synlig. Tildel oppgaven til deg selv om den ikke er synlig, og du må angi tid på den. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Oppgaver fra prosjekter ProjectCategories=Prosjekt etiketter/kategorier NewProject=Nytt prosjekt @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Ikke tildelt oppgaven NoUserAssignedToTheProject=Ingen brukere tilordnet dette prosjektet TimeSpentBy=Tid brukt av TasksAssignedTo=Oppgaver tildelt -AssignTaskToMe=Tildel oppgaven til meg +AssignTaskToMe=Assign task to myself AssignTaskToUser=Tildel oppgave til %s SelectTaskToAssign=Velg oppgave å tildele... AssignTask=Tildel diff --git a/htdocs/langs/nb_NO/propal.lang b/htdocs/langs/nb_NO/propal.lang index 296889c4a3c..3dac5fa87c2 100644 --- a/htdocs/langs/nb_NO/propal.lang +++ b/htdocs/langs/nb_NO/propal.lang @@ -59,7 +59,7 @@ ConfirmClonePropal=Er du sikker på at du vil klone tilbudet %s? ConfirmReOpenProp=Er du sikker på at du vil gjenåpne tilbudet %s? ProposalsAndProposalsLines=Tilbud og linjer ProposalLine=Tilbudslinje -ProposalLines=Proposal lines +ProposalLines=Tilbudslinjer AvailabilityPeriod=Tilgjengelig forsinkelse SetAvailability=Sett tilgjengelig forsinkelse AfterOrder=etter bestilling diff --git a/htdocs/langs/nb_NO/recruitment.lang b/htdocs/langs/nb_NO/recruitment.lang index a74389d13ff..2f771eba131 100644 --- a/htdocs/langs/nb_NO/recruitment.lang +++ b/htdocs/langs/nb_NO/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Takk for søknaden.
... JobClosedTextCandidateFound=Stillingen er stengt. Stillingen er besatt. JobClosedTextCanceled=Stillingen er stengt. ExtrafieldsJobPosition=Utfyllende attributter (stillinger) -ExtrafieldsCandidatures=Utfyllende attributter (jobbsøknader) +ExtrafieldsApplication=Utfyllende attributter (jobbsøknader) MakeOffer=Gi et tilbud diff --git a/htdocs/langs/nb_NO/salaries.lang b/htdocs/langs/nb_NO/salaries.lang index ce3cfe76d66..3a41649eaa7 100644 --- a/htdocs/langs/nb_NO/salaries.lang +++ b/htdocs/langs/nb_NO/salaries.lang @@ -5,12 +5,12 @@ SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Regnskapskonto som standard for lønnsutbetal CREATE_NEW_SALARY_WITHOUT_AUTO_PAYMENT=By default, leave empty the option "Automatically create a total payment" when creating a Salary Salary=Lønn Salaries=Lønn -NewSalary=New salary +NewSalary=Ny lønn NewSalaryPayment=Nytt lønnskort AddSalaryPayment=Legg til lønnsutbetaling SalaryPayment=Lønnsutbetaling SalariesPayments=Lønnsutbetalinger -SalariesPaymentsOf=Salaries payments of %s +SalariesPaymentsOf=Lønnsutbetalinger på %s ShowSalaryPayment=Vis lønnsutbetaling THM=Gjennomsnittlig timepris TJM=Gjennomsnittlig dagspris diff --git a/htdocs/langs/nb_NO/sendings.lang b/htdocs/langs/nb_NO/sendings.lang index 166b31d739a..50bc021e293 100644 --- a/htdocs/langs/nb_NO/sendings.lang +++ b/htdocs/langs/nb_NO/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Er du sikker på at du vil validere denne forsendelsen me ConfirmCancelSending=Er du sikker på at du vil kansellere denne forsendelsen? DocumentModelMerou=Merou A5 modell WarningNoQtyLeftToSend=Advarsel, ingen varer venter på å sendes. -StatsOnShipmentsOnlyValidated=Statistikk utført bare på validerte forsendelser. Dato for validering av forsendelsen brukes (planlagt leveringsdato er ikke alltid kjent). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planlagt leveringsdato RefDeliveryReceipt=Ref. leveringskvittering StatusReceipt=Status leveringskvittering diff --git a/htdocs/langs/nb_NO/stocks.lang b/htdocs/langs/nb_NO/stocks.lang index 831423ab16a..e9398f1528d 100644 --- a/htdocs/langs/nb_NO/stocks.lang +++ b/htdocs/langs/nb_NO/stocks.lang @@ -19,8 +19,8 @@ Stock=Lagerbeholdning Stocks=Lagerbeholdning MissingStocks=Manglende varer StockAtDate=Varebeholdning på dato -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future +StockAtDateInPast=Dato i fortid +StockAtDateInFuture=Fremtidig dato StocksByLotSerial=Lager etter LOT/serienummer LotSerial=Lot/serienummer LotSerialList=Liste over lot/serienummer @@ -38,7 +38,7 @@ IncludeEmptyDesiredStock=Inkluder også negativ beholdning med udefinert ønsket IncludeAlsoDraftOrders=Inkluder også ordrekladd Location=Lokasjon LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products +NumberOfDifferentProducts=Antall unike produkter NumberOfProducts=Totalt antall varer LastMovement=Siste bevegelse LastMovements=Siste bevegelser @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Ingen forhåndsdefinerte varer for dette objektet. DispatchVerb=Send ut StockLimitShort=Varslingsgrense StockLimit=Varslingsgrense for lagerbeholdning -StockLimitDesc=(tom) betyr ingen advarsel.
0 kan brukes til advarsel så snart lageret er tomt. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Fysisk lagerbeholdning RealStock=Virkelig beholdning RealStockDesc=Fysisk/reelt lager er beholdningen du for øyeblikket har i dine interne lagre. @@ -245,7 +245,7 @@ UpdateByScaning=Fill real qty by scaning UpdateByScaningProductBarcode=Oppdater ved skanning (varestrekkode) UpdateByScaningLot=Oppdater ved skanning (LOT/seriell strekkode) DisableStockChangeOfSubProduct=Deaktiver lagerendringen for alle delvaren til dette settet under denne bevegelsen. -ImportFromCSV=Import CSV list of movement +ImportFromCSV=Importer CSV-liste over bevegelser ChooseFileToImport=Last opp fil og klikk deretter på %s ikonet for å velge fil som kilde-importfil ... SelectAStockMovementFileToImport=select a stock movement file to import InfoTemplateImport=Uploaded file needs to have this format (* are mandatory fields):
Source Warehouse* | Target Warehouse* | Product* | Quantity* | Lot/serial number
CSV character separator must be "%s" diff --git a/htdocs/langs/nb_NO/ticket.lang b/htdocs/langs/nb_NO/ticket.lang index 0b207326a40..5a72cb11605 100644 --- a/htdocs/langs/nb_NO/ticket.lang +++ b/htdocs/langs/nb_NO/ticket.lang @@ -70,7 +70,7 @@ Deleted=Slettede # Dict Type=Type Severity=Alvorlighetsgrad -TicketGroupIsPublic=Group is public +TicketGroupIsPublic=Gruppen er offentlig TicketGroupIsPublicDesc=If a ticket group is public, it will be visible in the form when creating a ticket from the public interface # Email templates @@ -312,5 +312,5 @@ BoxTicketLastXDayswidget = Number of new tickets by days the last X days BoxNoTicketLastXDays=No new tickets the last %s days BoxNumberOfTicketByDay=Number of new tickets by day BoxNewTicketVSClose=Number of today's new tickets versus today's closed tickets -TicketCreatedToday=Ticket created today +TicketCreatedToday=Billett opprettet i dag TicketClosedToday=Ticket closed today diff --git a/htdocs/langs/nb_NO/users.lang b/htdocs/langs/nb_NO/users.lang index b1ac5feb529..8ecf4d171cc 100644 --- a/htdocs/langs/nb_NO/users.lang +++ b/htdocs/langs/nb_NO/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Passordet er endret til : %s SubjectNewPassword=Ditt nye passord til %s GroupRights=Grupperettigheter UserRights=Brukerrettigheter +Credentials=Credentials UserGUISetup=Brukerens visningsoppsett DisableUser=Deaktiver DisableAUser=Deaktiver en bruker @@ -105,7 +106,7 @@ UseTypeFieldToChange=Bruk feltet Type til endring OpenIDURL=OpenID URL LoginUsingOpenID=Bruk OpenID til å logge inn WeeklyHours=Timer arbeidet (per uke) -ExpectedWorkedHours=Forventet arbeidstid pr. uke +ExpectedWorkedHours=Expected hours worked per week ColorUser=Farge på bruker DisabledInMonoUserMode=Deaktivert i vedlikeholds-modus UserAccountancyCode=Bruker regnskapskode @@ -115,7 +116,7 @@ DateOfEmployment=Ansettelsesdato DateEmployment=Arbeid DateEmploymentstart=Ansettelse startdato DateEmploymentEnd=Ansettelse sluttdato -RangeOfLoginValidity=Datoperiode for innloggingsgyldighet +RangeOfLoginValidity=Access validity date range CantDisableYourself=Du kan ikke deaktivere din egen brukeroppføring ForceUserExpenseValidator=Tvunget utgiftsrapport-validator ForceUserHolidayValidator=Tvunget friforespørsel-validator diff --git a/htdocs/langs/nb_NO/website.lang b/htdocs/langs/nb_NO/website.lang index 314d7173fc5..ab69847b14d 100644 --- a/htdocs/langs/nb_NO/website.lang +++ b/htdocs/langs/nb_NO/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Definer liste over alle tilgjengelig GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/nb_NO/zapier.lang b/htdocs/langs/nb_NO/zapier.lang index 9a5e822d3c5..7d022844c29 100644 --- a/htdocs/langs/nb_NO/zapier.lang +++ b/htdocs/langs/nb_NO/zapier.lang @@ -17,5 +17,5 @@ ModuleZapierForDolibarrName = Zapier for Dolibarr ModuleZapierForDolibarrDesc = Zapier for Dolibarr-modul ZapierForDolibarrSetup=Oppsett av Zapier for Dolibarr ZapierDescription=Grensesnitt med Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. +ZapierAbout=Om modulen Zapier +ZapierSetupPage=Det er ikke behov for et oppsett på Dolibarr-siden for å bruke Zapier. Du må imidlertid generere og publisere en pakke på Zapier for å kunne bruke Zapier med Dolibarr. Se dokumentasjon på denne wiki-siden . diff --git a/htdocs/langs/ne_NP/accountancy.lang b/htdocs/langs/ne_NP/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/ne_NP/accountancy.lang +++ b/htdocs/langs/ne_NP/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/ne_NP/admin.lang b/htdocs/langs/ne_NP/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/ne_NP/admin.lang +++ b/htdocs/langs/ne_NP/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/ne_NP/banks.lang b/htdocs/langs/ne_NP/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/ne_NP/banks.lang +++ b/htdocs/langs/ne_NP/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/ne_NP/bills.lang b/htdocs/langs/ne_NP/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/ne_NP/bills.lang +++ b/htdocs/langs/ne_NP/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/ne_NP/boxes.lang b/htdocs/langs/ne_NP/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/ne_NP/boxes.lang +++ b/htdocs/langs/ne_NP/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/ne_NP/cashdesk.lang b/htdocs/langs/ne_NP/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/ne_NP/cashdesk.lang +++ b/htdocs/langs/ne_NP/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/ne_NP/categories.lang b/htdocs/langs/ne_NP/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/ne_NP/categories.lang +++ b/htdocs/langs/ne_NP/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/ne_NP/companies.lang b/htdocs/langs/ne_NP/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/ne_NP/companies.lang +++ b/htdocs/langs/ne_NP/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/ne_NP/compta.lang b/htdocs/langs/ne_NP/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/ne_NP/compta.lang +++ b/htdocs/langs/ne_NP/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/ne_NP/ecm.lang b/htdocs/langs/ne_NP/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/ne_NP/ecm.lang +++ b/htdocs/langs/ne_NP/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/ne_NP/errors.lang b/htdocs/langs/ne_NP/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/ne_NP/errors.lang +++ b/htdocs/langs/ne_NP/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/ne_NP/knowledgemanagement.lang b/htdocs/langs/ne_NP/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/ne_NP/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/ne_NP/mails.lang b/htdocs/langs/ne_NP/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/ne_NP/mails.lang +++ b/htdocs/langs/ne_NP/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/ne_NP/main.lang b/htdocs/langs/ne_NP/main.lang index dc2a83f2015..13793aad13f 100644 --- a/htdocs/langs/ne_NP/main.lang +++ b/htdocs/langs/ne_NP/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/ne_NP/members.lang b/htdocs/langs/ne_NP/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/ne_NP/members.lang +++ b/htdocs/langs/ne_NP/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/ne_NP/modulebuilder.lang b/htdocs/langs/ne_NP/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/ne_NP/modulebuilder.lang +++ b/htdocs/langs/ne_NP/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/ne_NP/other.lang b/htdocs/langs/ne_NP/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/ne_NP/other.lang +++ b/htdocs/langs/ne_NP/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/ne_NP/partnership.lang b/htdocs/langs/ne_NP/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/ne_NP/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/ne_NP/productbatch.lang b/htdocs/langs/ne_NP/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/ne_NP/productbatch.lang +++ b/htdocs/langs/ne_NP/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/ne_NP/products.lang b/htdocs/langs/ne_NP/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/ne_NP/products.lang +++ b/htdocs/langs/ne_NP/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/ne_NP/projects.lang b/htdocs/langs/ne_NP/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/ne_NP/projects.lang +++ b/htdocs/langs/ne_NP/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/ne_NP/recruitment.lang b/htdocs/langs/ne_NP/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/ne_NP/recruitment.lang +++ b/htdocs/langs/ne_NP/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/ne_NP/sendings.lang b/htdocs/langs/ne_NP/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/ne_NP/sendings.lang +++ b/htdocs/langs/ne_NP/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/ne_NP/stocks.lang b/htdocs/langs/ne_NP/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/ne_NP/stocks.lang +++ b/htdocs/langs/ne_NP/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/ne_NP/users.lang b/htdocs/langs/ne_NP/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/ne_NP/users.lang +++ b/htdocs/langs/ne_NP/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/ne_NP/website.lang b/htdocs/langs/ne_NP/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/ne_NP/website.lang +++ b/htdocs/langs/ne_NP/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/nl_BE/accountancy.lang b/htdocs/langs/nl_BE/accountancy.lang index 080da3b8334..f3c0725063f 100644 --- a/htdocs/langs/nl_BE/accountancy.lang +++ b/htdocs/langs/nl_BE/accountancy.lang @@ -20,6 +20,7 @@ UpdateMvts=Wijzigen van een transactie Processing=Verwerken EndProcessing=Verwerking beëindigd Lineofinvoice=Factuur lijn +ACCOUNTANCY_COMBO_FOR_AUX=Enable combo list for subsidiary account (may be slow if you have a lot of third parties) Docdate=Datum Docref=Artikelcode TotalVente=Totaal omzet voor belastingen diff --git a/htdocs/langs/nl_BE/admin.lang b/htdocs/langs/nl_BE/admin.lang index c28e7e34745..d13852849fd 100644 --- a/htdocs/langs/nl_BE/admin.lang +++ b/htdocs/langs/nl_BE/admin.lang @@ -225,7 +225,6 @@ DatabasePassword=Databasewachwoord Skin=Uiterlijksthema DefaultSkin=Standaard uiterlijksthema CompanyCurrency=Belangrijkste valuta -ShowBugTrackLink=Show link "%s" InfoWebServer=Over webserver InfoDatabase=Over de database AccountantFileNumber=Code voor boekhouder diff --git a/htdocs/langs/nl_BE/banks.lang b/htdocs/langs/nl_BE/banks.lang index 6a27c2a6715..9cf8126ebb2 100644 --- a/htdocs/langs/nl_BE/banks.lang +++ b/htdocs/langs/nl_BE/banks.lang @@ -2,7 +2,6 @@ ShowAllTimeBalance=Toon saldo sinds begin LabelBankCashAccount=label van bank of kas TransferTo=Aan -CheckTransmitter=Overboeker BankChecksToReceipt=Te innen cheques BankChecksToReceiptShort=Te innen cheques InputReceiptNumber=Kies het bankafschrift in verband met de bemiddeling. Gebruik een sorteerbaar numerieke waarde: YYYYMM of YYYYMMDD diff --git a/htdocs/langs/nl_BE/bills.lang b/htdocs/langs/nl_BE/bills.lang index ecf29a418a7..487d36219fd 100644 --- a/htdocs/langs/nl_BE/bills.lang +++ b/htdocs/langs/nl_BE/bills.lang @@ -35,7 +35,6 @@ PaymentCondition60DENDMONTH=Binnen 60 dagen volgend op einde maand PaymentTypeVIR=Bank overboeking PaymentTypeShortVIR=Bank overboeking PaymentTypeTRA=Bank cheque -ChequeMaker=Cheque / Transfer uitvoerder DepositId=Id storting ShowUnpaidAll=Bekijk alle onbetaalde facturen TypeContact_facture_external_BILLING=Klant contact diff --git a/htdocs/langs/nl_BE/boxes.lang b/htdocs/langs/nl_BE/boxes.lang index ec54c5aa572..3d89b5ee45c 100644 --- a/htdocs/langs/nl_BE/boxes.lang +++ b/htdocs/langs/nl_BE/boxes.lang @@ -13,9 +13,6 @@ BoxTitleLastSuppliers=Laatste %s geregistreerde leveranciers BoxTitleLastFicheInter=Laatste %s gemodificeerde interventies BoxLastExpiredServices=Laatste %s oudste contacten met actieve verlopen services BoxTitleLastActionsToDo=Laatste %s acties om te doen -BoxTitleLastContracts=Laatste %s gewijzigde contracten -BoxTitleLastModifiedDonations=Laatste %s gewijzigde donaties -BoxTitleLastModifiedExpenses=Laatste gewijzigde %s onkostenmeldingen LastRefreshDate=Laatste vernieuwingsdatum NoActionsToDo=Geen acties te doen NoRecordedInvoices=Geen geregistreerde klantfacturen diff --git a/htdocs/langs/nl_BE/categories.lang b/htdocs/langs/nl_BE/categories.lang index 9f02159c12d..012ee9c5375 100644 --- a/htdocs/langs/nl_BE/categories.lang +++ b/htdocs/langs/nl_BE/categories.lang @@ -3,14 +3,8 @@ Rubrique=Tag/Categorie Rubriques=Tags/Categorieën RubriquesTransactions=Tags/Categorieën van transacties categories=tags/categorieën -NoCategoryYet=Geen tag/categorie van dit type gemaakt AddIn=Toevoegen in CategoriesArea=Tags/Categorieën omgeving -ProductsCategoriesArea=Producten/Diensten tags/categorieën omgeving -CustomersCategoriesArea=Klanten tags/categorieën omgeving -MembersCategoriesArea=Leden tags/categorieën omgeving -ContactsCategoriesArea=Contacten tags/categorieën omgeving -ProjectsCategoriesArea=Projecten tags/categorieën omgeving CatList=Lijst van tags/categorieën NewCategory=Nieuwe tag/categorie ModifCat=Tag/categorie wijzigen diff --git a/htdocs/langs/nl_BE/companies.lang b/htdocs/langs/nl_BE/companies.lang index 3c215ffb8f4..24271d03d81 100644 --- a/htdocs/langs/nl_BE/companies.lang +++ b/htdocs/langs/nl_BE/companies.lang @@ -1,6 +1,4 @@ # Dolibarr language file - Source file is en_US - companies -ConfirmDeleteCompany=Weet u zeker dat u dit bedrijf en alle geërfde gegevens wilt verwijderen? -ConfirmDeleteContact=Weet u zeker dat u deze contactpersoon en alle geërfde gegevens wilt verwijderen ? MenuNewThirdParty=Nieuwe derde partij MenuNewProspect=Nieuwe Prospect MenuNewSupplier=Nieuwe verkoper @@ -19,7 +17,6 @@ NatureOfThirdParty=Aard van derden StateShort=Staat PhoneShort=Telefoonnummer No_Email=Weiger bulk e-mailings -DefaultLang=Standaardtaal VATIsUsedWhenSelling=Dit bepaalt of deze derde een BTW omvat of niet wanneer hij een factuur aan zijn eigen klanten maakt CopyAddressFromSoc=Adres kopiëren van gegevens van derden ThirdpartyNotCustomerNotSupplierSoNoRef=Derden noch klant, noch verkoper, geen beschikbare verwijzende objecten @@ -88,7 +85,6 @@ ListProspectsShort=Lijst met Prospecten ListCustomersShort=Lijst met klanten ThirdPartiesArea=Derden / contacten ThirdPartyIsClosed=Derde partij is gesloten -ProductsIntoElements=Lijst van producten/diensten in %s OutstandingBillReached=Maximum bereikt voor openstaande rekening OrderMinAmount=Minimumbedrag voor bestelling MergeOriginThirdparty=Kopieer derde partij (derde partij die je wil verwijderen) diff --git a/htdocs/langs/nl_BE/main.lang b/htdocs/langs/nl_BE/main.lang index 0e84429bb41..f6dafa47772 100644 --- a/htdocs/langs/nl_BE/main.lang +++ b/htdocs/langs/nl_BE/main.lang @@ -61,7 +61,6 @@ UserCreationShort=Creat. gebruiker UserModificationShort=Modif. gebruiker UserValidationShort=Geldig. gebruiker CurrencyRate=Wisselkoers van valuta -UserModif=Gebruiker van laatste update Amount=Hoeveelheid MulticurrencyRemainderToPay=Blijf betalen, oorspronkelijke valuta MulticurrencyAmountHT=Bedrag (excl. Btw), oorspronkelijke valuta @@ -75,6 +74,8 @@ Categories=Tags / categorieën Category=Tag / categorie to=aan To=aan +ToDate=aan +ToLocation=aan ApprovedBy2=Goedgekeurd door (tweede goedkeuring) NotRead=Ongelezen Offered=Beschikbaar diff --git a/htdocs/langs/nl_BE/modulebuilder.lang b/htdocs/langs/nl_BE/modulebuilder.lang deleted file mode 100644 index fe17c59910b..00000000000 --- a/htdocs/langs/nl_BE/modulebuilder.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - modulebuilder -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty diff --git a/htdocs/langs/nl_BE/partnership.lang b/htdocs/langs/nl_BE/partnership.lang new file mode 100644 index 00000000000..acb65205c28 --- /dev/null +++ b/htdocs/langs/nl_BE/partnership.lang @@ -0,0 +1,3 @@ +# Dolibarr language file - Source file is en_US - partnership +DatePartnershipStart=Start datum +DatePartnershipEnd=Eind datum diff --git a/htdocs/langs/nl_BE/projects.lang b/htdocs/langs/nl_BE/projects.lang index bad8b15e9d1..4a0241c7762 100644 --- a/htdocs/langs/nl_BE/projects.lang +++ b/htdocs/langs/nl_BE/projects.lang @@ -1,7 +1,6 @@ # 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 diff --git a/htdocs/langs/nl_BE/zapier.lang b/htdocs/langs/nl_BE/zapier.lang new file mode 100644 index 00000000000..390622375f3 --- /dev/null +++ b/htdocs/langs/nl_BE/zapier.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - zapier +ModuleZapierForDolibarrDesc =Zapier voor Dolibarr-module diff --git a/htdocs/langs/nl_NL/accountancy.lang b/htdocs/langs/nl_NL/accountancy.lang index bcbe3e6525d..ca264b10109 100644 --- a/htdocs/langs/nl_NL/accountancy.lang +++ b/htdocs/langs/nl_NL/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Werking label Sens=Richting -AccountingDirectionHelp=Voor een tegenrekening van een klant, gebruik Credit om een betaling vast te leggen die u hebt ontvangen
Gebruik een tegenrekening van een leverancier Debet om een betaling vast te leggen die u hebt gedaan +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Aflettercode Lettering=Afletteren Codejournal=Journaal @@ -297,7 +297,7 @@ NoNewRecordSaved=Geen posten door te boeken ListOfProductsWithoutAccountingAccount=Overzicht van producten welke nog niet zijn gekoppeld aan een grootboekrekening ChangeBinding=Wijzig koppeling Accounted=Geboekt in grootboek -NotYetAccounted=Nog niet doorgeboekt in boekhouding +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Handleiding weergeven NotReconciled=Niet afgestemd WarningRecordWithoutSubledgerAreExcluded=Pas op, alle bewerkingen zonder gedefinieerde subgrootboekrekening worden gefilterd en uitgesloten van deze weergave diff --git a/htdocs/langs/nl_NL/admin.lang b/htdocs/langs/nl_NL/admin.lang index 226316eaa51..bce871a5a72 100644 --- a/htdocs/langs/nl_NL/admin.lang +++ b/htdocs/langs/nl_NL/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Verwijder / hernoem het bestand %s als het bestaat, om het geb RestoreLock=Herstel het bestand %s , met alleen leesrechten, om verder gebruik van de update / installatie-tool uit te schakelen. SecuritySetup=Beveiligingsinstellingen PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Definieer hier de opties met betrekking tot beveiliging bij het uploaden van bestanden. ErrorModuleRequirePHPVersion=Fout, deze module vereist PHP versie %s of hoger. ErrorModuleRequireDolibarrVersion=Fout, deze module vereist Dolibarr versie %s of hoger. @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Geen betalingswijze voorstellen NoActiveBankAccountDefined=Geen actieve bankrekening ingesteld OwnerOfBankAccount=Eigenaar van bankrekening %s BankModuleNotActive=Bankrekeningen module niet ingeschakeld -ShowBugTrackLink=Toon de link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Kennisgevingen DelaysOfToleranceBeforeWarning=Vertraging voordat een waarschuwing wordt weergegeven voor: DelaysOfToleranceDesc=Stel de vertraging in voordat een waarschuwingspictogram %s op het scherm wordt weergegeven voor het late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=U dient dit commando vanaf de o YourPHPDoesNotHaveSSLSupport=SSL functies niet beschikbaar in uw PHP installatie DownloadMoreSkins=Meer uiterlijkthema's om te downloaden SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Toon professionele id met adressen ShowVATIntaInAddress=Verberg intracommunautair btw-nummer met adressen TranslationUncomplete=Onvolledige vertaling @@ -2062,7 +2064,7 @@ UseDebugBar=Gebruik de foutopsporingsbalk DEBUGBAR_LOGS_LINES_NUMBER=Aantal laatste logboekregels dat in de console moet worden bewaard WarningValueHigherSlowsDramaticalyOutput=Waarschuwing, hogere waarden vertragen de uitvoer dramatisch ModuleActivated=Module %s is geactiveerd en vertraagt de interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=Als u zich in een productieomgeving bevindt, moet u deze eigenschap instellen op %s. AntivirusEnabledOnUpload=Antivirus ingeschakeld op geüploade bestanden @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/nl_NL/banks.lang b/htdocs/langs/nl_NL/banks.lang index b96756964f8..a3d751c5dab 100644 --- a/htdocs/langs/nl_NL/banks.lang +++ b/htdocs/langs/nl_NL/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Sociale/fiscale belastingbetaling BankTransfer=Overschrijving BankTransfers=Overschrijvingen MenuBankInternalTransfer=Interne overboeking -TransferDesc=Overdracht van de ene rekening naar de andere. Dolibarr zal twee records schrijven (een debet in de bronaccount en een tegoed in het doelaccount). Hetzelfde bedrag (behalve aanduiding), label en datum worden gebruikt voor deze transactie) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Van TransferTo=T/m TransferFromToDone=Een overboeking van %s naar %s van %s is geregistreerd. CheckTransmitter=Verzender ValidateCheckReceipt=Betaling met cheque goedkeuren? -ConfirmValidateCheckReceipt=Weet u zeker dat u deze cheque wilt valideren? Hierna is het niet meer mogelijk dit te wijzigen. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Deze cheque ontvangst verwijderen? ConfirmDeleteCheckReceipt=Weet u zeker dat u deze betaling via cheque wilt verwijderen? BankChecks=Bankcheque @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Weet u zeker dat u deze boeking wilt verwijderen? ThisWillAlsoDeleteBankRecord=Hiermee wordt ook de boeking in de bank verwijderd BankMovements=Mutaties PlannedTransactions=Nog te verwerken -Graph=Grafiek +Graph=Graphs ExportDataset_banque_1=Bankboekingen en rekeningafschriften ExportDataset_banque_2=Stortingsbewijs TransactionOnTheOtherAccount=Overboeking op de andere rekening @@ -142,7 +142,7 @@ AllAccounts=Alle kas- en bankrekeningen BackToAccount=Terug naar rekening ShowAllAccounts=Toon alle rekeningen FutureTransaction=Toekomstige transactie. Nog niet mogelijk af te stemmen -SelectChequeTransactionAndGenerate=Selecteer/ filter cheques om op te nemen in de chequebetaling en klik op "Aanmaken" +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Kies het bankafschrift in verband met de bemiddeling. Gebruik een sorteerbare numerieke waarde: YYYYMM of YYYYMMDD EventualyAddCategory=Geef tenslotte een categorie op waarin de gegevens bewaard kunnen worden ToConciliate=Afstemmen? diff --git a/htdocs/langs/nl_NL/bills.lang b/htdocs/langs/nl_NL/bills.lang index 67c2d0e00a5..9c40fd8f317 100644 --- a/htdocs/langs/nl_NL/bills.lang +++ b/htdocs/langs/nl_NL/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Omzetten teveel betaald in beschikbare korting EnterPaymentReceivedFromCustomer=Voer een ontvangen betaling van afnemer in EnterPaymentDueToCustomer=Voer een betaling te doen aan afnemer in DisabledBecauseRemainderToPayIsZero=Uitgeschakeld omdat restant te betalen gelijk is aan nul -PriceBase=Basisprijs +PriceBase=Base price BillStatus=Factuurstatus StatusOfGeneratedInvoices=Status van gegenereerde facturen BillStatusDraft=Concept (moet worden gevalideerd) @@ -454,7 +454,7 @@ RegulatedOn=Geregeld op ChequeNumber=Chequenummer ChequeOrTransferNumber=Cheque / Transfernummer ChequeBordereau=Controleer rooster -ChequeMaker=Cheque / Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank van cheque CheckBank=Controleer NetToBePaid=Netto te betalen diff --git a/htdocs/langs/nl_NL/boxes.lang b/htdocs/langs/nl_NL/boxes.lang index c6f5429c714..c7e50655b47 100644 --- a/htdocs/langs/nl_NL/boxes.lang +++ b/htdocs/langs/nl_NL/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bladwijzers: laatste %s BoxOldestExpiredServices=Oudste actief verlopen diensten BoxLastExpiredServices=Laatste %s oudste contactpersonen met actieve verlopen diensten BoxTitleLastActionsToDo=Laatste %s acties om uit te voeren -BoxTitleLastContracts=Laatste %s gewijzigde contractpersonen -BoxTitleLastModifiedDonations=Laatste %s aangepaste donaties -BoxTitleLastModifiedExpenses=Laatste gewijzigde %s onkostendeclaraties -BoxTitleLatestModifiedBoms=Laatste %s gemodificeerde stuklijsten -BoxTitleLatestModifiedMos=Laatste %s gewijzigde productieorders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Klanten met meer dan maximaal toegestaan krediet BoxGlobalActivity=Globale activiteit (facturen, offertes, bestellingen) BoxGoodCustomers=Goede klanten diff --git a/htdocs/langs/nl_NL/cashdesk.lang b/htdocs/langs/nl_NL/cashdesk.lang index 24bff1481e4..614fc1431dc 100644 --- a/htdocs/langs/nl_NL/cashdesk.lang +++ b/htdocs/langs/nl_NL/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Vloer AddTable=Tafel toevoegen Place=Plaats TakeposConnectorNecesary='TakePOS Connector' vereist -OrderPrinters=Bestel printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Zoek product Receipt=Bon Header=Hoofd @@ -56,8 +57,9 @@ Paymentnumpad=Soort betaling om de betaling in te voeren Numberspad=Cijferblok BillsCoinsPad=Munten en bankbiljetten blok DolistorePosCategory=TakePOS-modules en andere POS-oplossingen voor Dolibarr -TakeposNeedsCategories=TakePOS heeft product-categorieën nodig om te werken -OrderNotes=Verkoop notities +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Standaardrekening voor betalingen NoPaimementModesDefined=Geen betaalmethode gedefinieerd in TakePOS-configuratie TicketVatGrouped=Groep BTW op tarief in tickets | kwitanties @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Factuur is al gevalideerd NoLinesToBill=Geen regels om te factureren CustomReceipt=Aangepaste kwitantie ReceiptName=Naam ontvangstbewijs -ProductSupplements=Product toevoegingen +ProductSupplements=Manage supplements of products SupplementCategory=Toevoeging categorie ColorTheme=Kleur thema Colorful=Kleurrijk @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Eenvoudig en gemakkelijk afdrukken van bonnen. Slechts een paar parameters om de bon te configureren. Afdrukken via browser. TakeposConnectorMethodDescription=Externe module met extra functies. Mogelijkheid om vanuit de cloud af te drukken. PrintMethod=Afdrukmethode -ReceiptPrinterMethodDescription=Krachtige methode met veel parameters. Volledig aanpasbaar met sjablonen. Kan niet afdrukken vanuit de cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Per terminal TakeposNumpadUsePaymentIcon=Gebruik pictogram in plaats van tekst op betalingsknoppen van numpad CashDeskRefNumberingModules=Nummeringsmodule voor POS-verkoop @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Bonprinter moet eerst zijn ingeschakeld AllowDelayedPayment=Laat uitgestelde betaling toe PrintPaymentMethodOnReceipts=Betaalmethode afdrukken op tickets | bonnen WeighingScale=Weegschaal +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/nl_NL/categories.lang b/htdocs/langs/nl_NL/categories.lang index 41621088c83..31bb7f2c0ed 100644 --- a/htdocs/langs/nl_NL/categories.lang +++ b/htdocs/langs/nl_NL/categories.lang @@ -3,20 +3,20 @@ Rubrique=Label/Categorie Rubriques=Kenmerken / Categorieën RubriquesTransactions=Labels/categorieën transacties categories=kenmerken / categorieën -NoCategoryYet=Geen label/categorie van dit type gemaakt +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Invoegen in categorie modify=wijzigen Classify=Classificeren CategoriesArea=Kenmerk / Categorieën omgeving -ProductsCategoriesArea=Producten/Diensten kenmerk/categorieën omgeving -SuppliersCategoriesArea=Gebied met tags / categorieën voor leveranciers -CustomersCategoriesArea=Klanten kenmerken/categorieën omgeving -MembersCategoriesArea=Leden kenmerken/categorieën omgeving -ContactsCategoriesArea=Contacten labels/categorieën omgeving -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Labels/categorieën projecten -UsersCategoriesArea=Gebruikers tags / categorieën gebied +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categorieën CatList=Lijst van kenmerken/categorieën CatListAll=Lijst met groepen /categorieën (alle typen) @@ -96,4 +96,4 @@ ChooseCategory=Kies categorie StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea= Categorieën voor Page-Container -UseOrOperatorForCategories=Gebruik of operator voor categorieën +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/nl_NL/companies.lang b/htdocs/langs/nl_NL/companies.lang index 87945631845..896e5bf9e83 100644 --- a/htdocs/langs/nl_NL/companies.lang +++ b/htdocs/langs/nl_NL/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=De bedrijfsnaam %s bestaat al. kies een andere. ErrorSetACountryFirst=Stel eerst het land in SelectThirdParty=Selecteer een derde -ConfirmDeleteCompany=Weet u zeker dat u dit bedrijf en alle overgenomen informatie wilt verwijderen? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Contactpersoon verwijderen -ConfirmDeleteContact=Weet u zeker dat u deze contactpersoon en alle overgenomen informatie wilt verwijderen? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Nieuwe relatie MenuNewCustomer=Nieuwe klant MenuNewProspect=Nieuwe prospect @@ -69,7 +69,7 @@ PhoneShort=Telefoon Skype=Skype Call=Bel Chat=Chat -PhonePro=Telefoonnummer zakelijk +PhonePro=Bus. phone PhonePerso=Telefoonnummer privé PhoneMobile=Telefoonnummer mobiel No_Email=Weigeren bulk e-mailings @@ -78,7 +78,7 @@ Zip=Postcode Town=Plaats Web=Internetadres Poste= Functie -DefaultLang=Standaard taal +DefaultLang=Default language 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 @@ -331,7 +331,7 @@ CustomerCodeDesc=Klant code, uniek voor alle klanten SupplierCodeDesc=Leverancierscode, uniek voor alle leveranciers RequiredIfCustomer=Vereist als relatie een afnemer of prospect is RequiredIfSupplier=Vereist als relatie een leverancier is -ValidityControledByModule=Geldigheid gecontroleerd door module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Regels voor deze module ProspectToContact=Prospect om contact mee op te nemen CompanyDeleted=Bedrijf '%s' verwijderd uit de database. @@ -439,12 +439,12 @@ ListSuppliersShort=Leverancierslijst ListProspectsShort=Prospectslijst ListCustomersShort=Klantenlijst ThirdPartiesArea=Relaties/Contacten -LastModifiedThirdParties=Laatste %s gewijzigde relaties -UniqueThirdParties=Totaal van derde partijen +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Gesloten ThirdPartyIsClosed=Relatie is gesloten -ProductsIntoElements=Lijst producten/diensten in %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Huidige openstaande rekening OutstandingBill=Max. voor openstaande rekening OutstandingBillReached=Max. krediet voor openstaande facturen is bereikt @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Afnemers- / leverancierscode is vrij. Deze code kan te al ManagingDirectors=Manager(s) Naam (CEO, directeur, voorzitter ...) MergeOriginThirdparty=Dupliceren third party (third party die u wilt verwijderen) MergeThirdparties=Samenvoegen third parties -ConfirmMergeThirdparties=Weet u zeker dat u deze derde partij wilt samenvoegen met de huidige? Alle gekoppelde objecten (facturen, bestellingen, ...) worden verplaatst naar de huidige derde partij en vervolgens wordt de derde partij verwijderd. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Relaties zijn samengevoegd SaleRepresentativeLogin=Login vertegenwoordiger SaleRepresentativeFirstname=Vertegenwoordiger voornaam diff --git a/htdocs/langs/nl_NL/compta.lang b/htdocs/langs/nl_NL/compta.lang index 36e512303e3..f93194796fe 100644 --- a/htdocs/langs/nl_NL/compta.lang +++ b/htdocs/langs/nl_NL/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nieuwe korting NewCheckDeposit=Nieuwe chequestorting NewCheckDepositOn=Creeer een kwitantie voor de storting op rekening: %s NoWaitingChecks=Geen cheques om af te storten. -DateChequeReceived=Ontvangstdatum cheque +DateChequeReceived=Check receiving date NbOfCheques=Aantal cheques PaySocialContribution=Betaal een sociale/fiscale vordering PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/nl_NL/ecm.lang b/htdocs/langs/nl_NL/ecm.lang index 4fbc753042e..70f70db9a55 100644 --- a/htdocs/langs/nl_NL/ecm.lang +++ b/htdocs/langs/nl_NL/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm-bestanden ExtraFieldsEcmDirectories=Extrafields Ecm-mappen ECMSetup=ECM-instellingen GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/nl_NL/errors.lang b/htdocs/langs/nl_NL/errors.lang index 754f7955bb9..027c4fed658 100644 --- a/htdocs/langs/nl_NL/errors.lang +++ b/htdocs/langs/nl_NL/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Geen fout, wij bevestigen # Errors ErrorButCommitIsDone=Fouten gevonden maar we valideren toch -ErrorBadEMail=E-mail %s is verkeerd -ErrorBadMXDomain=E-mail %s lijkt verkeerd (domein heeft geen geldige MX-record) -ErrorBadUrl=Ongeldige Url %s +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Slechte parameterwaarde. Wordt over het algemeen gegenereerd als de vertaling ontbreekt. ErrorRefAlreadyExists=Referentie %s bestaat al. ErrorLoginAlreadyExists=Inlog %s bestaat reeds. @@ -46,8 +46,8 @@ ErrorWrongDate=Datum is niet correct! ErrorFailedToWriteInDir=Schrijven in de map %s mislukt ErrorFoundBadEmailInFile=Onjuist e-mail syntax gevonden voor %s regels in het bestand (bijvoorbeeld regel %s met email=%s) ErrorUserCannotBeDelete=Gebruiker kan niet worden verwijderd. Misschien is het geassocieerd met Dolibarr-entiteiten. -ErrorFieldsRequired=Enkele verplichte velden zijn niet ingevuld. -ErrorSubjectIsRequired=Het e-mail onderwerp is verplicht +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Creëren van een map mislukt. Controleer of de Webservergebruiker toestemming heeft om te schrijven in Dolibarr documentenmap. Wanneer de parameter safe_mode is ingeschakeld in PHP, controleer dan dat de Dolibarr php bestanden eigendom zijn van de de webserve gebruiker (of groep). ErrorNoMailDefinedForThisUser=Geen e-mailadres ingesteld voor deze gebruiker ErrorSetupOfEmailsNotComplete=Het instellen van e-mails is niet voltooid @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=De pagina / container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Instellingen +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Ontwerp +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Uitgevoerd +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/nl_NL/knowledgemanagement.lang b/htdocs/langs/nl_NL/knowledgemanagement.lang new file mode 100644 index 00000000000..21c29de7faf --- /dev/null +++ b/htdocs/langs/nl_NL/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Instellingen +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Over +KnowledgeManagementAbout = Over Kennis Management +KnowledgeManagementAboutPage = Over Kennis Management pagina + +# +# Sample page +# +KnowledgeManagementArea = Kennis Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artikel +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/nl_NL/mails.lang b/htdocs/langs/nl_NL/mails.lang index 84dbbc2a4a2..0e423abdd91 100644 --- a/htdocs/langs/nl_NL/mails.lang +++ b/htdocs/langs/nl_NL/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Aan gebruiker(s) MailCC=Kopieën aan (cc) MailToCCUsers=Kopiëren naar gebruiker(s) MailCCC=Blinde kopie aan (bcc) -MailTopic=E-mail onderwerp +MailTopic=Email subject MailText=Bericht MailFile=Bijgevoegde bestanden MailMessage=E-mail inhoud @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=Er staan geen e-mail kennisgevingen gepland voor dit t ANotificationsWillBeSent=1 automatische notificatie zal worden verstuurd per e-mail SomeNotificationsWillBeSent=%s automatische notificatie zal per e-mail worden verstuurd AddNewNotification=Abonneer u op een nieuwe automatische e-mailmelding (doel/gebeurtenis) -ListOfActiveNotifications=Lijst van alle actieve abonnementen (doelen/evenementen) voor automatische e-mailmelding -ListOfNotificationsDone=Lijst met alle automatisch verstuurde e-mail kennisgevingen +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuratie van e-mailverzending is ingesteld op '%s'. Deze modus kan niet worden gebruikt om bulk e-mails te verzenden. MailSendSetupIs2=Ga eerst met een beheerdersaccount naar menu %s Home - Set-up - E-mails%s om de parameter '%s' te wijzigen om de modus '%s' te gebruiken. Met deze modus kunt u de installatie van de SMTP-server van uw internetprovider openen en de functie Bulk e-mails gebruiken. MailSendSetupIs3=Indien u vragen heeft inzake de SMTP server, went u zich dan tot %s. diff --git a/htdocs/langs/nl_NL/main.lang b/htdocs/langs/nl_NL/main.lang index a74a1521259..0a42f7f79c5 100644 --- a/htdocs/langs/nl_NL/main.lang +++ b/htdocs/langs/nl_NL/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Opslaan en nieuw TestConnection=Test verbinding ToClone=Klonen ConfirmCloneAsk=Weet u zeker dat u het object %s wilt klonen? -ConfirmClone=Kies gegevens die u wilt klonen: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Geen gegevens om te klonen gedefinieerd. Of=van Go=Ga @@ -246,7 +246,7 @@ DefaultModel=Standaard document sjabloon Action=Actie About=Over Number=Aantal -NumberByMonth=Aantal per maand +NumberByMonth=Total reports by month AmountByMonth=Bedrag per maand Numero=Nummer Limit=Limiet @@ -341,8 +341,8 @@ KiloBytes=KiloBytes MegaBytes=MegaBytes GigaBytes=GigaBytes TeraBytes=Terabytes -UserAuthor=Gebruiker van creatie -UserModif=Gebruiker van de laatste update +UserAuthor=Ceated by +UserModif=Updated by b=b Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Door From=Van FromDate=Van FromLocation=Van -at=Bij to=t/m To=t/m +ToDate=t/m +ToLocation=t/m +at=Bij and=en or=of Other=Overig @@ -843,7 +845,7 @@ XMoreLines=%s regel(s) verborgen ShowMoreLines=Laat meer/minder regels zien PublicUrl=Openbare URL AddBox=Box toevoegen -SelectElementAndClick=Selecteer een element en klik op %s +SelectElementAndClick=Select an element and click on %s PrintFile=Bestand afdrukken %s ShowTransaction=Toon bankmutatie ShowIntervention=Tonen tussenkomst @@ -854,8 +856,8 @@ Denied=Gewijgerd ListOf=Lijst van %s ListOfTemplates=Lijst van templates Gender=Geslacht -Genderman=Man -Genderwoman=Vrouw +Genderman=Male +Genderwoman=Female Genderother=Overig ViewList=Bekijk lijst ViewGantt=Gantt-weergave @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Weet u zeker dat u tags wilt beïnvloeden voor de %s ge CategTypeNotFound=Geen tag-soort gevonden voor type records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/nl_NL/members.lang b/htdocs/langs/nl_NL/members.lang index 4a98f54c8d8..5260e6da794 100644 --- a/htdocs/langs/nl_NL/members.lang +++ b/htdocs/langs/nl_NL/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Een ander lid (naam: %s, login: %s ErrorUserPermissionAllowsToLinksToItselfOnly=Om veiligheidsredenen, moeten aan u rechten worden verleend voor het bewerken van alle gebruikers om in staat te zijn een lid te koppelen aan een gebruiker die niet van u is. SetLinkToUser=Link naar een Dolibarr gebruiker SetLinkToThirdParty=Link naar een derde partij in Dolibarr -MembersCards=Visitekaarten van leden +MembersCards=Business cards for members MembersList=Ledenlijst MembersListToValid=Lijst van conceptleden (te valideren) MembersListValid=Lijst van geldige leden @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Leden die abonnement moeten ontvangen MembersWithSubscriptionToReceiveShort=Abonnement ontvangen DateSubscription=Inschrijvingsdatum DateEndSubscription=Einddatum abonnement -EndSubscription=Einde abonnement +EndSubscription=Subscription Ends SubscriptionId=Inschrijvings-ID WithoutSubscription=Zonder abonnement MemberId=Lid ID @@ -83,10 +83,10 @@ WelcomeEMail=Welkomst e-mail SubscriptionRequired=Abonnement vereist DeleteType=Verwijderen VoteAllowed=Stemming toegestaan -Physical=Fysiek -Moral=Moreel -MorAndPhy=Moreel en fysiek -Reenable=Opnieuw inschakelen +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Verwijder een lid @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Leden statistieken per land MembersStatisticsByState=Leden statistieken per staat / provincie MembersStatisticsByTown=Leden van de statistieken per gemeente MembersStatisticsByRegion=Leden statistieken per regio -NbOfMembers=Aantal leden -NbOfActiveMembers=Aantal huidige actieve leden +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Geen gevalideerde leden gevonden -MembersByCountryDesc=Dit scherm tonen statistieken over de leden door de landen. Grafisch is echter afhankelijk van Google online grafiek service en is alleen beschikbaar als een internet verbinding is werkt. -MembersByStateDesc=Dit scherm tonen statistieken over de leden door de staat / provincies / kanton. -MembersByTownDesc=Dit scherm tonen statistieken over de leden per gemeente. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Kies de statistieken die u wilt lezen ... MenuMembersStats=Statistiek -LastMemberDate=Laatste liddatum +LastMemberDate=Latest membership date LatestSubscriptionDate=Laatste abonnementsdatum -MemberNature=Aard van het lid -MembersNature=Aard van de leden -Public=Informatie zijn openbaar (no = prive) +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Nieuw lid toegevoegd. In afwachting van goedkeuring NewMemberForm=Nieuw lid formulier -SubscriptionsStatistics=Statistieken over abonnementen +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Aantal abonnementen -AmountOfSubscriptions=Hoeveelheid van abonnementen +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Omzet (voor een bedrijf) of Budget (voor een stichting) DefaultAmount=Standaard hoeveelheid van het abonnement CanEditAmount=Bezoeker kan kiezen / wijzigen bedrag van zijn inschrijving MEMBER_NEWFORM_PAYONLINE=Spring op geïntegreerde online betaalpagina ByProperties=Van nature MembersStatisticsByProperties=Ledenstatistieken per aard -MembersByNature=Dit scherm toont statistieken over de leden per aard. -MembersByRegion=Dit scherm tonen statistieken over de leden per streek. VATToUseForSubscriptions=BTW tarief voor inschrijvingen NoVatOnSubscription=Geen btw voor abonnementen ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product gebruikt voor abbonement regel in factuur: %s diff --git a/htdocs/langs/nl_NL/modulebuilder.lang b/htdocs/langs/nl_NL/modulebuilder.lang index 8d622f598cf..b70329e7b48 100644 --- a/htdocs/langs/nl_NL/modulebuilder.lang +++ b/htdocs/langs/nl_NL/modulebuilder.lang @@ -85,7 +85,7 @@ 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 = alleen zichtbaar op formulier maken / bijwerken / bekijken (geen lijst), 4 = zichtbaar op lijst en update / view form only (not create), 5 = Alleen zichtbaar op lijst eindweergave formulier (niet create, not update).

Het gebruik van een negatieve waarde betekent dat het veld niet standaard wordt weergegeven op de lijst, maar kan worden geselecteerd voor weergave).

Het kan een uitdrukking zijn, bijvoorbeeld:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ user-> rechten-> vakantie-> vakantie-> vakantie-> vakantie->) -DisplayOnPdfDesc=Toon dit veld op compatibele PDF-documenten, u kunt de positie beheren met het veld "Positie".
Momenteel bekend compatible PDF modellen zijn: Eratosthenes (order), espadon (schip), spons (facturen), cyaan (Propal / offerte), Cornas (leverancier volgorde)

Voor document:
0 = niet weergegeven
1 = weergave
2 = alleen weergegeven als niet leeg

Voor documentregels:
0 = niet weergegeven
1 = weergegeven in een kolom
3 = weergave in regel kolomomschrijving na de beschrijving
4 = weergave in de beschrijving positie daarachter beschrijving alleen indien niet leeg +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Weergeven in PDF 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) diff --git a/htdocs/langs/nl_NL/other.lang b/htdocs/langs/nl_NL/other.lang index 15ae208dd41..be3a21b260a 100644 --- a/htdocs/langs/nl_NL/other.lang +++ b/htdocs/langs/nl_NL/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Installeer of schakel GD-bibliotheek op uw PHP-installatie i ProfIdShortDesc=Prof. id %s is een gegeven afhankelijk van het land.
Voor land %s, is de code bijvoorbeeld %s. DolibarrDemo=Dolibarr ERP / CRM demonstratie StatsByNumberOfUnits=Statistieken voor som van aantal producten / diensten -StatsByNumberOfEntities=Statistieken in aantal verwijzende entiteiten (factuurnummer of bestelling ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Aantal voorstellen NumberOfCustomerOrders=Aantal verkooporders NumberOfCustomerInvoices=Aantal klant facturen @@ -289,4 +289,4 @@ PopuProp=Producten / diensten op populariteit in voorstellen PopuCom=Producten / services op populariteit in Orders ProductStatistics=Producten / diensten Statistieken NbOfQtyInOrders=Aantal in bestellingen -SelectTheTypeOfObjectToAnalyze=Selecteer het type object dat u wilt analyseren ... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/nl_NL/partnership.lang b/htdocs/langs/nl_NL/partnership.lang new file mode 100644 index 00000000000..e50519a767c --- /dev/null +++ b/htdocs/langs/nl_NL/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnerschap beheer +PartnershipDescription = Module Partnerschap beheer +PartnershipDescriptionLong= Module Partnerschap beheer + +# +# Menu +# +NewPartnership = Nieuw partnerschap +ListOfPartnerships = Overzicht van partnerschappen + +# +# Admin page +# +PartnershipSetup = Partnerschap instellingen +PartnershipAbout = Over module partnerschap +PartnershipAboutPage = Over module Partnerschap page + + +# +# Object +# +DatePartnershipStart=Begindatum +DatePartnershipEnd=Einddatum + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Ontwerp +PartnershipAccepted = Geaccepteerd +PartnershipRefused = Geweigerd +PartnershipCanceled = Geannuleerd + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/nl_NL/productbatch.lang b/htdocs/langs/nl_NL/productbatch.lang index 8f65a606600..a5f8646b2cc 100644 --- a/htdocs/langs/nl_NL/productbatch.lang +++ b/htdocs/langs/nl_NL/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/nl_NL/products.lang b/htdocs/langs/nl_NL/products.lang index 50675925d5f..339c112b36a 100644 --- a/htdocs/langs/nl_NL/products.lang +++ b/htdocs/langs/nl_NL/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Diensten alleen voor verkoop ServicesOnPurchaseOnly=Diensten alleen voor aankoop ServicesNotOnSell=Diensten niet voor aan- en verkoop ServicesOnSellAndOnBuy=Diensten voor verkoop en aankoop -LastModifiedProductsAndServices=Nieuwste %s gewijzigde producten / diensten +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Laatste %s geregistreerde producten LastRecordedServices=Laatste %s geregistreerde diensten CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Verkoopprijs SellingPriceHT=Verkoopprijs (excl. BTW) SellingPriceTTC=Verkoopprijs (inclusief belastingen) SellingMinPriceTTC=Minimale verkoopprijs (incl. BTW) -CostPriceDescription=Dit prijsveld (excl. BTW) kan worden gebruikt om het gemiddelde bedrag op te slaan dat dit product voor uw bedrijf kost. Het kan elke prijs zijn die u zelf berekent, bijvoorbeeld op basis van de gemiddelde inkoopprijs plus gemiddelde productie- en distributiekosten. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Deze waarde kan worden gebruik voor marge berekening. SoldAmount=Aantal verkocht PurchasedAmount=Aantal ingekocht NewPrice=Nieuwe prijs -MinPrice=Min. verkoopprijs +MinPrice=Min. selling price EditSellingPriceLabel=Bewerk het label met de verkoopprijs CantBeLessThanMinPrice=De verkoopprijs kan niet lager zijn dan de minimumprijs voor dit product ( %s zonder belasting) ContractStatusClosed=Gesloten @@ -157,11 +157,11 @@ ListServiceByPopularity=Lijst met diensten naar populariteit Finished=Gereed product RowMaterial=Ruw materiaal ConfirmCloneProduct=Weet u zeker dat u dit product of deze dienst %s wilt klonen? -CloneContentProduct=Kloon alle hoofdinformatie van product / dienst +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Prijzen klonen -CloneCategoriesProduct=Dupliceer gelinkte tags/categorieën -CloneCompositionProduct=Dupliceer virtueel product/service -CloneCombinationsProduct=Kloon productvarianten +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Dit product wordt gebruikt NewRefForClone=Referentie naar nieuw produkt / dienst SellingPrices=Verkoop prijzen @@ -170,12 +170,12 @@ CustomerPrices=Consumenten prijzen SuppliersPrices=Prijzen van leveranciers SuppliersPricesOfProductsOrServices=Leverancierprijzen (van producten of services) CustomCode=Douane | Goederen | HS-code -CountryOrigin=Land van herkomst -RegionStateOrigin=Regio oorsprong -StateOrigin=Staat | Provincie oorsprong -Nature=Aard van het product (materiaal / afgewerkt) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Aard van het product -NatureOfProductDesc=Grondstof of afgewerkt product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Kort label Unit=Eenheid p=u. diff --git a/htdocs/langs/nl_NL/projects.lang b/htdocs/langs/nl_NL/projects.lang index 16fa0f84f88..e6dc26a72c0 100644 --- a/htdocs/langs/nl_NL/projects.lang +++ b/htdocs/langs/nl_NL/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projectcontacten ProjectsImContactFor=Projecten waarvoor ik expliciet contactpersoon ben AllAllowedProjects=Alle projecten die ik kan lezen (mine + public) AllProjects=Alle projecten -MyProjectsDesc=Deze weergave is beperkt tot projecten waarvan u een contactpersoon bent +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Deze weergave toont alle projecten waarvoor u gerechtigd bent deze in te zien. TasksOnProjectsPublicDesc=Dit overzicht laat alle taken zien van projecten waarvoor u gemachtigd bent. ProjectsPublicTaskDesc=Deze weergave toont alle projecten en taken die je mag lezen. ProjectsDesc=Deze weergave toont alle projecten (Uw gebruikersrechten staan het u toe alles in te zien). TasksOnProjectsDesc=Dit overzicht laat alle projecten en alle taken zien (uw gebruikers-rechten geven u hiervoor toestemming). -MyTasksDesc=Deze weergave is beperkt tot projecten of taken waarvoor u een contactpersoon bent +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Alleen projecten in bewerking zijn zichtbaar (projecten in concept of gesloten status zijn niet zichtbaar). ClosedProjectsAreHidden=Gesloten projecten zijn niet zichtbaar. TasksPublicDesc=Deze weergave toont alle projecten en taken die u mag inzien. TasksDesc=Deze weergave toont alle projecten en taken (Uw gebruikersrechten staan het u toe alles in te zien). AllTaskVisibleButEditIfYouAreAssigned=Alle taken voor gekwalificeerde projecten zijn zichtbaar, maar u kunt alleen tijd invoeren voor de taak die aan de geselecteerde gebruiker is toegewezen. Wijs een taak toe als u er tijd op wilt invoeren. -OnlyYourTaskAreVisible=Alleen taken die aan u zijn toegewezen, zijn zichtbaar. Wijs een taak aan uzelf toe als deze niet zichtbaar is en u er tijd in wilt invoeren. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Taken bij projecten ProjectCategories=Labels/categorieën projecten NewProject=Nieuw project @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Niet toegewezen aan de taak NoUserAssignedToTheProject=Geen gebruikers toegewezen aan dit project TimeSpentBy=Tijd doorgebracht door TasksAssignedTo=Taken toegekend aan -AssignTaskToMe=Taak aan mij toewijzen +AssignTaskToMe=Assign task to myself AssignTaskToUser=Ken taak toe aan %s SelectTaskToAssign=Selecteer taak om toe te wijzen ... AssignTask=Toewijzen diff --git a/htdocs/langs/nl_NL/recruitment.lang b/htdocs/langs/nl_NL/recruitment.lang index 4ad441ecff0..297d3335457 100644 --- a/htdocs/langs/nl_NL/recruitment.lang +++ b/htdocs/langs/nl_NL/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Bedankt voor je aanmelding.
... JobClosedTextCandidateFound=De vacature is gesloten. De functie is vervuld. JobClosedTextCanceled=De vacature is gesloten. ExtrafieldsJobPosition=Complementaire attributen (functieposities) -ExtrafieldsCandidatures=Aanvullende attributen (sollicitaties) +ExtrafieldsApplication=Aanvullende attributen (sollicitaties) MakeOffer=Doe een aanbod diff --git a/htdocs/langs/nl_NL/sendings.lang b/htdocs/langs/nl_NL/sendings.lang index b16b9726c7d..ec3734cae7b 100644 --- a/htdocs/langs/nl_NL/sendings.lang +++ b/htdocs/langs/nl_NL/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Weet u zeker dat u deze zending wilt valideren met als re ConfirmCancelSending=Weet u zeker dat u deze verzending wilt annuleren? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Waarschuwing, geen producten die op verzending wachten. -StatsOnShipmentsOnlyValidated=Statistiek op verzendingen die bevestigd zijn. Datum is de datum van bevestiging van de verzending (geplande leverdatum is niet altijd bekend). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Verwachte leverdatum RefDeliveryReceipt=Ref-ontvangstbewijs StatusReceipt=Status ontvangstbevestiging diff --git a/htdocs/langs/nl_NL/stocks.lang b/htdocs/langs/nl_NL/stocks.lang index bdbeef3b7d2..5ff151d9fd7 100644 --- a/htdocs/langs/nl_NL/stocks.lang +++ b/htdocs/langs/nl_NL/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Geen vooraf ingestelde producten voor dit object. DispatchVerb=Verzending StockLimitShort=Alarm limiet StockLimit=Alarm voorraadlimiet -StockLimitDesc=Geen melding bij geen voorraad.
0 kan worden gebruikt om te waarschuwen zodra er geen voorraad meer is. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Fysieke voorraad RealStock=Werkelijke voorraad RealStockDesc=Fysieke/echte voorraad is de voorraad die momenteel in de magazijnen aanwezig is. diff --git a/htdocs/langs/nl_NL/users.lang b/htdocs/langs/nl_NL/users.lang index 3866d958572..4dbce720f65 100644 --- a/htdocs/langs/nl_NL/users.lang +++ b/htdocs/langs/nl_NL/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Wachtwoord gewijzigd in: %s SubjectNewPassword=Uw nieuw wachtwoord voor %s GroupRights=Groepsrechten UserRights=Gebruikersrechten +Credentials=Credentials UserGUISetup=Gebruikersweergave instellen DisableUser=Uitschakelen DisableAUser=Schakel de gebruikertoegang uit @@ -105,7 +106,7 @@ UseTypeFieldToChange=Gebruik het veld Type om te veranderen OpenIDURL=OpenID URL LoginUsingOpenID=Gebruik OpenID om in te loggen WeeklyHours=Gewerkte uren (per week) -ExpectedWorkedHours=Verwachte gewerkte uren per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Kleur van de gebruiker DisabledInMonoUserMode=Uitgeschakeld in onderhoudsmodus UserAccountancyCode=Gebruiker accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Datum indiensttreding DateEmployment=Werkgelegenheid DateEmploymentstart=Startdatum dienstverband DateEmploymentEnd=Einddatum dienstverband -RangeOfLoginValidity=Datumbereik van inloggeldigheid +RangeOfLoginValidity=Access validity date range CantDisableYourself=U kunt uw eigen gebruikersrecord niet uitschakelen ForceUserExpenseValidator=Validatierapport valideren ForceUserHolidayValidator=Forceer verlofaanvraag validator diff --git a/htdocs/langs/nl_NL/website.lang b/htdocs/langs/nl_NL/website.lang index 8dc5e4b9675..f75e622fc9b 100644 --- a/htdocs/langs/nl_NL/website.lang +++ b/htdocs/langs/nl_NL/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Definieer een lijst van alle beschik GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/nl_NL/workflow.lang b/htdocs/langs/nl_NL/workflow.lang index 5aaea7ee12d..d5d7ffe6155 100644 --- a/htdocs/langs/nl_NL/workflow.lang +++ b/htdocs/langs/nl_NL/workflow.lang @@ -16,10 +16,10 @@ descWORKFLOW_ORDER_CLASSIFY_SHIPPED_SHIPPING=Classificeer gekoppelde bronverkoop # Autoclassify purchase order descWORKFLOW_ORDER_CLASSIFY_BILLED_SUPPLIER_PROPOSAL=Classificeer het gekoppelde bronvoorstel als gefactureerd wanneer de leveranciersfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van het gekoppelde voorstel) descWORKFLOW_INVOICE_AMOUNT_CLASSIFY_BILLED_SUPPLIER_ORDER=Classificeer gekoppelde inkooporder als gefactureerd wanneer leveranciersfactuur is gevalideerd (en als het factuurbedrag gelijk is aan het totale bedrag van de gekoppelde order) -descWORKFLOW_BILL_ON_RECEPTION=Classificeer ontvangsten als "gefactureerd" wanneer een gekoppelde leveranciersorder wordt gevalideerd +descWORKFLOW_BILL_ON_RECEPTION=Classificeer ontvangsten als "gefactureerd" wanneer een gekoppelde inkooporder wordt gevalideerd # Autoclose intervention descWORKFLOW_TICKET_CLOSE_INTERVENTION=Sluit alle interventies die aan het ticket zijn gekoppeld wanneer een ticket is gesloten AutomaticCreation=Automatisch aanmaken AutomaticClassification=Automatisch classificeren # Autoclassify shipment -descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classify linked source shipment as closed when customer invoice is validated +descWORKFLOW_SHIPPING_CLASSIFY_CLOSED_INVOICE=Classificeer gekoppelde bronzending als gesloten wanneer de klant factuur wordt gevalideerd diff --git a/htdocs/langs/nl_NL/zapier.lang b/htdocs/langs/nl_NL/zapier.lang index f36e42cd18a..8d428e4c0dc 100644 --- a/htdocs/langs/nl_NL/zapier.lang +++ b/htdocs/langs/nl_NL/zapier.lang @@ -14,8 +14,8 @@ # along with this program. If not, see . ModuleZapierForDolibarrName = Zapier voor Dolibarr -ModuleZapierForDolibarrDesc = Zapier voor Dolibarr-module +ModuleZapierForDolibarrDesc = Zapier voor Dolibarr module ZapierForDolibarrSetup=Installatie van Zapier voor Dolibarr ZapierDescription=Interface met Zapier -ZapierAbout=About the module Zapier -ZapierSetupPage=There is no need for a setup on Dolibarr side to use Zapier. However, you must generate and publish a package on zapier to be able to use Zapier with Dolibarr. See documentation on this wiki page. +ZapierAbout=Over de module Zapier +ZapierSetupPage=Het is niet nodig om een setup uit te voeren in Dolibarr om Zapier te gebruiken. Echter, je moet een package genereren en publiceren op zapier om in staat te zijn om Zapier met Dolibarr te gebruiken. Zie ook de documentatie op deze wiki pagina. diff --git a/htdocs/langs/pl_PL/accountancy.lang b/htdocs/langs/pl_PL/accountancy.lang index dab89cc501b..be7022e275e 100644 --- a/htdocs/langs/pl_PL/accountancy.lang +++ b/htdocs/langs/pl_PL/accountancy.lang @@ -202,7 +202,7 @@ Docref=Odniesienie LabelAccount=Etykieta konta LabelOperation=Operacja na etykiecie Sens=Kierunek -AccountingDirectionHelp=W przypadku konta księgowego klienta użyj opcji Kredyt, aby zarejestrować otrzymaną płatność
W przypadku konta księgowego dostawcy użyj polecenia Debet, aby zarejestrować dokonaną płatność +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Kod literowy Lettering=Literowanie Codejournal=Dziennik @@ -297,7 +297,7 @@ NoNewRecordSaved=Koniec z zapisem do dziennika ListOfProductsWithoutAccountingAccount=Lista produktów nie dowiązanych do żadnego konta księgowego ChangeBinding=Zmień dowiązanie Accounted=Rozliczone w księdze -NotYetAccounted=Jeszcze nie uwzględnione w księdze +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Pokaż Poradnik NotReconciled=Nie pogodzono się WarningRecordWithoutSubledgerAreExcluded=Ostrzeżenie, wszystkie operacje bez zdefiniowanego konta księgi podrzędnej są filtrowane i wykluczane z tego widoku diff --git a/htdocs/langs/pl_PL/admin.lang b/htdocs/langs/pl_PL/admin.lang index d3f0e57c684..3a5510ec118 100644 --- a/htdocs/langs/pl_PL/admin.lang +++ b/htdocs/langs/pl_PL/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Usuń/zmień nazwę pliku %s o ile istnieje, aby umożliwić k RestoreLock=Przywróć plik %s o uprawnieniach tylko do odczytu, aby wyłączyć dalsze korzystanie z narzędzia Aktualizuj/Instaluj. SecuritySetup=Ustawienia bezpieczeństwa PHPSetup=Ustawienia PHP +OSSetup=OS setup SecurityFilesDesc=Zdefiniuj tutaj opcje związane z bezpieczeństwem przesyłania plików. ErrorModuleRequirePHPVersion=Błąd ten moduł wymaga PHP w wersji %s lub większej ErrorModuleRequireDolibarrVersion=Błąd ten moduł wymaga Dolibarr wersji %s lub większej @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Nie proponuj NoActiveBankAccountDefined=Brak zdefiniowanego aktywnego konta bankowego OwnerOfBankAccount=Właściciel konta bankowego %s BankModuleNotActive=Moduł Rachunków bankowych jest nie aktywny -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alarmy DelaysOfToleranceBeforeWarning=Opóźnienie przed wyświetleniem ostrzeżenia dotyczącego: DelaysOfToleranceDesc=Ustaw opóźnienie, zanim ikona alertu %s zostanie wyświetlona na ekranie dla późnego elementu. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Należy uruchomić to polecenie YourPHPDoesNotHaveSSLSupport=funkcji SSL nie są dostępne w PHP DownloadMoreSkins=Więcej skórek do pobrania SimpleNumRefModelDesc=Zwraca numer referencyjny w formacie %syymm-nnnn, gdzie rr to rok, mm to miesiąc, a nnnn to sekwencyjna liczba automatycznie zwiększająca się bez resetowania +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Pokaż identyfikator zawodowy z adresami ShowVATIntaInAddress=Ukryj wewnątrzwspólnotowy numer VAT wraz z adresami TranslationUncomplete=Częściowe tłumaczenie @@ -2062,7 +2064,7 @@ UseDebugBar=Użyj paska debugowania DEBUGBAR_LOGS_LINES_NUMBER=Liczba ostatnich wierszy dziennika do zachowania w konsoli WarningValueHigherSlowsDramaticalyOutput=Ostrzeżenie, wyższe wartości dramatycznie spowalniają produkcję ModuleActivated=Moduł %s jest aktywowany i spowalnia interfejs -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=W środowisku produkcyjnym należy ustawić tę właściwość na %s. AntivirusEnabledOnUpload=Antywirus włączony na przesyłanych plikach @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/pl_PL/banks.lang b/htdocs/langs/pl_PL/banks.lang index c7266ccdbbc..033e4f2f9e5 100644 --- a/htdocs/langs/pl_PL/banks.lang +++ b/htdocs/langs/pl_PL/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Płatność za ZUS/podatek BankTransfer=Transfer kredytowy BankTransfers=Polecenia przelewu MenuBankInternalTransfer=Przelew wewnętrzny -TransferDesc=Przelew z jednego konta na drugie, Dolibarr zapisze dwa rekordy (obciążenie na koncie źródłowym i kredyt na koncie docelowym). Ta sama kwota (oprócz znaku), etykieta i data zostaną użyte dla tej transakcji) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Od TransferTo=Do TransferFromToDone=Transfer z %s do %s %s %s został zapisany. CheckTransmitter=Nadawca ValidateCheckReceipt=Potwierdzić potwierdzenie tego czeku? -ConfirmValidateCheckReceipt=Czy na pewno chcesz potwierdzić to pokwitowanie czeku? Gdy to zrobisz, żadna zmiana nie będzie możliwa? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Usunąć to pokwitowanie czeku? ConfirmDeleteCheckReceipt=Czy na pewno chcesz usunąć to pokwitowanie czeku? BankChecks=Czeki bankowe @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Czy jesteś pewien, że chcesz usunąć te wpis? ThisWillAlsoDeleteBankRecord=To usunie wygenerowany wpis bankowy BankMovements=Ruchy PlannedTransactions=Zaplanowane wpisy -Graph=Grafika +Graph=Graphs ExportDataset_banque_1=Wpisy bankowe i stan konta ExportDataset_banque_2=Odcinek wpłaty TransactionOnTheOtherAccount=Transakcja na inne konta @@ -142,7 +142,7 @@ AllAccounts=Wszystkie rachunki bankowe i gotówkowe BackToAccount=Powrót do konta ShowAllAccounts=Pokaż wszystkie konta FutureTransaction=Przyszła transakcja. Nie można się pogodzić. -SelectChequeTransactionAndGenerate=Wybierz / filtruj czeki, które mają zostać uwzględnione w potwierdzeniu wpłaty czeku, i kliknij „Utwórz”. +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Wybierz wyciąg bankowy związany z postępowania pojednawczego. Użyj schematu: RRRRMM lub RRRRMMDD EventualyAddCategory=Ostatecznie, określić kategorię, w której sklasyfikować rekordy ToConciliate=Do zaksięgowania? diff --git a/htdocs/langs/pl_PL/bills.lang b/htdocs/langs/pl_PL/bills.lang index 9bd60005f52..8929f1a8b29 100644 --- a/htdocs/langs/pl_PL/bills.lang +++ b/htdocs/langs/pl_PL/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Zamień zapłaconą nadwyżkę na dostępny rabat EnterPaymentReceivedFromCustomer=Wprowadź płatność otrzymaną od klienta EnterPaymentDueToCustomer=Dokonaj płatności dla klienta DisabledBecauseRemainderToPayIsZero=Nieaktywne, ponieważ upływająca nieopłacona kwota wynosi zero -PriceBase=Cena podstawowa +PriceBase=Base price BillStatus=Status faktury StatusOfGeneratedInvoices=Status generowanych faktur BillStatusDraft=Projekt (musi zostać zatwierdzone) @@ -454,7 +454,7 @@ RegulatedOn=Regulowane ChequeNumber=Czek N ChequeOrTransferNumber=Cheque / Transferu N ChequeBordereau=Sprawdź harmonogram -ChequeMaker=Sprawdź nadajnik / transferu +ChequeMaker=Check/Transfer sender ChequeBank=Bank czek CheckBank=Sprawdź NetToBePaid=Netto do wypłaty diff --git a/htdocs/langs/pl_PL/boxes.lang b/htdocs/langs/pl_PL/boxes.lang index f7873c1874d..890e5e1e4b3 100644 --- a/htdocs/langs/pl_PL/boxes.lang +++ b/htdocs/langs/pl_PL/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Zakładki: najnowsze %s BoxOldestExpiredServices=Najstarsze aktywne przeterminowane usługi BoxLastExpiredServices=Ostanich %s najstarszych kontaktów z aktywnymi upływającymi usługami BoxTitleLastActionsToDo=Ostatnich %s zadań do zrobienia -BoxTitleLastContracts=Ostatnich %s zmodyfikowanych kontaktów -BoxTitleLastModifiedDonations=Ostatnich %s zmodyfikowanych dotacji -BoxTitleLastModifiedExpenses=Ostatnich %s zmodyfikowanych raportów kosztów -BoxTitleLatestModifiedBoms=Najnowsze zmodyfikowane zestawienia komponentów %s -BoxTitleLatestModifiedMos=Najnowsze %s zmodyfikowane zamówienia produkcyjne +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Klienci z maksymalną zaległością przekroczeni BoxGlobalActivity=Globalna aktywność (faktury, wnioski, zamówienia) BoxGoodCustomers=Dobrzy klienci diff --git a/htdocs/langs/pl_PL/cashdesk.lang b/htdocs/langs/pl_PL/cashdesk.lang index f420c946b3c..6cbc7926e15 100644 --- a/htdocs/langs/pl_PL/cashdesk.lang +++ b/htdocs/langs/pl_PL/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Dodaj ten artykuł RestartSelling=Wróć na sprzedaż SellFinished=Sprzedaż zakończona PrintTicket=Bilet do druku -SendTicket=Send ticket +SendTicket=Wyślij bilet NoProductFound=Artykuł nie znaleziony ProductFound=Znaleziono produkt NoArticle=Brak artykułu @@ -31,96 +31,100 @@ ShowCompany=Pokaż firmę ShowStock=Pokaż magazyn DeleteArticle=Kliknij, aby usunąć ten artykuł FilterRefOrLabelOrBC=Szukaj (Ref / Label) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. +UserNeedPermissionToEditStockToUsePos=Prosisz o zmniejszenie zapasów przy tworzeniu faktury, więc użytkownik korzystający z POS musi mieć uprawnienia do edycji zapasów. DolibarrReceiptPrinter=Drukarka fiskalna Dolibarr -PointOfSale=Point of Sale +PointOfSale=Punkt sprzedaży PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor -AddTable=Add table -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers -SearchProduct=Search product +CloseBill=Zamknij Bill +Floors=Podłogi +Floor=Podłoga +AddTable=Dodaj tabelę +Place=Miejsce +TakeposConnectorNecesary=Wymagane jest „złącze TakePOS” +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: +SearchProduct=Wyszukaj produkt Receipt=Odbiór -Header=Header -Footer=Footer -AmountAtEndOfPeriod=Amount at end of period (day, month or year) -TheoricalAmount=Theorical amount -RealAmount=Real amount -CashFence=Cash desk closing -CashFenceDone=Cash desk closing done for the period +Header=nagłówek +Footer=Stopka +AmountAtEndOfPeriod=Kwota na koniec okresu (dzień, miesiąc lub rok) +TheoricalAmount=Kwota teoretyczna +RealAmount=Prawdziwa kwota +CashFence=Zamknięcie kasy +CashFenceDone=Zamknięcie kasy wykonane na okres NbOfInvoices=Ilość faktur -Paymentnumpad=Type of Pad to enter payment +Paymentnumpad=Typ podkładki do wprowadzenia płatności 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|receipts -AutoPrintTickets=Automatically print tickets|receipts -PrintCustomerOnReceipts=Print customer on tickets|receipts -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 ? +BillsCoinsPad=Monety i banknoty Pad +DolistorePosCategory=Moduły TakePOS i inne rozwiązania POS dla Dolibarr +TakeposNeedsCategories=TakePOS potrzebuje co najmniej jednej kategorii produktów do działania +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS potrzebuje co najmniej 1 kategorii produktów z kategorii %s do działania +OrderNotes=Can add some notes to each ordered items +CashDeskBankAccountFor=Domyślne konto używane do płatności w +NoPaimementModesDefined=W konfiguracji TakePOS nie zdefiniowano trybu płatności +TicketVatGrouped=Grupowy podatek VAT według stawki w biletach | paragonach +AutoPrintTickets=Automatycznie drukuj bilety | paragony +PrintCustomerOnReceipts=Wydrukuj klienta na biletach | paragonach +EnableBarOrRestaurantFeatures=Włącz funkcje baru lub restauracji +ConfirmDeletionOfThisPOSSale=Czy potwierdzasz usunięcie bieżącej sprzedaży? +ConfirmDiscardOfThisPOSSale=Czy chcesz odrzucić tę bieżącą sprzedaż? History=Historia -ValidateAndClose=Validate and close +ValidateAndClose=Zatwierdź i zamknij Terminal=Terminal -NumberOfTerminals=Number of Terminals -TerminalSelect=Select terminal you want to use: -POSTicket=POS Ticket -POSTerminal=POS Terminal -POSModule=POS Module -BasicPhoneLayout=Use basic layout for phones -SetupOfTerminalNotComplete=Setup of terminal %s is not complete -DirectPayment=Direct payment -DirectPaymentButton=Add a "Direct cash payment" button -InvoiceIsAlreadyValidated=Invoice is already validated -NoLinesToBill=No lines to bill -CustomReceipt=Custom Receipt -ReceiptName=Receipt Name -ProductSupplements=Product Supplements -SupplementCategory=Supplement category -ColorTheme=Color theme -Colorful=Colorful +NumberOfTerminals=Liczba terminali +TerminalSelect=Wybierz terminal, którego chcesz użyć: +POSTicket=Bilet POS +POSTerminal=Terminal POS +POSModule=Moduł POS +BasicPhoneLayout=Użyj podstawowego układu dla telefonów +SetupOfTerminalNotComplete=Konfiguracja terminala %s nie została zakończona +DirectPayment=Płatność bezpośrednia +DirectPaymentButton=Dodaj przycisk „Bezpośrednia płatność gotówkowa” +InvoiceIsAlreadyValidated=Faktura jest już zweryfikowana +NoLinesToBill=Brak linii do rozliczenia +CustomReceipt=Odbiór niestandardowy +ReceiptName=Nazwa paragonu +ProductSupplements=Manage supplements of products +SupplementCategory=Kategoria suplementu +ColorTheme=Motyw kolorystyczny +Colorful=Kolorowy HeadBar=Head Bar -SortProductField=Field for sorting products +SortProductField=Pole do sortowania produktów Browser=Przeglądarka -BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. -TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. -PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. -ByTerminal=By terminal -TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad -CashDeskRefNumberingModules=Numbering module for POS sales -CashDeskGenericMaskCodes6 =
{TN} tag is used to add the terminal number -TakeposGroupSameProduct=Group same products lines -StartAParallelSale=Start a new parallel sale -SaleStartedAt=Sale started at %s -ControlCashOpening=Control cash popup at opening POS -CloseCashFence=Close cash desk control -CashReport=Cash report -MainPrinterToUse=Main printer to use -OrderPrinterToUse=Order printer to use -MainTemplateToUse=Main template to use -OrderTemplateToUse=Order template to use -BarRestaurant=Bar Restaurant -AutoOrder=Order by the customer himself +BrowserMethodDescription=Proste i łatwe drukowanie paragonów. Tylko kilka parametrów do skonfigurowania paragonu. Drukuj przez przeglądarkę. +TakeposConnectorMethodDescription=Moduł zewnętrzny z dodatkowymi funkcjami. Możliwość drukowania z chmury. +PrintMethod=Metoda drukowania +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). +ByTerminal=Terminalem +TakeposNumpadUsePaymentIcon=Użyj ikony zamiast tekstu na przyciskach płatności na klawiaturze numerycznej +CashDeskRefNumberingModules=Moduł numeracji dla sprzedaży POS +CashDeskGenericMaskCodes6 =
{TN} służy do dodania numeru terminala +TakeposGroupSameProduct=Grupuj te same linie produktów +StartAParallelSale=Rozpocznij nową sprzedaż równoległą +SaleStartedAt=Sprzedaż rozpoczęła się od %s +ControlCashOpening=Kontroluj wyskakujące okienko gotówki przy otwieraniu punktu sprzedaży +CloseCashFence=Zamknij kontrolę kasową +CashReport=Raport kasowy +MainPrinterToUse=Główna drukarka do użycia +OrderPrinterToUse=Zamów drukarkę do użytku +MainTemplateToUse=Główny szablon do użycia +OrderTemplateToUse=Zamów szablon do użycia +BarRestaurant=Bar Restauracja +AutoOrder=Zamów przez samego klienta RestaurantMenu=Menu -CustomerMenu=Customer menu -ScanToMenu=Scan QR code to see the menu -ScanToOrder=Scan QR code to order -Appearance=Appearance -HideCategoryImages=Hide Category Images -HideProductImages=Hide Product Images -NumberOfLinesToShow=Number of lines of images to show -DefineTablePlan=Define tables plan -GiftReceiptButton=Add a "Gift receipt" button -GiftReceipt=Gift receipt -ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled first -AllowDelayedPayment=Allow delayed payment -PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts -WeighingScale=Weighing scale +CustomerMenu=Menu klienta +ScanToMenu=Zeskanuj kod QR, aby zobaczyć menu +ScanToOrder=Zeskanuj kod QR, aby zamówić +Appearance=Wygląd +HideCategoryImages=Ukryj obrazy kategorii +HideProductImages=Ukryj zdjęcia produktów +NumberOfLinesToShow=Liczba wierszy obrazów do pokazania +DefineTablePlan=Zdefiniuj plan tabel +GiftReceiptButton=Dodaj przycisk „Potwierdzenie prezentu” +GiftReceipt=Odbiór prezentu +ModuleReceiptPrinterMustBeEnabled=Najpierw musi być włączona drukarka pokwitowań modułu +AllowDelayedPayment=Zezwalaj na opóźnioną płatność +PrintPaymentMethodOnReceipts=Wydrukuj metodę płatności na biletach | paragonach +WeighingScale=Skalę ważenia +ShowPriceHT = Wyświetl cenę bez podatku +ShowPriceHTOnReceipt = Wyświetl cenę bez podatku na paragonie diff --git a/htdocs/langs/pl_PL/categories.lang b/htdocs/langs/pl_PL/categories.lang index 61f1d5332cd..c81bbd8dd60 100644 --- a/htdocs/langs/pl_PL/categories.lang +++ b/htdocs/langs/pl_PL/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag / Kategoria Rubriques=Tagi / Kategorie RubriquesTransactions=Tagi / kategorie transakcji categories=tagi/kategorie -NoCategoryYet=Dla tego typu nie utworzono tagu/kategorii +NoCategoryYet=No tag/category of this type has been created In=W AddIn=Dodaj w modify=modyfikować Classify=Klasyfikacja CategoriesArea=Tagi / obszar Kategorie -ProductsCategoriesArea=Produkty / Usługi tagi / obszar kategorie -SuppliersCategoriesArea=Obszar tagów / kategorii dostawców -CustomersCategoriesArea=Klienci tagi / obszar kategorie -MembersCategoriesArea=Użytkownicy tagi / obszar kategorie -ContactsCategoriesArea=Kontakt tagi / obszar kategorie -AccountsCategoriesArea=Obszar tagów / kategorii rachunków bankowych -ProjectsCategoriesArea=Obszar tagów / kategorii projektów -UsersCategoriesArea=Obszar znaczników/kategorii użytkowników +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Podkategorie CatList=Lista tagów / kategorii CatListAll=Lista tagów / kategorii (wszystkie typy) @@ -96,4 +96,4 @@ ChooseCategory=Wybrane kategorie StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Kategorie kontenerów stron -UseOrOperatorForCategories=Użyj lub operator dla kategorii +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/pl_PL/companies.lang b/htdocs/langs/pl_PL/companies.lang index 23ec198bec8..230a3becdd6 100644 --- a/htdocs/langs/pl_PL/companies.lang +++ b/htdocs/langs/pl_PL/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Nazwa firmy %s już istnieje. Wybierz inną. ErrorSetACountryFirst=Najpierw wybierz kraj SelectThirdParty=Wybierz kontrahenta -ConfirmDeleteCompany=Czy jesteś pewien, ze chcesz usunąć tą firmę i wszystkie zawarte informacje? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Usuń kontakt/adres -ConfirmDeleteContact=Czy jesteś pewien, ze chcesz usunąć ten kontakt i wszystkie zawarte informacje? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Nowy kontrahent MenuNewCustomer=Nowy klient MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Zadzwoń Chat=Czat -PhonePro=Telefonu służbowy +PhonePro=Bus. phone PhonePerso=Telefon prywatny PhoneMobile=Telefon komórkowy No_Email=Odrzuć masowe wysyłanie e-maili @@ -331,7 +331,7 @@ CustomerCodeDesc=Kod klienta, unikalny dla wszystkich klientów SupplierCodeDesc=Kod dostawcy, unikalny dla wszystkich dostawców RequiredIfCustomer=Wymagane, jeżeli Kontrahent jest klientem lub potencjalnym klientem RequiredIfSupplier=Wymagane jeżeli kontrahent jest dostawcą -ValidityControledByModule=Ważność kontrolowana przez moduł +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Zasady dla tego modułu ProspectToContact=Potencjalny Klient do kontaktu CompanyDeleted=Firma " %s" usunięta z bazy danych. @@ -439,12 +439,12 @@ ListSuppliersShort=Lista sprzedawców ListProspectsShort=Lista perspektyw ListCustomersShort=Lista klientów ThirdPartiesArea=Osoby trzecie / kontakty -LastModifiedThirdParties=Najnowsze %s zmodyfikowane strony trzecie -UniqueThirdParties=Łączna liczba stron trzecich +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Otwarte ActivityCeased=Zamknięte ThirdPartyIsClosed=Kontrahent jest zamknięty -ProductsIntoElements=Lista produktów/usług w %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Biężący, niezapłacony rachunek OutstandingBill=Maksymalna kwota niezapłaconego rachunku OutstandingBillReached=Maksymalna kwota dla niespłaconych rachunków osiągnięta @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Dowolny kod Klienta / Dostawcy. Ten kod może być modyfi ManagingDirectors=Funkcja(e) managera (prezes, dyrektor generalny...) MergeOriginThirdparty=Duplikuj kontrahenta (kontrahenta, którego chcesz usunąć) MergeThirdparties=Scal kontrahentów -ConfirmMergeThirdparties=Czy na pewno chcesz scalić tę firmę zewnętrzną z obecną? Wszystkie połączone obiekty (faktury, zamówienia, ...) zostaną przeniesione do bieżącej strony trzeciej, a następnie strona trzecia zostanie usunięta. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Strony trzecie zostały połączone SaleRepresentativeLogin=Login przedstawiciela handlowego SaleRepresentativeFirstname=Imię przedstawiciela handlowego diff --git a/htdocs/langs/pl_PL/compta.lang b/htdocs/langs/pl_PL/compta.lang index b71f9c0776d..bd6d36178ed 100644 --- a/htdocs/langs/pl_PL/compta.lang +++ b/htdocs/langs/pl_PL/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nowe zniżki NewCheckDeposit=Nowe sprawdzić depozytu NewCheckDepositOn=Nowe sprawdzić depozytu na konto: %s NoWaitingChecks=Brak czeków oczekujących na wpłatę. -DateChequeReceived=Data rejestracji czeku +DateChequeReceived=Check receiving date NbOfCheques=Liczba czeków PaySocialContribution=Zapłać ZUS/podatek PayVAT=Zapłać deklarację VAT diff --git a/htdocs/langs/pl_PL/ecm.lang b/htdocs/langs/pl_PL/ecm.lang index b39489425ce..d82c3efa109 100644 --- a/htdocs/langs/pl_PL/ecm.lang +++ b/htdocs/langs/pl_PL/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Pliki Extrafields Ecm ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=Konfiguracja ECM GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/pl_PL/errors.lang b/htdocs/langs/pl_PL/errors.lang index 826b8bb629f..5f372102c73 100644 --- a/htdocs/langs/pl_PL/errors.lang +++ b/htdocs/langs/pl_PL/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Nie ma błędu, zobowiązujemy # Errors ErrorButCommitIsDone=Znalezione błędy, ale mimo to możemy potwierdzić -ErrorBadEMail=E-mail %s jest nieprawidłowy -ErrorBadMXDomain=E-mail %s wydaje się nieprawidłowy (domena nie ma prawidłowego rekordu MX) -ErrorBadUrl=Url %s jest błędny +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Zła wartość parametru. Zazwyczaj dołącza się, gdy brakuje tłumaczenia. ErrorRefAlreadyExists=Odniesienie %s już istnieje. ErrorLoginAlreadyExists=Zaloguj %s już istnieje. @@ -46,8 +46,8 @@ ErrorWrongDate=Data nie jest poprawna! ErrorFailedToWriteInDir=Nie można zapisać w katalogu %s ErrorFoundBadEmailInFile=Znaleziono nieprawidłową składnię adresu email dla %s linii w pliku (przykładowo linia %s z adresem email %s) ErrorUserCannotBeDelete=Nie można usunąć użytkownika. Może jest to związane z podmiotami Dolibarr. -ErrorFieldsRequired=Niektóre pola wymagane nie były uzupełnione. -ErrorSubjectIsRequired=Temat wiadomości jest wymagany +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Nie można utworzyć katalogu. Sprawdź, czy serwer WWW użytkownik ma uprawnienia do zapisu do katalogu dokumentów Dolibarr. Jeśli parametr safe_mode jest włączona w tym PHP, czy posiada Dolibarr php pliki do serwera internetowego użytkownika (lub grupy). ErrorNoMailDefinedForThisUser=Nie określono adresu email dla tego użytkownika ErrorSetupOfEmailsNotComplete=Konfiguracja e-maili nie została zakończona @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Strona/kontener %s ErrorDuringChartLoad=Błąd podczas ładowania planu kont. Jeśli kilka kont nie zostało załadowanych, nadal możesz wprowadzić je ręcznie. ErrorBadSyntaxForParamKeyForContent=Zła składnia parametru keyforcontent. Musi mieć wartość zaczynającą się od %s lub %s ErrorVariableKeyForContentMustBeSet=Błąd, należy ustawić stałą o nazwie %s (z treścią tekstową do wyświetlenia) lub %s (z zewnętrznym adresem URL do wyświetlenia). +ErrorURLMustEndWith=URL %s must end %s ErrorURLMustStartWithHttp=URL %s musi zaczynać się od http: // lub https: // ErrorHostMustNotStartWithHttp=Nazwa hosta %s NIE może zaczynać się od http: // lub https: // ErrorNewRefIsAlreadyUsed=Błąd, nowe odniesienie jest już używane @@ -296,3 +297,4 @@ WarningAvailableOnlyForHTTPSServers=Dostępne tylko w przypadku korzystania z be WarningModuleXDisabledSoYouMayMissEventHere=Moduł %s nie został włączony. Możesz więc przegapić wiele wydarzeń tutaj. ErrorActionCommPropertyUserowneridNotDefined=Właściciel użytkownika jest wymagany ErrorActionCommBadType=Wybrany typ zdarzenia (id: %n, kod: %s) nie istnieje w słowniku typów zdarzeń +CheckVersionFail=Version check fail diff --git a/htdocs/langs/pl_PL/eventorganization.lang b/htdocs/langs/pl_PL/eventorganization.lang new file mode 100644 index 00000000000..0f40e7ef18c --- /dev/null +++ b/htdocs/langs/pl_PL/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Ustawienia +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Szkic +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Zrobione +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/pl_PL/knowledgemanagement.lang b/htdocs/langs/pl_PL/knowledgemanagement.lang new file mode 100644 index 00000000000..00220dab02a --- /dev/null +++ b/htdocs/langs/pl_PL/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Ustawienia +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = O +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artykuł +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/pl_PL/mails.lang b/htdocs/langs/pl_PL/mails.lang index 54209fa28ee..2185ec0745c 100644 --- a/htdocs/langs/pl_PL/mails.lang +++ b/htdocs/langs/pl_PL/mails.lang @@ -11,16 +11,16 @@ MailFrom=Nadawca MailErrorsTo=Błędów do MailReply=Odpowiedz do MailTo=Odbiorca(y) -MailToUsers=To user(s) +MailToUsers=Do użytkownika (ów) MailCC=Kopiuj do -MailToCCUsers=Copy to users(s) +MailToCCUsers=Kopiuj dla użytkowników MailCCC=Kopi w pamięci do -MailTopic=Email topic +MailTopic=Email subject MailText=Wiadomość MailFile=Dołączone pliki MailMessage=Zawartość emaila -SubjectNotIn=Not in Subject -BodyNotIn=Not in Body +SubjectNotIn=Nie w temacie +BodyNotIn=Nie w ciele ShowEMailing=Pokaż mailingi ListOfEMailings=Lista mailingów NewMailing=Nowy mailing @@ -39,76 +39,76 @@ MailingStatusSentPartialy=Wyślij częściowo MailingStatusSentCompletely=Wysłane całkowicie MailingStatusError=Błąd MailingStatusNotSent=Nie wysłano -MailSuccessfulySent=Email (from %s to %s) successfully accepted for delivery +MailSuccessfulySent=E-mail (od %s do %s) został pomyślnie zaakceptowany do dostarczenia MailingSuccessfullyValidated=Mailing pomyślnie zweryfikowany MailUnsubcribe=Wypisz MailingStatusNotContact=Nie kontaktuj się więcej MailingStatusReadAndUnsubscribe=Przeczytaj i wypisz się z subskrybcji ErrorMailRecipientIsEmpty=Odbiorca maila jest pusty WarningNoEMailsAdded=Brak nowych wiadomości mail, aby dodać adres do listy. -ConfirmValidMailing=Are you sure you want to validate this emailing? -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? -ConfirmDeleteMailing=Are you sure you want to delete this emailing? -NbOfUniqueEMails=No. of unique emails -NbOfEMails=No. of EMails +ConfirmValidMailing=Czy na pewno chcesz zweryfikować tę wiadomość e-mail? +ConfirmResetMailing=Uwaga, ponownie inicjując wysyłanie wiadomości e-mail %s , zezwolisz na ponowne wysłanie tej wiadomości e-mail w wysyłce zbiorczej. Czy na pewno chcesz to zrobić? +ConfirmDeleteMailing=Czy na pewno chcesz usunąć tę wiadomość e-mail? +NbOfUniqueEMails=Liczba unikalnych e-maili +NbOfEMails=Liczba e-maili TotalNbOfDistinctRecipients=Liczba różnych odbiorców NoTargetYet=Nie określono jeszcze odbiorców (Przejdź na kartę "Odbiorcy") -NoRecipientEmail=No recipient email for %s +NoRecipientEmail=Brak adresu e-mail odbiorcy %s RemoveRecipient=Usuń odbiorcę YouCanAddYourOwnPredefindedListHere=Aby utworzyć swój mail wyboru modułu, patrz htdocs/core/modules/mailings/README. EMailTestSubstitutionReplacedByGenericValues=Podczas korzystania z trybu testowego, podstawienia zmiennych zastępują wartości generycznych MailingAddFile=Dołącz ten plik NoAttachedFiles=Nie załączono plików -BadEMail=Bad value for Email -ConfirmCloneEMailing=Are you sure you want to clone this emailing? +BadEMail=Zła wartość dla e-maila +ConfirmCloneEMailing=Czy na pewno chcesz sklonować tę wiadomość e-mail? CloneContent=Kopia wiadomości CloneReceivers=Skopiuj odbiorców -DateLastSend=Date of latest sending +DateLastSend=Data ostatniego wysłania DateSending=Data wysłania SentTo=Wysłane do %s MailingStatusRead=Czytać -YourMailUnsubcribeOK=The email %s is correctly unsubscribe from mailing list -ActivateCheckReadKey=Key used to encrypt URL used for "Read Receipt" and "Unsubscribe" feature -EMailSentToNRecipients=Email sent to %s recipients. -EMailSentForNElements=Email sent for %s elements. +YourMailUnsubcribeOK=E-mail %s jest poprawnie wypisany z listy mailingowej +ActivateCheckReadKey=Klucz używany do szyfrowania adresu URL używany do funkcji „Potwierdzenie odczytu” i „Anuluj subskrypcję” +EMailSentToNRecipients=E-mail wysłany do %s odbiorców. +EMailSentForNElements=Wiadomość e-mail wysłana dla elementów %s. XTargetsAdded=% s dodany do listy odbiorców docelowych -OnlyPDFattachmentSupported=If the PDF documents were already generated for the objects to send, they will be attached to email. If not, no email will be sent (also, note that only pdf documents are supported as attachments in mass sending in this version). -AllRecipientSelected=The recipients of the %s record selected (if their email is known). -GroupEmails=Group emails -OneEmailPerRecipient=One email per recipient (by default, one email per record selected) -WarningIfYouCheckOneRecipientPerEmail=Warning, if you check this box, it means only one email will be sent for several different record selected, so, if your message contains substitution variables that refers to data of a record, it becomes not possible to replace them. -ResultOfMailSending=Result of mass Email sending -NbSelected=Number selected -NbIgnored=Number ignored -NbSent=Number sent -SentXXXmessages=%s message(s) sent. -ConfirmUnvalidateEmailing=Are you sure you want to change email %s to draft status? -MailingModuleDescContactsWithThirdpartyFilter=Contact with customer filters -MailingModuleDescContactsByCompanyCategory=Contacts by third-party category -MailingModuleDescContactsByCategory=Contacts by categories -MailingModuleDescContactsByFunction=Contacts by position -MailingModuleDescEmailsFromFile=Emails from file -MailingModuleDescEmailsFromUser=Emails input by user -MailingModuleDescDolibarrUsers=Users with Emails -MailingModuleDescThirdPartiesByCategories=Third parties (by categories) -SendingFromWebInterfaceIsNotAllowed=Sending from web interface is not allowed. -EmailCollectorFilterDesc=All filters must match to have an email being collected +OnlyPDFattachmentSupported=Jeśli dokumenty PDF zostały już wygenerowane dla obiektów do wysłania, zostaną załączone do wiadomości e-mail. Jeśli nie, żadna wiadomość e-mail nie zostanie wysłana (należy również pamiętać, że w tej wersji obsługiwane są tylko dokumenty PDF jako załączniki w masowej wysyłce). +AllRecipientSelected=Odbiorcy wybranego rekordu %s (jeśli ich adres e-mail jest znany). +GroupEmails=Grupowe e-maile +OneEmailPerRecipient=Jeden e-mail na odbiorcę (domyślnie jeden e-mail na wybrany rekord) +WarningIfYouCheckOneRecipientPerEmail=Uwaga, jeśli zaznaczysz to pole, oznacza to, że tylko jeden e-mail zostanie wysłany dla kilku różnych wybranych rekordów, więc jeśli twoja wiadomość zawiera zmienne zastępcze, które odnoszą się do danych rekordu, nie będzie można ich zastąpić. +ResultOfMailSending=Wynik masowego wysłania wiadomości e-mail +NbSelected=Wybrano numer +NbIgnored=Liczba zignorowana +NbSent=Numer wysłany +SentXXXmessages=Wysłano wiadomości %s. +ConfirmUnvalidateEmailing=Czy na pewno chcesz zmienić e-mail %s na status wersji roboczej? +MailingModuleDescContactsWithThirdpartyFilter=Kontakt z filtrami klienta +MailingModuleDescContactsByCompanyCategory=Kontakty według kategorii osób trzecich +MailingModuleDescContactsByCategory=Kontakty według kategorii +MailingModuleDescContactsByFunction=Kontakty według pozycji +MailingModuleDescEmailsFromFile=E-maile z pliku +MailingModuleDescEmailsFromUser=E-maile wprowadzone przez użytkownika +MailingModuleDescDolibarrUsers=Użytkownicy z e-mailami +MailingModuleDescThirdPartiesByCategories=Strony trzecie (według kategorii) +SendingFromWebInterfaceIsNotAllowed=Wysyłanie z interfejsu internetowego jest niedozwolone. +EmailCollectorFilterDesc=Aby odebrać e-mail, wszystkie filtry muszą być zgodne # Libelle des modules de liste de destinataires mailing LineInFile=Linia w pliku %s RecipientSelectionModules=Definiowane wnioski dla wybranych odbiorców MailSelectedRecipients=Wybrani odbiorcy MailingArea=Obszar mailingów -LastMailings=Latest %s emailings +LastMailings=Najnowsze wiadomości e-mail %s TargetsStatistics=Celów statystycznych NbOfCompaniesContacts=Unikalne kontakty firm MailNoChangePossible=Odbiorcy dla potwierdzonych mailingów nie mogą być zmienieni SearchAMailing=Szukaj mailingu SendMailing=Wyślij mailing SentBy=Wysłane przez -MailingNeedCommand=Sending an emailing can be performed from command line. Ask your server administrator to launch the following command to send the emailing to all recipients: +MailingNeedCommand=Wysyłanie wiadomości e-mail można wykonać z wiersza poleceń. Poproś administratora serwera o uruchomienie następującego polecenia, aby wysłać wiadomość e-mail do wszystkich odbiorców: MailingNeedCommand2=Możesz jednak wysłać je w sieci poprzez dodanie parametru MAILING_LIMIT_SENDBYWEB o wartości max liczba wiadomości e-mail, który chcesz wysłać przez sesji. -ConfirmSendingEmailing=If you want to send emailing directly from this screen, please confirm you are sure you want to send emailing now from your browser ? +ConfirmSendingEmailing=Jeśli chcesz wysyłać e-maile bezpośrednio z tego ekranu, potwierdź, że na pewno chcesz teraz wysyłać e-maile z przeglądarki? LimitSendingEmailing=Uwaga: Wysyłanie Emailings z interfejsu WWW jest wykonywana w kilku czasach ze względów bezpieczeństwa oraz limitu czasu,% s odbiorców jednocześnie dla każdej sesji wysyłającego. TargetsReset=Wyczyść listę ToClearAllRecipientsClickHere=Aby wyczyścić odbiorców tego e-maila na listę, kliknij przycisk @@ -116,64 +116,64 @@ ToAddRecipientsChooseHere=Aby dodać odbiorców, wybierz w tych wykazach NbOfEMailingsReceived=Masowe mailingi otrzymane NbOfEMailingsSend=Masowe mailingi wysłane IdRecord=ID rekordu -DeliveryReceipt=Delivery Ack. +DeliveryReceipt=Potwierdzenie dostawy. YouCanUseCommaSeparatorForSeveralRecipients=Możesz używać przecinka aby określić kilku odbiorców. TagCheckMail=Obserwuj otwarcie maila TagUnsubscribe=Link do wypisania -TagSignature=Signature of sending user -EMailRecipient=Recipient Email -TagMailtoEmail=Recipient Email (including html "mailto:" link) +TagSignature=Podpis użytkownika wysyłającego +EMailRecipient=Email odbiorcy +TagMailtoEmail=Adres e-mail odbiorcy (w tym link html „mailto:”) NoEmailSentBadSenderOrRecipientEmail=Nie wysłano wiadomości email. Zły email nadawcy lub odbiorcy. Sprawdź profil użytkownika. # Module Notifications Notifications=Powiadomienia -NotificationsAuto=Notifications Auto. -NoNotificationsWillBeSent=No automatic email notifications are planned for this event type and company -ANotificationsWillBeSent=1 automatic notification will be sent by email -SomeNotificationsWillBeSent=%s automatic notifications will be sent by email -AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +NotificationsAuto=Powiadomienia Auto. +NoNotificationsWillBeSent=Dla tego typu wydarzeń i firmy nie są planowane żadne automatyczne powiadomienia e-mail +ANotificationsWillBeSent=1 automatyczne powiadomienie zostanie wysłane e-mailem +SomeNotificationsWillBeSent=%s automatyczne powiadomienia będą wysyłane pocztą elektroniczną +AddNewNotification=Zasubskrybuj nowe automatyczne powiadomienie e-mail (cel / wydarzenie) +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Konfiguracja poczty e-mail wysyłającego musi być połączone z '% s'. Tryb ten może być wykorzystywany do wysyłania masowego wysyłania. MailSendSetupIs2=Najpierw trzeba przejść, z konta administratora, w menu% sHome - Ustawienia - e-maile% s, aby zmienić parametr '% s' na tryb '% s' używać. W tym trybie można wprowadzić ustawienia serwera SMTP dostarczonych przez usługodawcę internetowego i używać funkcji e-maila Mszę św. MailSendSetupIs3=Jeśli masz jakieś pytania na temat konfiguracji serwera SMTP, możesz zapytać %s. YouCanAlsoUseSupervisorKeyword=Możesz również dodać __SUPERVISOREMAIL__ słów kluczowych posiadania e-mail są wysyłane do opiekuna użytkownika (działa tylko wtedy, gdy e-mail jest określona w tym przełożonego) NbOfTargetedContacts=Aktualna liczba ukierunkowanych maili kontaktowych -UseFormatFileEmailToTarget=Imported file must have format email;name;firstname;other -UseFormatInputEmailToTarget=Enter a string with format email;name;firstname;other -MailAdvTargetRecipients=Recipients (advanced selection) -AdvTgtTitle=Fill input fields to preselect the third parties or contacts/addresses to target -AdvTgtSearchTextHelp=Use %% as wildcards. For example to find all item like jean, joe, jim, you can input j%%, you can also use ; as separator for value, and use ! for except this value. For example jean;joe;jim%%;!jimo;!jima%% will target all jean, joe, start with jim but not jimo and not everything that starts with jima -AdvTgtSearchIntHelp=Use interval to select int or float value -AdvTgtMinVal=Minimum value -AdvTgtMaxVal=Maximum value -AdvTgtSearchDtHelp=Use interval to select date value -AdvTgtStartDt=Start dt. -AdvTgtEndDt=End dt. -AdvTgtTypeOfIncudeHelp=Target Email of third party and email of contact of the third party, or just third-party email or just contact email -AdvTgtTypeOfIncude=Type of targeted email -AdvTgtContactHelp=Use only if you target contact into "Type of targeted email" +UseFormatFileEmailToTarget=Zaimportowany plik musi mieć format email; imię; imię; inny +UseFormatInputEmailToTarget=Wpisz ciąg w formacie email; imię; imię; inny +MailAdvTargetRecipients=Odbiorcy (wybór zaawansowany) +AdvTgtTitle=Wypełnij pola wejściowe, aby wstępnie wybrać strony trzecie lub kontakty / adresy docelowe +AdvTgtSearchTextHelp=Użyj %% jako symboli wieloznacznych. Na przykład, aby znaleźć wszystkie elementy, takie jak jean, joe, jim , możesz wprowadzić j%% , możesz również użyć; jako separator wartości i użyj! z wyjątkiem tej wartości. Na przykład jean; joe; jim%%;! Jimo;! Jima%% będzie kierowany do wszystkich jean, joe, zacznij od jima, ale nie jimo i nie wszystkiego, co zaczyna się od jimy +AdvTgtSearchIntHelp=Użyj interwału, aby wybrać wartość int lub float +AdvTgtMinVal=Minimalna wartość +AdvTgtMaxVal=Maksymalna wartość +AdvTgtSearchDtHelp=Użyj interwału, aby wybrać wartość daty +AdvTgtStartDt=Rozpocznij dt. +AdvTgtEndDt=Koniec dt. +AdvTgtTypeOfIncudeHelp=Docelowy adres e-mail strony trzeciej i adres e-mail kontaktu z osobą trzecią lub po prostu adres e-mail strony trzeciej lub po prostu adres e-mail kontaktowy +AdvTgtTypeOfIncude=Rodzaj docelowej wiadomości e-mail +AdvTgtContactHelp=Używaj tylko wtedy, gdy kierujesz kontakt na „Typ docelowej wiadomości e-mail” AddAll=Dodaj wszystkie RemoveAll=Usuń wszystkie -ItemsCount=Item(s) -AdvTgtNameTemplate=Filter name -AdvTgtAddContact=Add emails according to criteria -AdvTgtLoadFilter=Load filter -AdvTgtDeleteFilter=Delete filter -AdvTgtSaveFilter=Save filter -AdvTgtCreateFilter=Create filter -AdvTgtOrCreateNewFilter=Name of new filter -NoContactWithCategoryFound=No contact/address with a category found -NoContactLinkedToThirdpartieWithCategoryFound=No contact/address with a category found -OutGoingEmailSetup=Outgoing emails -InGoingEmailSetup=Incoming emails -OutGoingEmailSetupForEmailing=Outgoing emails (for module %s) -DefaultOutgoingEmailSetup=Same configuration than the global Outgoing email setup +ItemsCount=Przedmiotów) +AdvTgtNameTemplate=Nazwa filtra +AdvTgtAddContact=Dodaj e-maile zgodnie z kryteriami +AdvTgtLoadFilter=Wczytaj filtr +AdvTgtDeleteFilter=Usuń filtr +AdvTgtSaveFilter=Zapisz filtr +AdvTgtCreateFilter=Utwórz filtr +AdvTgtOrCreateNewFilter=Nazwa nowego filtra +NoContactWithCategoryFound=Nie znaleziono kontaktu / adresu z kategorią +NoContactLinkedToThirdpartieWithCategoryFound=Nie znaleziono kontaktu / adresu z kategorią +OutGoingEmailSetup=Wychodzące e-maile +InGoingEmailSetup=Przychodzące e-maile +OutGoingEmailSetupForEmailing=Wychodzące wiadomości e-mail (dla modułu %s) +DefaultOutgoingEmailSetup=Taka sama konfiguracja jak w przypadku globalnej konfiguracji poczty wychodzącej Information=Informacja -ContactsWithThirdpartyFilter=Contacts with third-party filter -Unanswered=Unanswered -Answered=Answered -IsNotAnAnswer=Is not answer (initial email) -IsAnAnswer=Is an answer of an initial email -RecordCreatedByEmailCollector=Record created by the Email Collector %s from email %s -DefaultBlacklistMailingStatus=Default contact status for refuse bulk emailing -DefaultStatusEmptyMandatory=Empty but mandatory +ContactsWithThirdpartyFilter=Kontakty z filtrem innej firmy +Unanswered=Bez odpowiedzi +Answered=Odpowiedział +IsNotAnAnswer=Brak odpowiedzi (pierwszy e-mail) +IsAnAnswer=To odpowiedź na pierwszą wiadomość e-mail +RecordCreatedByEmailCollector=Rekord utworzony przez moduł zbierający wiadomości e-mail %s z wiadomości e-mail %s +DefaultBlacklistMailingStatus=Domyślny status kontaktu dla odrzucenia zbiorczego wysyłania e-maili +DefaultStatusEmptyMandatory=Puste, ale obowiązkowe diff --git a/htdocs/langs/pl_PL/main.lang b/htdocs/langs/pl_PL/main.lang index 582ec9ed214..703c144addc 100644 --- a/htdocs/langs/pl_PL/main.lang +++ b/htdocs/langs/pl_PL/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Zapisz i nowe TestConnection=Test połączenia ToClone=Duplikuj ConfirmCloneAsk=Czy jesteś pewny, chcesz sklonować objekt%s? -ConfirmClone=Wybierz datę którą chcesz sklonować: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Brak zdefiniowanych danych do zduplikowania. Of=z Go=Idź @@ -246,7 +246,7 @@ DefaultModel=Domyślny szablon dokumentu Action=Działanie About=O Number=Liczba -NumberByMonth=Ilość na miesiąc +NumberByMonth=Total reports by month AmountByMonth=Kwota na miesiąc Numero=Numer Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobajtów MegaBytes=MB GigaBytes=GB TeraBytes=Terabajtów -UserAuthor=Utworzył -UserModif=Ostatnio modyfikował +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Przez From=Od FromDate=Z FromLocation=Z -at=w to=do To=do +ToDate=do +ToLocation=do +at=w and=i or=lub Other=Inny @@ -843,7 +845,7 @@ XMoreLines=%s lini(e) ukryte ShowMoreLines=Pokaż więcej / mniej linii PublicUrl=Publiczny URL AddBox=Dodaj skrzynke -SelectElementAndClick=Wybierz element i kliknij %s +SelectElementAndClick=Select an element and click on %s PrintFile=Wydrukuj plik %s ShowTransaction=Pokaż wpisy na koncie bankowym ShowIntervention=Pokaż interwencję @@ -854,8 +856,8 @@ Denied=Zabroniony ListOf=Lista %s ListOfTemplates=Lista szablonów Gender=Płeć -Genderman=Mężczyzna -Genderwoman=Kobieta +Genderman=Male +Genderwoman=Female Genderother=Inne ViewList=Widok listy ViewGantt=Widok Gantta @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Czy na pewno chcesz wpłynąć na tagi %s wybranych rek CategTypeNotFound=Nie znaleziono typu tagu dla typu rekordów CopiedToClipboard=Skopiowane do schowka InformationOnLinkToContract=Kwota ta to tylko suma wszystkich pozycji zamówienia. Nie bierze się pod uwagę żadnego pojęcia czasu. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/pl_PL/members.lang b/htdocs/langs/pl_PL/members.lang index 2089442f991..017167beee0 100644 --- a/htdocs/langs/pl_PL/members.lang +++ b/htdocs/langs/pl_PL/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Inny członek (nazwa: %s, zalo ErrorUserPermissionAllowsToLinksToItselfOnly=Ze względów bezpieczeństwa, musisz być przyznane uprawnienia do edycji wszystkich użytkowników, aby można było powiązać członka do użytkownika, który nie jest twoje. SetLinkToUser=Link do użytkownika Dolibarr SetLinkToThirdParty=Link do Dolibarr trzeciej -MembersCards=Członkowie wydruku karty +MembersCards=Business cards for members MembersList=Lista członków MembersListToValid=Lista szkiców członków (do zatwierdzenia) MembersListValid=Wykaz ważnych członków @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Użytkownicy z subskrypcji otrzymują MembersWithSubscriptionToReceiveShort=Subskrypcja do odbioru DateSubscription=Data subskrypcji DateEndSubscription=Data końca subskrypcji -EndSubscription=Koniec subskrypcji +EndSubscription=Subscription Ends SubscriptionId=ID subskrypcji WithoutSubscription=Bez abonamentu MemberId=ID członka @@ -83,10 +83,10 @@ WelcomeEMail=Powitalny e-mail SubscriptionRequired=Subskrypcja wymagana DeleteType=Usuń VoteAllowed=Głosowanie dozwolone -Physical=Fizyczne -Moral=Moralny -MorAndPhy=Moralne i fizyczne -Reenable=Ponownym włączeniu +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Wyklucz członka ConfirmExcludeMember=Czy na pewno chcesz wykluczyć tego członka? ResiliateMember=Zakończ członka @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Użytkownicy statystyki według kraju MembersStatisticsByState=Użytkownicy statystyki na State / Province MembersStatisticsByTown=Użytkownicy statystyki na miasto MembersStatisticsByRegion=Użytkownicy statystyki regionu -NbOfMembers=Liczba członków -NbOfActiveMembers=Liczba obecnych aktywnych członków +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Żadna potwierdzona znaleziono użytkowników -MembersByCountryDesc=Ten ekran pokaże statystyki członków przez poszczególne kraje. Graficzny zależy jednak na Google usługi online grafów i jest dostępna tylko wtedy, gdy połączenie internetowe działa. -MembersByStateDesc=Ten ekran pokazać Wam statystyki członkom przez stan / prowincje / Kanton. -MembersByTownDesc=Ten ekran pokaże statystyki członkom przez miasto. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Wybierz statystyki chcesz czytać ... MenuMembersStats=Statystyka -LastMemberDate=Ostatnia data członka +LastMemberDate=Latest membership date LatestSubscriptionDate=Data ostatniej subskrypcji -MemberNature=Charakter członka -MembersNature=Charakter członków -Public=Informacje są publiczne +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Nowy członek dodaje. Oczekuje na zatwierdzenie NewMemberForm=Nowa forma członkiem -SubscriptionsStatistics=Statystyki dotyczące subskrypcji +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Liczba abonamentów -AmountOfSubscriptions=Kwota abonamentu +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Obrót (dla firmy) lub Budżet (na fundamencie) DefaultAmount=Domyślną kwotę abonamentu CanEditAmount=Użytkownik może wybrać / edytować kwotę swojej subskrypcji MEMBER_NEWFORM_PAYONLINE=Przejdź na zintegrowanej stronie płatności online ByProperties=Przez naturę MembersStatisticsByProperties=Statystyki członków według natury -MembersByNature=Ten ekran wyświetli statystyki dotyczące członków przez naturę. -MembersByRegion=Ten ekran wyświetli statystyki dotyczące członków w regionie. VATToUseForSubscriptions=Stawka VAT użyć do subskrypcji NoVatOnSubscription=Brak podatku VAT w przypadku subskrypcji ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkt stosowany do linii subskrypcji do faktury:% s diff --git a/htdocs/langs/pl_PL/modulebuilder.lang b/htdocs/langs/pl_PL/modulebuilder.lang index 4df3891247e..70b1bea9bee 100644 --- a/htdocs/langs/pl_PL/modulebuilder.lang +++ b/htdocs/langs/pl_PL/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=Lista zdefiniowanych uprawnień SeeExamples=Zobacz przykłady tutaj EnabledDesc=Warunek, aby to pole było aktywne (Przykłady: 1 lub $conf->global->MYMODULE_MYOPTION) VisibleDesc=Czy pole jest widoczne? (Przykłady: 0 = niewidoczne, 1 = widoczne na liście i utwórz / zaktualizuj / wyświetl formularze, 2 = widoczne tylko na liście, 3 = widoczne tylko w formularzu tworzenia / aktualizacji / przeglądania (nie na liście), 4 = widoczne na liście i tylko aktualizuj / wyświetl formularz (nie twórz), 5 = widoczne tylko w formularzu widoku końca listy (nie tworzy, nie aktualizuje).

Użycie wartości ujemnej oznacza, że pole nie jest domyślnie wyświetlane na liście, ale można je wybrać do przeglądania).

Może to być wyrażenie, na przykład:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ user- 1 holiday? -DisplayOnPdfDesc=Wyświetlaj to pole w kompatybilnych dokumentach PDF, możesz zarządzać pozycją za pomocą pola "Pozycja".
Obecnie znane modele kompatybilne PDF są: Eratostenes (kolejność), Espadon (statek), gąbka (faktury), cyjan (PROPAL / cytat), Cornas (kolejność dostawca)

Dla dokumentu: nie
0 = Wyświetlane
1 = wskazanie
2 = wskazanie tylko jeśli nie jest pusta

dla linii dokument:
0 = nie wyświetlany
1 = wyświetlane w kolumnie
3 = wyświetlacza w opisie linii kolumny po opisie
4 = wyświetlacza w opisie kolumnie za opis tylko wtedy, gdy nie jest pusty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Wyświetl na dokumencie PDF IsAMeasureDesc=Czy wartość pola można skumulować, aby uzyskać sumę na liście? (Przykłady: 1 lub 0) SearchAllDesc=Czy to pole jest używane do wyszukiwania za pomocą narzędzia szybkiego wyszukiwania? (Przykłady: 1 lub 0) diff --git a/htdocs/langs/pl_PL/other.lang b/htdocs/langs/pl_PL/other.lang index 382cac1dde8..bb578a28841 100644 --- a/htdocs/langs/pl_PL/other.lang +++ b/htdocs/langs/pl_PL/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Zainstaluj lub włącz bibliotekę GD w instalacji PHP, aby ProfIdShortDesc=Prof ID %s jest informacji w zależności od trzeciej kraju.
Na przykład, dla kraju, %s, jest to kod %s. DolibarrDemo=Demo Dolibarr ERP/CRM StatsByNumberOfUnits=Statystyki dla sum ilości produktów / usług -StatsByNumberOfEntities=Statystyki dotyczące liczby podmiotów polecających (nr faktury lub zamówienia ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Liczba propozycji NumberOfCustomerOrders=Liczba zamówień sprzedaży NumberOfCustomerInvoices=Ilość faktur klientów @@ -289,4 +289,4 @@ PopuProp=Produkty / usługi według popularności w propozycjach PopuCom=Produkty / usługi według popularności w Zamówieniach ProductStatistics=Statystyki produktów / usług NbOfQtyInOrders=Ilość w zamówieniach -SelectTheTypeOfObjectToAnalyze=Wybierz typ obiektu do analizy ... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/pl_PL/partnership.lang b/htdocs/langs/pl_PL/partnership.lang new file mode 100644 index 00000000000..6b35205dbda --- /dev/null +++ b/htdocs/langs/pl_PL/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Data rozpoczęcia +DatePartnershipEnd=Data zakończenia + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Szkic +PartnershipAccepted = Zaakceptowane +PartnershipRefused = Odrzucony +PartnershipCanceled = Anulowany + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/pl_PL/productbatch.lang b/htdocs/langs/pl_PL/productbatch.lang index 8fd61acd09e..710b09cf60b 100644 --- a/htdocs/langs/pl_PL/productbatch.lang +++ b/htdocs/langs/pl_PL/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Numer seryjny %s jest już używany dla produktu %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Opcje automatycznego generowania produktów wsadowych zarządzanych partiami BatchSerialNumberingModules=Opcje automatycznego generowania produktów wsadowych zarządzanych według numerów seryjnych +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/pl_PL/products.lang b/htdocs/langs/pl_PL/products.lang index 7abe05286d0..b6a183b57f2 100644 --- a/htdocs/langs/pl_PL/products.lang +++ b/htdocs/langs/pl_PL/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Usługi tylko na sprzedaż ServicesOnPurchaseOnly=Usługi tylko do zakupu ServicesNotOnSell=Usługi nie na sprzedaż i nie do zakupu ServicesOnSellAndOnBuy=Usługi na sprzedaż i do zakupu -LastModifiedProductsAndServices=Najnowsze zmodyfikowane produkty / usługi %s +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Ostatnie %s zarejestrowanych produktów LastRecordedServices=Ostatnie %s zarejestrowanych usług CardProduct0=Produkt @@ -73,12 +73,12 @@ SellingPrice=Cena sprzedaży SellingPriceHT=Cena sprzedaży (Bez VAT) SellingPriceTTC=Cena sprzedaży (z podatkiem) SellingMinPriceTTC=Minimalna cena sprzedaży (z podatkiem) -CostPriceDescription=To pole ceny (bez podatku) może służyć do przechowywania średniej kwoty, jaką ten produkt kosztuje dla Twojej firmy. Może to być każda cena, którą sam obliczysz, na przykład ze średniej ceny zakupu plus średni koszt produkcji i dystrybucji. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Wartość tę można wykorzystać do obliczenia depozytu zabezpieczającego. SoldAmount=Sprzedana ilość PurchasedAmount=Zakupiona ilość NewPrice=Nowa cena -MinPrice=Min. Cena sprzedaży +MinPrice=Min. selling price EditSellingPriceLabel=Edytuj etykietę ceny sprzedaży CantBeLessThanMinPrice=Cena sprzedaży nie może być niższa niż minimalna dopuszczalna dla tego produktu (%s bez podatku). Ten komunikat może się również pojawić po wpisaniu zbyt wysokiego rabatu. ContractStatusClosed=Zamknięte @@ -157,11 +157,11 @@ ListServiceByPopularity=Wykaz usług ze względu na popularność Finished=Produkty wytwarzane RowMaterial=Surowiec ConfirmCloneProduct=Czy na pewno chcesz powielić produkt lub usługę %s? -CloneContentProduct=Sklonuj wszystkie główne informacje o produkcie / usłudze +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Powiel ceny -CloneCategoriesProduct=Klonuj tagi / kategorie połączone -CloneCompositionProduct=Sklonuj wirtualny produkt / usługę -CloneCombinationsProduct=Powiel warianty produktu +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Ten produkt jest używany NewRefForClone=Referencja nowego produktu/usługi SellingPrices=Cena sprzedaży @@ -170,12 +170,12 @@ CustomerPrices=Ceny klienta SuppliersPrices=Ceny dostawców SuppliersPricesOfProductsOrServices=Ceny dostawców (produktów lub usług) CustomCode=Cła | Towar | Kod HS -CountryOrigin=Kraj pochodzenia -RegionStateOrigin=Region pochodzenia -StateOrigin=Stan | prowincja -Nature=Charakter produktu (materiał / wykończenie) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Charakter produktu -NatureOfProductDesc=Surowiec lub gotowy produkt +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Krótka etykieta Unit=Jednostka p=jedn. diff --git a/htdocs/langs/pl_PL/projects.lang b/htdocs/langs/pl_PL/projects.lang index 2ad158c5d84..35a50d977a1 100644 --- a/htdocs/langs/pl_PL/projects.lang +++ b/htdocs/langs/pl_PL/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Kontakty projektu ProjectsImContactFor=Projekty, dla których jestem jawnym kontaktem AllAllowedProjects=Cały projekt, który mogę przeczytać (mój + publiczny) AllProjects=Wszystkie projekty -MyProjectsDesc=Ten widok jest ograniczony do projektów, w których jesteś osobą kontaktową +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Ten widok przedstawia wszystkie projekty, które możesz przeczytać. TasksOnProjectsPublicDesc=Ten widok przedstawia wszystkie zadania w projektach, które możesz czytać. ProjectsPublicTaskDesc=Ten widok przedstawia wszystkie projekty i zadania, które są dozwolone do czytania. ProjectsDesc=Ten widok przedstawia wszystkie projekty (twoje uprawnienia użytkownika pozwalają wyświetlać wszystko). TasksOnProjectsDesc=Ten widok przedstawia wszystkie zadania we wszystkich projektach (Twoje uprawnienia użytkownika dają Ci uprawnienia do przeglądania wszystkiego). -MyTasksDesc=Ten widok jest ograniczony do projektów lub zadań, w sprawie których jesteś osobą kontaktową +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Tylko otwarte projekty są widoczne (szkice projektów lub zamknięte projekty są niewidoczne) ClosedProjectsAreHidden=Zamknięte projekty nie są widoczne. TasksPublicDesc=Ten widok przedstawia wszystkie projekty i zadania, które możesz przeczytać. TasksDesc=Ten widok przedstawia wszystkie projekty i zadania (twoje uprawnienia mają dostępu do wglądu we wszystko). AllTaskVisibleButEditIfYouAreAssigned=Wszystkie zadania dla zakwalifikowanych projektów są widoczne, ale możesz wprowadzić czas tylko dla zadania przypisanego do wybranego użytkownika. Przypisz zadanie, jeśli chcesz wprowadzić na nim czas. -OnlyYourTaskAreVisible=Widoczne są tylko zadania przypisane do Ciebie. Przydziel sobie zadanie, jeśli nie jest widoczne i musisz wpisać na nim czas. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Zadania projektów ProjectCategories=Tagi / kategorie projektów NewProject=Nowy projekt @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Nie dopisane do zadania NoUserAssignedToTheProject=Brak użytkowników przypisanych do tego projektu TimeSpentBy=Czas spędzony przez TasksAssignedTo=Zadania przypisane do -AssignTaskToMe=Przypisz zadanie do mnie +AssignTaskToMe=Assign task to myself AssignTaskToUser=Przypisz zadanie do %s SelectTaskToAssign=Wybierz zadanie do przypisania ... AssignTask=Przydzielać diff --git a/htdocs/langs/pl_PL/recruitment.lang b/htdocs/langs/pl_PL/recruitment.lang index d1f573b8bf9..3dedf38eb1d 100644 --- a/htdocs/langs/pl_PL/recruitment.lang +++ b/htdocs/langs/pl_PL/recruitment.lang @@ -18,59 +18,59 @@ # # Module label 'ModuleRecruitmentName' -ModuleRecruitmentName = Recruitment +ModuleRecruitmentName = Rekrutacja # Module description 'ModuleRecruitmentDesc' -ModuleRecruitmentDesc = Manage and follow recruitment campaigns for new job positions +ModuleRecruitmentDesc = Zarządzaj i śledź kampanie rekrutacyjne na nowe stanowiska pracy # # Admin page # -RecruitmentSetup = Recruitment setup +RecruitmentSetup = Konfiguracja rekrutacji Settings = Ustawienia -RecruitmentSetupPage = Enter here the setup of main options for the recruitment module -RecruitmentArea=Recruitement area -PublicInterfaceRecruitmentDesc=Public pages of jobs are public URLs to show and answer to open jobs. There is one different link for each open job, found on each job record. -EnablePublicRecruitmentPages=Enable public pages of open jobs +RecruitmentSetupPage = Wpisz tutaj ustawienia głównych opcji modułu rekrutacyjnego +RecruitmentArea=Obszar rekrutacji +PublicInterfaceRecruitmentDesc=Publiczne strony ofert pracy to publiczne adresy URL służące do wyświetlania otwartych ofert pracy i odpowiadania na nie. Dla każdego otwartego stanowiska istnieje jeden link, znajdujący się w każdym rekordzie pracy. +EnablePublicRecruitmentPages=Włącz publiczne strony otwartych ofert pracy # # About page # About = O -RecruitmentAbout = About Recruitment -RecruitmentAboutPage = Recruitment about page -NbOfEmployeesExpected=Expected nb of employees -JobLabel=Label of job position -WorkPlace=Work place -DateExpected=Expected date -FutureManager=Future manager -ResponsibleOfRecruitement=Responsible of recruitment -IfJobIsLocatedAtAPartner=If job is located at a partner place +RecruitmentAbout = O rekrutacji +RecruitmentAboutPage = Rekrutacja o stronie +NbOfEmployeesExpected=Oczekiwana liczba pracowników +JobLabel=Etykieta stanowiska pracy +WorkPlace=Miejsce pracy +DateExpected=Oczekiwana data +FutureManager=Przyszły menedżer +ResponsibleOfRecruitement=Odpowiedzialny za rekrutację +IfJobIsLocatedAtAPartner=Jeśli praca jest zlokalizowana w miejscu partnerskim PositionToBeFilled=Stanowisko -PositionsToBeFilled=Job positions -ListOfPositionsToBeFilled=List of job positions -NewPositionToBeFilled=New job positions +PositionsToBeFilled=Stanowiska pracy +ListOfPositionsToBeFilled=Lista stanowisk pracy +NewPositionToBeFilled=Nowe stanowiska pracy -JobOfferToBeFilled=Job position to be filled -ThisIsInformationOnJobPosition=Information of the job position to be filled -ContactForRecruitment=Contact for recruitment -EmailRecruiter=Email recruiter -ToUseAGenericEmail=To use a generic email. If not defined, the email of the responsible of recruitment will be used -NewCandidature=New application -ListOfCandidatures=List of applications -RequestedRemuneration=Requested remuneration -ProposedRemuneration=Proposed remuneration -ContractProposed=Contract proposed -ContractSigned=Contract signed -ContractRefused=Contract refused -RecruitmentCandidature=Application -JobPositions=Job positions -RecruitmentCandidatures=Applications -InterviewToDo=Interview to do -AnswerCandidature=Application answer -YourCandidature=Your application -YourCandidatureAnswerMessage=Thanks you for your application.
... -JobClosedTextCandidateFound=The job position is closed. The position has been filled. -JobClosedTextCanceled=The job position is closed. -ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) -MakeOffer=Make an offer +JobOfferToBeFilled=Stanowisko do obsadzenia +ThisIsInformationOnJobPosition=Informacje o stanowisku do obsadzenia +ContactForRecruitment=Kontakt w sprawie rekrutacji +EmailRecruiter=Rekruter e-mailowy +ToUseAGenericEmail=Aby użyć ogólnej wiadomości e-mail. Jeśli nie zostanie zdefiniowany, zostanie użyty adres e-mail osoby odpowiedzialnej za rekrutację +NewCandidature=Nowa aplikacja +ListOfCandidatures=Lista aplikacji +RequestedRemuneration=Żądane wynagrodzenie +ProposedRemuneration=Proponowane wynagrodzenie +ContractProposed=Proponowana umowa +ContractSigned=Umowa podpisana +ContractRefused=Umowa została odrzucona +RecruitmentCandidature=Podanie +JobPositions=Stanowiska pracy +RecruitmentCandidatures=Aplikacje +InterviewToDo=Wywiad do zrobienia +AnswerCandidature=Odpowiedź aplikacji +YourCandidature=Twoje zgłoszenie +YourCandidatureAnswerMessage=Dziękuję za zgłoszenie.
... +JobClosedTextCandidateFound=Stanowisko jest zamknięte. Stanowisko zostało obsadzone. +JobClosedTextCanceled=Stanowisko jest zamknięte. +ExtrafieldsJobPosition=Atrybuty uzupełniające (stanowiska pracy) +ExtrafieldsApplication=Complementary attributes (job applications) +MakeOffer=Złożyć ofertę diff --git a/htdocs/langs/pl_PL/sendings.lang b/htdocs/langs/pl_PL/sendings.lang index 1b1f4fc5baf..0b019a76f32 100644 --- a/htdocs/langs/pl_PL/sendings.lang +++ b/htdocs/langs/pl_PL/sendings.lang @@ -6,7 +6,7 @@ AllSendings=Wszystkie wysyłki Shipment=Transport Shipments=Transporty ShowSending=Pokaż przesyłki -Receivings=Delivery Receipts +Receivings=Potwierdzenia dostaw SendingsArea=Obszar wysyłek ListOfSendings=Lista wysyłek SendingMethod=Sposób wysyłki @@ -18,16 +18,16 @@ SendingCard=Karta przesyłki NewSending=Nowy transport CreateShipment=Utwórz transport QtyShipped=Wysłana ilość -QtyShippedShort=Qty ship. -QtyPreparedOrShipped=Qty prepared or shipped +QtyShippedShort=Ilość statków. +QtyPreparedOrShipped=Ilość przygotowana lub wysłana QtyToShip=Ilość do wysłania -QtyToReceive=Qty to receive +QtyToReceive=Ilość do odbioru QtyReceived=Ilość otrzymanych -QtyInOtherShipments=Qty in other shipments +QtyInOtherShipments=Ilość w innych przesyłkach KeepToShip=Pozostają do wysyłki -KeepToShipShort=Remain +KeepToShipShort=Pozostawać OtherSendingsForSameOrder=Inne wysyłki do tego zamówienia -SendingsAndReceivingForSameOrder=Shipments and receipts for this order +SendingsAndReceivingForSameOrder=Przesyłki i pokwitowania dotyczące tego zamówienia SendingsToValidate=Transporty do zatwierdzenia StatusSendingCanceled=Anulowany StatusSendingCanceledShort=Anulowany @@ -43,34 +43,34 @@ ConfirmValidateSending=Czy potwierdzić tą wysyłkę z numerem referencyjnym %s. Correct stock or go back to choose another warehouse. +ProductQtyInCustomersOrdersRunning=Ilość produktów z otwartych zamówień sprzedaży +ProductQtyInSuppliersOrdersRunning=Ilość produktów z otwartych zamówień zakupu +ProductQtyInShipmentAlreadySent=Ilość produktu z otwartego zamówienia sprzedaży już wysłanego +ProductQtyInSuppliersShipmentAlreadyRecevied=Ilość produktów z otwartych zamówień już otrzymanych +NoProductToShipFoundIntoStock=W magazynie nie znaleziono produktu do wysłania %s . Popraw zapasy lub wróć, aby wybrać inny magazyn. WeightVolShort=Waga/Volumen ValidateOrderFirstBeforeShipment=W pierwszej kolejności musisz zatwierdzić zamówienie, aby mieć możliwość utworzenia wysyłki. # Sending methods # ModelDocument DocumentModelTyphon=Więcej kompletny dokument model dostawy wpływy (logo. ..) -DocumentModelStorm=More complete document model for delivery receipts and extrafields compatibility (logo...) +DocumentModelStorm=Bardziej kompletny model dokumentów potwierdzających dostawę i kompatybilność pól zewnętrznych (logo ...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=Stała EXPEDITION_ADDON_NUMBER nie zdefiniowano SumOfProductVolumes=Suma wolumenów SumOfProductWeights=Suma wag produktów # warehouse details DetailWarehouseNumber= Szczegóły magazynu -DetailWarehouseFormat= W:%s (Qty: %d) +DetailWarehouseFormat= W: %s (ilość: %d) diff --git a/htdocs/langs/pl_PL/stocks.lang b/htdocs/langs/pl_PL/stocks.lang index 09b5be9369f..6ad6f2f915e 100644 --- a/htdocs/langs/pl_PL/stocks.lang +++ b/htdocs/langs/pl_PL/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nie gotowych produktów dla tego obiektu. Więc ni DispatchVerb=Wysyłka StockLimitShort=Limit zapasu przy którym wystąpi alarm StockLimit=Limit zapasu przy którym wystąpi alarm -StockLimitDesc=(pusty) oznacza brak ostrzeżenia.
0 może służyć jako ostrzeżenie, gdy tylko zapasy się wyczerpią. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Zapas fizyczny RealStock=Realny magazyn RealStockDesc=Fizyczne / rzeczywiste zapasy to stany znajdujące się obecnie w magazynach. diff --git a/htdocs/langs/pl_PL/users.lang b/htdocs/langs/pl_PL/users.lang index e473f26d540..680bd38b03e 100644 --- a/htdocs/langs/pl_PL/users.lang +++ b/htdocs/langs/pl_PL/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Hasło zmieniono na: %s SubjectNewPassword=Twoje nowe hasło dla %s GroupRights=Uprawnienia grupy UserRights=Uprawnienia użytkownika +Credentials=Credentials UserGUISetup=Ustawienia Wyświetlacza Użytkownika DisableUser=Wyłączone DisableAUser=Wyłącz użytkownika @@ -105,7 +106,7 @@ UseTypeFieldToChange=Użyj pola do zmiany Rodzaj OpenIDURL=Adres URL OpenID LoginUsingOpenID=Użyj do logowania OpenID WeeklyHours=Przepracowane godziny (w tygodniu) -ExpectedWorkedHours=Oczekiwana ilość godzin przepracowanych w tygodniu +ExpectedWorkedHours=Expected hours worked per week ColorUser=Kolor użytkownika DisabledInMonoUserMode=Wyłączone w trybie konserwacji UserAccountancyCode=Kod księgowy użytkownika @@ -115,7 +116,7 @@ DateOfEmployment=Data zatrudnienia DateEmployment=Zatrudnienie DateEmploymentstart=Data rozpoczęcia zatrudnienia DateEmploymentEnd=Data zakończenia zatrudnienia -RangeOfLoginValidity=Zakres dat ważności logowania +RangeOfLoginValidity=Access validity date range CantDisableYourself=Nie możesz wyłączyć własnego rekordu użytkownika ForceUserExpenseValidator=Wymuś walidator raportu z wydatków ForceUserHolidayValidator=Wymuś walidator prośby o opuszczenie diff --git a/htdocs/langs/pl_PL/website.lang b/htdocs/langs/pl_PL/website.lang index 28d79383aad..7548613224f 100644 --- a/htdocs/langs/pl_PL/website.lang +++ b/htdocs/langs/pl_PL/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Zdefiniuj listę wszystkich dostępn GenerateSitemaps=Wygeneruj plik mapy witryny internetowej ConfirmGenerateSitemaps=Jeśli potwierdzisz, usuniesz istniejący plik mapy witryny ... ConfirmSitemapsCreation=Potwierdź wygenerowanie mapy witryny -SitemapGenerated=Wygenerowano mapę witryny +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/pt_AO/admin.lang b/htdocs/langs/pt_AO/admin.lang deleted file mode 100644 index cac0d063f48..00000000000 --- a/htdocs/langs/pt_AO/admin.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" diff --git a/htdocs/langs/pt_AO/cron.lang b/htdocs/langs/pt_AO/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/pt_AO/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/pt_BR/accountancy.lang b/htdocs/langs/pt_BR/accountancy.lang index b169f140496..27f15f2e164 100644 --- a/htdocs/langs/pt_BR/accountancy.lang +++ b/htdocs/langs/pt_BR/accountancy.lang @@ -181,7 +181,6 @@ NoNewRecordSaved=Não há mais registro para lançar ListOfProductsWithoutAccountingAccount=Lista de produtos não vinculados a qualquer conta da Contabilidade ChangeBinding=Alterar a vinculação Accounted=Contas no livro de contas -NotYetAccounted=Ainda não contabilizado no Livro de Registro ShowTutorial=Mostrar tutorial NotReconciled=Não conciliada AddAccountFromBookKeepingWithNoCategories=Conta disponível porém ainda não no grupo personalizado diff --git a/htdocs/langs/pt_BR/admin.lang b/htdocs/langs/pt_BR/admin.lang index eb7f48d64ed..90187accd2c 100644 --- a/htdocs/langs/pt_BR/admin.lang +++ b/htdocs/langs/pt_BR/admin.lang @@ -181,6 +181,7 @@ SeeInMarkerPlace=Ver na Loja Virtual SeeSetupOfModule=Veja configuração do módulo %s GoModuleSetupArea=Para implantar/instalar um novo módulo, vá para a área de configuração do módulo: %s . DoliStoreDesc=DoliStore, o site oficial para baixar módulos externos. +DoliPartnersDesc=Lista de empresas que fornecem módulos ou recursos desenvolvidos de maneira personalizada.
Nota: como Dolibarr é um aplicativo de código aberto, qualquer pessoa com experiência em programação PHP deve ser capaz de desenvolver um módulo. DevelopYourModuleDesc=Algumas soluções para o desenvolvimento do seu próprio módulo... RelativeURL=URL relativo BoxesAvailable=Widgets disponíveis @@ -327,6 +328,7 @@ ComputedpersistentDesc=Campos extra computados serão armazenados no banco de da ExtrafieldParamHelpselect=Lista de valores deve ser linhas com chave de formato, valor (onde a chave não pode ser '0')

por exemplo:
1, value1
2, value2
código3, valor3
...

Para que a lista dependa de outra lista de atributos complementares:
1, valor1 | opções_ pai_list_code : parent_key
2, valor2 | opções_ pai_list_code : parent_key

Para ter a lista dependendo de outra lista:
1, valor1 | parent_list_code : parent_key
2, value2 | parent_list_code : parent_key ExtrafieldParamHelpcheckbox=Lista de valores deve ser linhas com chave de formato, valor (onde a chave não pode ser '0')

por exemplo:
1, value1
2, value2
3, value3
... ExtrafieldParamHelpradio=Lista de valores deve ser linhas com chave de formato, valor (onde a chave não pode ser '0')

por exemplo:
1, value1
2, value2
3, value3
... +ExtrafieldParamHelplink=Os parâmetros devem ser ObjectName: Classpath
Syntax: ObjectName: Classpath ExtrafieldParamHelpSeparator=Mantenha em branco para um separador simples
Defina como 1 para um separador de recolhimento (aberto por padrão para nova sessão e, em seguida, o status é mantido para cada sessão do usuário)
Defina como 2 para um separador de recolhimento (recolhido por padrão para nova sessão e, em seguida, o status é mantido antes de cada sessão do usuário) LibraryToBuildPDF=Biblioteca usada para a geração de PDF LocalTaxDesc=Alguns países podem aplicar dois ou três impostos em cada linha da fatura. Se este for o caso, escolha o tipo para o segundo e terceiro imposto e sua taxa. Tipo possível são:
1: imposto local aplicável a produtos e serviços sem IVA (a taxa local é calculada sobre o valor sem impostos)
2: imposto local aplicável a produtos e serviços, incluindo IVA (a taxa local é calculada no montante + imposto principal)
3: imposto local aplicável a produtos sem IVA (a taxa local é calculada sobre o valor sem impostos)
4: imposto local aplicável a produtos, incluindo IVA (a taxa local é calculada sobre o valor + IVA principal)
5: imposto local aplicável a serviços sem IVA (a taxa local é calculado sobre o valor sem impostos)
6: imposto local aplicável a serviços, incluindo IVA (a taxa local é calculada sobre o valor + imposto) @@ -361,7 +363,13 @@ ModuleCompanyCodeCustomerDigitaria=%s seguido pelo nome do cliente truncado pelo ModuleCompanyCodeSupplierDigitaria=%s seguido pelo nome do fornecedor truncado pelo número de caracteres: %s para o código contábil do fornecedor. 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: A configuração para enviar e-mails do aplicativo está usando a configuração genérica padrão. Muitas vezes, é melhor configurar e-mails de saída para usar o servidor de e-mail do seu provedor de serviços de e-mail em vez da configuração padrão: +WarningPHPMailA=- Usar o servidor do provedor de serviços de e-mail aumenta a confiabilidade do seu e-mail, por isso aumenta a entregabilidade sem ser sinalizado como SPAM +WarningPHPMailB=- Alguns provedores de serviço de e-mail (como o Yahoo) não permitem que você envie um e-mail de outro servidor que não seja o seu próprio. Sua configuração atual usa o servidor do aplicativo para enviar e-mail e não o servidor de seu provedor de e-mail, portanto, alguns destinatários (aquele compatível com o protocolo DMARC restritivo) perguntarão ao seu provedor de e-mail se podem aceitar seu e-mail e alguns provedores de e-mail (como o Yahoo) pode responder "não" porque o servidor não é deles, então poucos de seus e-mails enviados podem não ser aceitos para entrega (tome cuidado também com a cota de envio de seu provedor de e-mail). +WarningPHPMailC=- Usar o servidor SMTP do seu próprio provedor de serviços de e-mail para enviar e-mails também é interessante, portanto, todos os e-mails enviados do aplicativo também serão salvos no diretório "Enviados" da sua caixa de correio. +WarningPHPMailD=Se o método 'PHP Mail' é realmente o método que deseja usar, você pode remover este aviso adicionando a constante MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP a 1 em Home - Configuração - Outro. WarningPHPMail2=Se o seu provedor SMTP de e-mail precisar restringir o cliente de e-mail a alguns endereços IP (muito raro), esse é o endereço IP do agente de usuário de e-mail (MUA) para seu aplicativo ERP CRM: %s. +WarningPHPMailSPF=Se o nome de domínio em seu endereço de e-mail do remetente estiver protegido por um registro SPF (pergunte a você o nome de domínio registrar), você deve adicionar os seguintes IPs no registro SPF do DNS de seu domínio: %s. ClickToShowDescription=Clique para exibir a descrição RequiredBy=Este módulo é exigido por módulo(s) PageUrlForDefaultValues=Você deve inserir o caminho relativo do URL da página. Se você incluir parâmetros na URL, os valores padrão serão efetivos se todos os parâmetros estiverem definidos com o mesmo valor. @@ -396,6 +404,7 @@ Module40Desc=Fornecedores e gerenciamento de compras (pedidos e cobrança de fat Module42Name=Notas de depuração Module42Desc=Recursos de registro (arquivo, syslog, ...). Tais registros são para propósitos técnicos/debug. Module43Name=Barra de depuração +Module43Desc=Ferramenta para o desenvolvedor adicionar uma barra de depuração em seu navegador. Module49Desc=Gestor de Editores Module51Name=Cartas Massivos Module51Desc=Gestão de correspondência do massa @@ -458,10 +467,13 @@ Module2660Desc=Ativar o cliente de serviços da Web Dolibarr (pode ser usado par Module2700Desc=Use o serviço online Gravatar (www.gravatar.com) para mostrar fotos de usuários/membros (encontrados com seus e-mails). Precisa de acesso à Internet Module2900Desc=Capacidade de conversão com o GeoIP Maxmind Module3400Name=Redes Sociais +Module3400Desc=Habilite campos de Redes Sociais em terceiros e endereços (skype, twitter, facebook, ...). Module4000Name=RH Module4000Desc=Gerenciamento de recursos humanos (gerenciamento do departamento, contratos dos funcionários e benefícios) Module5000Name=Multi-Empresas Module5000Desc=Permite gerenciar várias empresas +Module6000Name=Fluxo de trabalho entre módulos +Module6000Desc=Gerenciamento de fluxo de trabalho entre diferentes módulos (criação automática de objeto e / ou mudança automática de status) Module10000Desc=Crie sites (públicos) com um editor WYSIWYG. Este é um CMS orientado a webmasters ou desenvolvedores (é melhor conhecer a linguagem HTML e CSS). Basta configurar seu servidor da Web (Apache, Nginx, ...) para apontar para o diretório Dolibarr dedicado para colocá-lo online na Internet com seu próprio nome de domínio. Module20000Name=Deixar o gerenciamento de solicitações Module20000Desc=Definir e rastrear solicitações de saída de funcionários @@ -473,9 +485,11 @@ Module50150Desc=Módulo de ponto de vendas TakePOS (POS com tela de toque, para Module50200Desc=Oferecer aos clientes uma página de pagamento online do PayPal (conta do PayPal ou cartões de crédito/débito). Isso pode ser usado para permitir que seus clientes façam pagamentos ad-hoc ou pagamentos relacionados a um objeto Dolibarr específico (fatura, pedido, etc.) Module50300Desc=Ofereça aos clientes uma página de pagamento on-line do Stripe (cartões de crédito / débito). Isso pode ser usado para permitir que seus clientes façam pagamentos ad-hoc ou pagamentos relacionados a um objeto Dolibarr específico (fatura, pedido, etc.) Module50400Name=Contabilidade (entrada dupla) +Module50400Desc=Gestão contábil (partidas dobradas, suporte para Razões Gerais e Subsidiárias). Exportar livro razão em outros formatos de software contábil. Module54000Name=ImprimirIPP Module55000Name=Pesquisa Aberta Module55000Desc=Criar pesquisas, enquetes ou votos on-line (como Doodle, Studs, RDVz etc ...) +Module59000Desc=Módulo para seguir margens Module60000Desc=Módulo para gerenciar comissão Module63000Desc=Gerenciar recursos (impressoras, carros, salas, ...) para alocar eventos Permission11=Ler Faturas de Clientes @@ -496,10 +510,14 @@ Permission32=Criar/Modificar Produtos Permission34=Deletar Produtos Permission36=Ver/Gerenciar Produtos Ocultos Permission38=Exportar Produtos +Permission39=Ignorar preço mínimo Permission61=Ler Intervenções Permission62=Criar/Modificar Intervenções Permission64=Deletar Intervenções Permission67=Exportar Intervenções +Permission68=Envie intervenções por e-mail +Permission69=Validar intervenções +Permission70=Invalidar intervenções Permission71=Ler Membros Permission72=Criar/Modificar Membros Permission74=Deletar Membros @@ -521,6 +539,7 @@ Permission95=Ler Relátorios Permission101=Ler Envios Permission102=Criar/Modificar Envios Permission104=Validar Envios +Permission105=Enviar envios por e-mail Permission106=Exportar Envios Permission109=Deletar Envios Permission111=Ler Contas Financeiras @@ -589,6 +608,8 @@ PermissionAdvanced253=Criar/Modificar Usuários internos/externos e suas Permiss Permission254=Criar/Modificar Usuários Externos Permission255=Modificar Senha de Outros Usuários Permission256=Deletar ou Desativar Outros Usuários +Permission262=Estender acesso a todos os terceiros E seus objetos (não apenas terceiros para os quais o usuário é um representante de vendas).
Não eficaz para usuários externos (sempre limitado a eles próprios para propostas, pedidos, faturas, contratos, etc.).
Não eficaz para projetos (apenas regras sobre permissões de projeto, visibilidade e questões de atribuição). +Permission263=Estender acesso a todos os terceiros SEM seus objetos (não apenas terceiros para os quais o usuário é um representante de vendas).
Não eficaz para usuários externos (sempre limitado a eles mesmos para propostas, pedidos, faturas, contratos, etc.).
Não eficaz para projetos (apenas regras sobre permissões de projeto, visibilidade e questões de atribuição). Permission271=Ler CA Permission272=Ler Faturas Permission273=Emitir Fatura @@ -818,6 +839,7 @@ LocalTax2IsNotUsedDescES=Por padrão, o iRPF sugerido é 0. Fim da regra. LocalTax2IsUsedExampleES=Na Espanha, freelancers e profissionais independentes que oferecem serviços e empresas que tenham escolhidos o módulo de sistema de imposto. RevenueStampDesc=O "carimbo de imposto" ou "carimbo de receita" é um imposto fixo por fatura (não depende do valor da fatura). Também pode ser um imposto percentual, mas o uso do segundo ou terceiro tipo de imposto é melhor para impostos percentuais, pois os selos fiscais não fornecem nenhum relatório. Apenas alguns países usam esse tipo de imposto. UseRevenueStamp=Use um carimbo de imposto +UseRevenueStampExample=Valor do selo fiscal é definido por padrão na configuração de dicionários (%s - %s - %s) CalcLocaltax=Relatórios sobre os impostos locais CalcLocaltax1Desc=Relatorios de taxas locais são calculados pela differença entre taxas locais de venda e taxas locais de compra CalcLocaltax2Desc=Relatorio de taxas locais e o total de taxas locais nas compras @@ -872,7 +894,6 @@ 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" DelaysOfToleranceBeforeWarning=Atraso antes de exibir um alerta de aviso para: DelaysOfToleranceDesc=Defina o atraso antes de um ícone de alerta %s ser mostrado na tela para o elemento final. Delays_MAIN_DELAY_PROJECT_TO_CLOSE=Projeto não fechado a tempo @@ -1157,6 +1178,7 @@ LDAPDescValues=Exemplos de valores são projetados pelo OpenLDAP seguido ForANonAnonymousAccess=Para um acesso autenticado (para um acesso de escrita por exemplo) PerfDolibarr=Configurações/otimizações de relatório de performance NotInstalled=Não instalado. +NotSlowedDownByThis=Velocidade não pôde ser diminuída NotRiskOfLeakWithThis=Não há risco de vazamento desta forma. ApplicativeCache=cache de aplicativo MemcachedNotAvailable=Nenhum cache de aplicativo foi encontrado. Você pode aumentar a performance instalando um servidor de cache Memcached e o módulo será capaz de usar esse servidor de cache. Mais informações aqui http://wiki.dolibarr.org/index.php/Module_MemCached_EN. Note que vários provedores de host web não dispõem de tal servidor de cache. @@ -1279,6 +1301,7 @@ AccountancyCodeBuy=Código de contas de compras CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Mantenha a caixa de seleção “Criar automaticamente o pagamento” vazia por padrão ao criar um novo imposto AgendaSetup=Configurações do módulo de eventos e agenda PasswordTogetVCalExport=Chave para autorizar exportação do link +SecurityKey =Chave de segurança PastDelayVCalExport=Não exportar eventos antigos de AGENDA_DEFAULT_VIEW=Qual visualização você deseja abrir por padrão ao selecionar o menu Agenda AGENDA_REMINDER_BROWSER=Habilitar o lembrete de evento no navegador do usuário (quando a data do lembrete é atingida, um pop-up é mostrado pelo navegador. Cada usuário pode desabilitar tais notificações na configuração de notificação do navegador). @@ -1506,6 +1529,7 @@ ModuleActivated=O módulo %s é ativado e torna a interface mais lenta ModuleSyslogActivatedButLevelNotTooVerbose=O módulo %s está ativado e o nível de registro (%s) está correto (pouco detalhado) IfYouAreOnAProductionSetThis=Se você estiver em um ambiente de produção, deve definir esta propriedade como %s. AntivirusEnabledOnUpload=Antivírus habilitado em arquivos carregados +SomeFilesOrDirInRootAreWritable=Alguns arquivos ou diretórios não estão em modo somente leitura EXPORTS_SHARE_MODELS=Modelos de exportação são compartilhar com todos ExportSetup=Configuração do módulo Export ImportSetup=Configuração do módulo Importar @@ -1549,6 +1573,7 @@ ModuleActivatedMayExposeInformation=Esta extensão PHP pode expor dados confiden ModuleActivatedDoNotUseInProduction=Um módulo projetado para o desenvolvimento foi habilitado. Não o habilite em um ambiente de produção. CombinationsSeparator=Caractere separador para combinações de produtos SeeLinkToOnlineDocumentation=Veja o link para a documentação online no menu superior para exemplos +SHOW_SUBPRODUCT_REF_IN_PDF=Se o recurso "%s" do módulo %s for usado, mostre detalhes dos subprodutos de um kit em PDF. AskThisIDToYourBank=Entre em contato com seu banco para obter este ID AdvancedModeOnly=Permissão disponível apenas no modo de permissão Avançada ConfFileIsReadableOrWritableByAnyUsers=O arquivo conf pode ser lido ou gravado por qualquer usuário. Dê permissão apenas ao usuário e grupo do servidor da web. @@ -1556,3 +1581,11 @@ MailToSendEventOrganization=Organização do Evento AGENDA_EVENT_DEFAULT_STATUS=Status de evento padrão ao criar um evento a partir do formulário YouShouldDisablePHPFunctions=Você deve desabilitar funções PHP IfCLINotRequiredYouShouldDisablePHPFunctions=Exceto se você precisar executar comandos do sistema (para o módulo Trabalho agendado ou para executar o antivírus da linha de comando externa, por exemplo), você deve desabilitar as funções do PHP +NoWritableFilesFoundIntoRootDir=Nenhum arquivo gravável ou diretório de programas comuns foi encontrado em seu diretório raiz (bom) +RecommendedValueIs=Recomendado: %s +ARestrictedPath=Caminho restrito +CheckForModuleUpdate=Verificar se há atualizações para módulos externos +CheckForModuleUpdateHelp=Esta ação se conectará a editores de módulos externos para verificar se uma nova versão está disponível. +ModuleUpdateAvailable=Uma atualização está disponível +NoExternalModuleWithUpdate=Nenhuma atualização encontrada para módulos externos +SwaggerDescriptionFile=Arquivo de descrição da API Swagger (para uso com redoc, por exemplo) diff --git a/htdocs/langs/pt_BR/banks.lang b/htdocs/langs/pt_BR/banks.lang index eb3c644c1e0..4f1ed6e84a7 100644 --- a/htdocs/langs/pt_BR/banks.lang +++ b/htdocs/langs/pt_BR/banks.lang @@ -86,10 +86,8 @@ Reconciled=Conciliada SupplierInvoicePayment=Pagamento do fornecedores WithdrawalPayment=Pedido com pagamento por débito SocialContributionPayment=Pagamento de contribuição social -TransferDesc=Transferência de uma conta para outra, o Dolibarr vai escrever dois registros (um débito na conta de origem e um crédito na conta de destino). A mesma quantia (exceto sinal), rótulo e data serão usados para esta transação) TransferFromToDone=Uma transferência de %s para %s de %s %s foi registrado. ValidateCheckReceipt=Validar este comprovante de cheque? -ConfirmValidateCheckReceipt=Você tem certeza que deseja validar este comprovante de cheque, mesmo sabendo que nenhuma mudança poderá ser feita depois? DeleteCheckReceipt=Excluir este recibo de cheque? ConfirmDeleteCheckReceipt=Você tem certeza que deseja excluir este comprovante de cheque? BankChecks=Cheques do banco @@ -113,7 +111,6 @@ AllAccounts=Todas as contas Banco e Caixa BackToAccount=Voltar para conta ShowAllAccounts=Mostrar todas as contas FutureTransaction=Transação no futuro. Impossível reconciliar -SelectChequeTransactionAndGenerate=Selecione / filtrar cheques para incluir no recibo do cheque caução e clique em "Criar". InputReceiptNumber=Escolha um estrato bancário relacionado com conciliação. Use um valor numérico classificável (tal como, YYYYMM) EventualyAddCategory=Eventualmente, especifique a categoria na qual os registros será classificado ToConciliate=Conciliar? diff --git a/htdocs/langs/pt_BR/bills.lang b/htdocs/langs/pt_BR/bills.lang index 9601e9f7915..03c626761a4 100644 --- a/htdocs/langs/pt_BR/bills.lang +++ b/htdocs/langs/pt_BR/bills.lang @@ -80,7 +80,6 @@ DoPaymentBack=Insira o reembolso EnterPaymentReceivedFromCustomer=Entrar pagamento recebido de cliente EnterPaymentDueToCustomer=Realizar pagamento devido para cliente DisabledBecauseRemainderToPayIsZero=Desabilitado porque o restante a pagar é zero -PriceBase=Preço de base BillStatus=Status de fatura StatusOfGeneratedInvoices=Situação das faturas geradas BillStatusDraft=Rascunho (precisa ser validada) @@ -293,7 +292,6 @@ RegulatedOn=Regulamentado em ChequeNumber=Nº do Cheque ChequeOrTransferNumber=Nº do cheque/transferência ChequeBordereau=Verificar agendamento -ChequeMaker=Cheque/transmissor de Transferência NetToBePaid=Líquido a ser pago PhoneNumber=Telefone FullPhoneNumber=Telefone diff --git a/htdocs/langs/pt_BR/boxes.lang b/htdocs/langs/pt_BR/boxes.lang index 665ab325650..754400bc9cb 100644 --- a/htdocs/langs/pt_BR/boxes.lang +++ b/htdocs/langs/pt_BR/boxes.lang @@ -36,9 +36,6 @@ BoxTitleLastModifiedContacts=Contatos/Endereços: último %s modificado BoxMyLastBookmarks=Marcadores: mais recente %s BoxOldestExpiredServices=Mais antigos serviços ativos expirados BoxLastExpiredServices=Ultimo %s dos contatos com serviço vencido ativo -BoxTitleLastModifiedDonations=Últimas %s doações modificadas -BoxTitleLatestModifiedBoms=%s BOMs modificadas recentemente -BoxTitleLatestModifiedMos=%s ordens de fabricação modificadas recentemente BoxTitleLastOutstandingBillReached=Clientes com máximo pendente excedido BoxGlobalActivity=Atividade global (faturas, propostas, pedidos) BoxScheduledJobs=Tarefas agendadas diff --git a/htdocs/langs/pt_BR/cashdesk.lang b/htdocs/langs/pt_BR/cashdesk.lang index 3a5201ded49..7acdecd580a 100644 --- a/htdocs/langs/pt_BR/cashdesk.lang +++ b/htdocs/langs/pt_BR/cashdesk.lang @@ -25,13 +25,15 @@ Footer=Rodapé AmountAtEndOfPeriod=Montante no final do período (dia, mês ou ano) TheoricalAmount=Quantidade teórica RealAmount=Quantidade real +CashFence=Fechamento de caixa +CashFenceDone=Fechamento de caixa feito para o período NbOfInvoices=Núm. de faturas Paymentnumpad=Tipo de Pad para inserir pagamento Numberspad=Números de Pad BillsCoinsPad=Almofada de moedas e notas DolistorePosCategory=Módulos TakePOS e outras soluções de PDV para Dolibarr -TakeposNeedsCategories=TakePOS precisa de categorias de produtos para funcionar -OrderNotes=Notas de pedidos +TakeposNeedsCategories=TakePOS precisa de pelo menos uma categoria de produto para funcionar +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS precisa de pelo menos 1 categoria de produto na categoria %s para funcionar CashDeskBankAccountFor=Conta padrão a ser usada para pagamentos em NoPaimementModesDefined=Nenhum modo de embalagem definido na configuração do TakePOS TicketVatGrouped=Agrupar IVA por taxa em tickets | recibos @@ -49,11 +51,11 @@ POSModule=Módulo PDV BasicPhoneLayout=Usar layout básico para telefones SetupOfTerminalNotComplete=A configuração do terminal 1%s não está concluída DirectPayment=Pagamento direto +DirectPaymentButton=Adicionar um botão "Pagamento direto em dinheiro" 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 ColorTheme=Tema de cores Colorful=Colorido @@ -62,12 +64,15 @@ SortProductField=Campo para classificação de produtos BrowserMethodDescription=Impressão de recibo simples e fácil. Apenas alguns parâmetros para configurar o recebimento. \nImprimir via navegador. TakeposConnectorMethodDescription=Módulo externo com recursos extras. Possibilidade de imprimir a partir da nuvem. PrintMethod=Método de impressão -ReceiptPrinterMethodDescription=Método poderoso com muitos parâmetros. Completamente personalizável com modelos. Não é possível imprimir a partir da nuvem. ByTerminal=Pelo terminal +TakeposNumpadUsePaymentIcon=Use o ícone em vez do texto nos botões de pagamento do teclado numérico CashDeskRefNumberingModules=Módulo de numeração para vendas PDV CashDeskGenericMaskCodes6 =
A tag {TN} é usada para adicionar o número do terminal TakeposGroupSameProduct=Agrupe as mesmas linhas de produtos StartAParallelSale=Iniciar uma nova venda paralela +SaleStartedAt=Venda iniciada às %s +ControlCashOpening=Controle da caixa pop-up na abertura do PDV +CloseCashFence=Fechar controle de caixa CashReport=Relatório de caixa MainPrinterToUse=Impressora principal a ser usada OrderPrinterToUse=Solicite impressora a ser usada @@ -83,5 +88,11 @@ HideCategoryImages=Ocultar imagens da categoria HideProductImages=Ocultar imagens do produto NumberOfLinesToShow=Número de linhas de imagens a mostrar DefineTablePlan=Definir plano de tabelas +GiftReceiptButton=Adicionar um botão "Recibo para presente" GiftReceipt=Recibo de presente ModuleReceiptPrinterMustBeEnabled=A impressora de recibos do módulo deve ter sido habilitada primeiro +AllowDelayedPayment=Permitir pagamento atrasado +PrintPaymentMethodOnReceipts=Imprimir forma de pagamento em tickets | recibos +WeighingScale=Balança +ShowPriceHT =Exibir coluna de preço sem impostos +ShowPriceHTOnReceipt =Exibir coluna de preço sem impostos no recibo diff --git a/htdocs/langs/pt_BR/categories.lang b/htdocs/langs/pt_BR/categories.lang index 1b369de1186..96b507918ae 100644 --- a/htdocs/langs/pt_BR/categories.lang +++ b/htdocs/langs/pt_BR/categories.lang @@ -3,17 +3,8 @@ Rubrique=Tag/Categoria Rubriques=Tags/Categorias RubriquesTransactions=Tags/Categorias de transações categories=tags/categorias -NoCategoryYet=Nenhuma tag/categoria deste tipo foi criada In=Em CategoriesArea=Área Tags / Categorias -ProductsCategoriesArea=Área tags / categorias de Produtos / Serviços -SuppliersCategoriesArea=Área tags / categorias de fornecedores -CustomersCategoriesArea=Área tags / categorias de Clientes -MembersCategoriesArea=Área tags / categorias de Membros -ContactsCategoriesArea=Área tags / categorias de Contatos -AccountsCategoriesArea=Área tags / categorias de contas bancárias -ProjectsCategoriesArea=Projetos area de tags/categorias -UsersCategoriesArea=Área de tags / categorias de usuários CatList=Lista de tags/categorias CatListAll=Lista tags / categorias (todos os tipos) NewCategory=Nova tag/categoria @@ -82,5 +73,6 @@ AddCustomerIntoCategory=Atribuir categoria ao cliente AddSupplierIntoCategory=Atribuir categoria ao fornecedor ShowCategory=Mostrar tag / categoria ChooseCategory=Escolher categoria +StocksCategoriesArea=Categorias de Armazém +ActionCommCategoriesArea=Categorias de Eventos WebsitePagesCategoriesArea=Categorias de contêiner de página -UseOrOperatorForCategories=Use operador para categorias diff --git a/htdocs/langs/pt_BR/companies.lang b/htdocs/langs/pt_BR/companies.lang index a2e555301a3..6f0f7830869 100644 --- a/htdocs/langs/pt_BR/companies.lang +++ b/htdocs/langs/pt_BR/companies.lang @@ -1,9 +1,7 @@ # Dolibarr language file - Source file is en_US - companies ErrorCompanyNameAlreadyExists=Já existe uma empresa com o nome %s. Escolha um outro. ErrorSetACountryFirst=Defina o país primeiro -ConfirmDeleteCompany=Você tem certeza que deseja excluir esta empresa e toda a informação associada? DeleteContact=Excluir um contato/endereço -ConfirmDeleteContact=Você tem certeza que deseja excluir este contato e toda a informação associada? MenuNewProspect=Novo Prospecto MenuNewPrivateIndividual=Novo particular NewCompany=Nova Empresa (prospecto, cliente, fornecedor) @@ -44,14 +42,13 @@ Region-State=Região - Estado CountryCode=Código do país CountryId=ID do país Call=Chamar -PhonePro=Tel. comercial PhonePerso=Tel. particular PhoneMobile=Celular No_Email=Recusar e-mails em massa Zip=CEP Town=Município Web=Website -DefaultLang=Padrão do idioma +DefaultLang=Idioma padrão VATIsUsed=Imposto usado sobre vendas VATIsNotUsed=O imposto sobre vendas não é usado CopyAddressFromSoc=Copie o endereço do terceiro @@ -227,10 +224,8 @@ SocialNetworksGithubURL=URL GitHub YouMustAssignUserMailFirst=Você deve criar um e-mail para este usuário antes de poder adicionar uma notificação por e-mail. YouMustCreateContactFirst=Para estar apto a adicionar notificações por e-mail, você deve primeiramente definir contatos com e-mails válidos para o terceiro ListSuppliersShort=Lista de fornecedores -LastModifiedThirdParties=Últimos %s alterados por terceiros recentemente ActivityCeased=Inativo ThirdPartyIsClosed=O terceiro está fechado -ProductsIntoElements=Lista de produtos/serviços em %s CurrentOutstandingBill=Notas aberta correntes OutstandingBill=Conta excelente OutstandingBillReached=Máx. para dívida a ser alcançado @@ -238,7 +233,6 @@ LeopardNumRefModelDesc=O código é livre. Esse código pode ser modificado a qu ManagingDirectors=Nome do Representante(CEO,Diretor,Presidente...) MergeOriginThirdparty=Duplicar terceiros (terceiros que deseja excluir) MergeThirdparties=Mesclar terceiros -ConfirmMergeThirdparties=Tem certeza de que deseja mesclar este terceiro no atual? Todos os objetos vinculados (faturas, pedidos, ...) serão movidos para o terceiro atual e, em seguida, o terceiro será excluído. ThirdpartiesMergeSuccess=Terceiros foram mesclados SaleRepresentativeLogin=Login para o representante de vendas SaleRepresentativeLastname=Sobrenome do representante de vendas diff --git a/htdocs/langs/pt_BR/compta.lang b/htdocs/langs/pt_BR/compta.lang index fe65cc7a47c..7af19e55eb8 100644 --- a/htdocs/langs/pt_BR/compta.lang +++ b/htdocs/langs/pt_BR/compta.lang @@ -100,7 +100,6 @@ CheckReceipt=Depósito de cheque CheckReceiptShort=Depósito de cheque LastCheckReceiptShort=Últimos %s recibos de cheque NoWaitingChecks=Sem cheques a depositar. -DateChequeReceived=Data introdução de dados de recepção cheque NbOfCheques=Nº. de cheques PaySocialContribution=Quitar um encargo fiscal/social DeleteSocialContribution=Excluir um pagamento taxa social ou fiscal diff --git a/htdocs/langs/pt_BR/ecm.lang b/htdocs/langs/pt_BR/ecm.lang index ec2187e9913..3c7bb7eddf3 100644 --- a/htdocs/langs/pt_BR/ecm.lang +++ b/htdocs/langs/pt_BR/ecm.lang @@ -32,3 +32,6 @@ FileNotYetIndexedInDatabase=Arquivo ainda não indexado no banco de dados (tente ExtraFieldsEcmFiles=Campos extras Arquivos Ecm ExtraFieldsEcmDirectories=Campos extras Diretórios Ecm ECMSetup=Configuração ECM +GenerateImgWebp=Duplique todas as imagens com outra versão em formato .webp +ConfirmImgWebpCreation=Confirmar duplicação de todas as imagens +SucessConvertImgWebp=Imagens duplicadas com sucesso diff --git a/htdocs/langs/pt_BR/errors.lang b/htdocs/langs/pt_BR/errors.lang index 971fb3d2fe0..83748da8ee5 100644 --- a/htdocs/langs/pt_BR/errors.lang +++ b/htdocs/langs/pt_BR/errors.lang @@ -1,8 +1,6 @@ # Dolibarr language file - Source file is en_US - errors NoErrorCommitIsDone=Sem erros, garantimos ErrorButCommitIsDone=Erros foram encontrados mas, apesar disso, validamos -ErrorBadEMail=E-mail %s está errado -ErrorBadUrl=O URL %s está errado ErrorBadValueForParamNotAString=Valor ruim para o seu parâmetro por falta, possivelmente, de tradução. ErrorRecordNotFound=Registro não encontrado. ErrorFailToCopyFile=Houve uma falha ao copiar o arquivo '%s' para '%s'. @@ -33,8 +31,6 @@ ErrorBadDateFormat=O valor '%s' tem o formato de data errada ErrorWrongDate=A data não está correta! ErrorFailedToWriteInDir=Houve uma falha ao escrever no diretório %s ErrorFoundBadEmailInFile=Encontrado uma sintaxe de e-mail incorreta para as linhas %s no arquivo (por exemplo, linha %s com e-mail = %s) -ErrorFieldsRequired=Alguns campos obrigatórios não foram preenchidos. -ErrorSubjectIsRequired=O campo do e-mail é obrigatório ErrorFailedToCreateDir=Error na creação de uma carpeta. Compruebe que 0 usuario del servidor Web tiene derechos de escritura en las carpetas de documentos de Dolibarr. Si 0 parámetro safe_mode está ativo en este PHP, Compruebe que los archivos php dolibarr pertencen ao usuario del servidor Web. ErrorNoMailDefinedForThisUser=Nenhum e-mail definido para este usuário ErrorFeatureNeedJavascript=Esta funcionalidade requer que o javascript seja ativado para funcionar. Altere isto em Configuração >> Aparência. diff --git a/htdocs/langs/pt_BR/eventorganization.lang b/htdocs/langs/pt_BR/eventorganization.lang new file mode 100644 index 00000000000..1046596e57e --- /dev/null +++ b/htdocs/langs/pt_BR/eventorganization.lang @@ -0,0 +1,7 @@ +# Dolibarr language file - Source file is en_US - eventorganization +ModuleEventOrganizationName =Organização do Evento +EventOrganizationDescription =Organização do Evento atraves do modulo Projetos +EventOrganizationMenuLeft =Eventos organizados +EventOrganizationSetup =Configuracao de Organização do Evento +EventOrganizationSetupPage =Organização do Eventos pagina de configuracao +EvntOrgDraft =Minuta diff --git a/htdocs/langs/pt_BR/loan.lang b/htdocs/langs/pt_BR/loan.lang index a80c1b95f0d..c3d86606ecb 100644 --- a/htdocs/langs/pt_BR/loan.lang +++ b/htdocs/langs/pt_BR/loan.lang @@ -16,6 +16,9 @@ LoanPaid=Empréstimo pago ListLoanAssociatedProject=Lista de empréstimos associados ao projeto InterestAmount=Juro CapitalRemain=Capital permanecem +TermPaidAllreadyPaid =Este termo já está pago +CantUseScheduleWithLoanStartedToPaid =Não é possível usar programador para empréstimo com o pagamento iniciado +CantModifyInterestIfScheduleIsUsed =Você não pode alterar o interesse se usar o programador LOAN_ACCOUNTING_ACCOUNT_CAPITAL=Capital contabilístico por padrão LOAN_ACCOUNTING_ACCOUNT_INTEREST=Interesse contabilístico por padrão LOAN_ACCOUNTING_ACCOUNT_INSURANCE=Seguro contabilístico por padrão diff --git a/htdocs/langs/pt_BR/mails.lang b/htdocs/langs/pt_BR/mails.lang index 54faf80d28a..2059a57d9fb 100644 --- a/htdocs/langs/pt_BR/mails.lang +++ b/htdocs/langs/pt_BR/mails.lang @@ -9,7 +9,6 @@ MailTo=Destinatário(s) MailToUsers=Para usuário (s) MailCC=Copiar para MailToCCUsers=Copiar para o (s) usuário (s) -MailTopic=Tópico de e-mail MailFile=Arquivos anexados SubjectNotIn=Não no assunto BodyNotIn=Não no corpo @@ -51,6 +50,7 @@ NbSelected=Número selecionado NbIgnored=Número ignorado NbSent=Número enviado MailingModuleDescContactsByCompanyCategory=Contatos por categoria de terceiros +EmailCollectorFilterDesc=Todos os filtros devem corresponder para que um e-mail seja coletado LineInFile=Linha %s em arquivo RecipientSelectionModules=Módulos de seleção dos destinatários MailSelectedRecipients=Destinatários selecionados @@ -71,6 +71,11 @@ TagUnsubscribe=Atalho para se desenscrever EMailRecipient=E-mail do destinatário TagMailtoEmail=E-mail do destinatário (incluindo o link "mailto:" em html) NoEmailSentBadSenderOrRecipientEmail=Nenhum e-mail enviado. Bad remetente ou destinatário de e-mail. Verifique perfil de usuário. +NotificationsAuto=Notificações automáticas. +NoNotificationsWillBeSent=Nenhuma notificação automática por e-mail está planejada para este tipo de evento e empresa +ANotificationsWillBeSent=01 notificação automática será enviada por e-mail +SomeNotificationsWillBeSent=%s notificações automáticas serão enviadas por e-mail +AddNewNotification=Inscreva-se para receber uma nova notificação automática por e-mail (destino / evento) MailSendSetupIs=Configuração do envio de e-mails foi configurado a '%s'. Este modo não pode ser usado para envios de massa de e-mails. MailSendSetupIs2=Voçê precisa primeiramente acessar com uma conta de Administrador o menu %sInicio - Configurações - E-mails%s para mudar o parâmetro '%s' para usar o modo '%s'. Neste modo você pode entrar a configuração do servidor SMTP fornecido pelo seu Provedor de Acesso a Internet e usar a funcionalidade de envios de massa de e-mails. MailSendSetupIs3=Se tiver perguntas sobre como configurar o seu servidor SMTP voçê pode perguntar %s. @@ -78,6 +83,7 @@ YouCanAlsoUseSupervisorKeyword=Você também pode adicionar a palavra-chave email; nome; nome; outro
UseFormatInputEmailToTarget=Digite uma string com o formato email; nome; nome; outro +AdvTgtSearchTextHelp=Use %% como curingas. Por exemplo, para encontrar todos os itens como jean, joe, jim, você pode inserir j %%, você também pode usar; como separador de valor e use! para exceto este valor. Por exemplo, jean; joe; jim %% ;! jimo;! Jima %% terá como alvo todos os jean, joe, começar com jim, mas não jimo e nem tudo que começa com jima AdvTgtSearchIntHelp=Use o intervalo para selecionar o valor int ou flutuante AdvTgtSearchDtHelp=Use o intervalo para selecionar o valor da data AdvTgtStartDt=Data in. @@ -91,4 +97,15 @@ AdvTgtDeleteFilter=Excluir filtro AdvTgtSaveFilter=Salvar filtro NoContactWithCategoryFound=Nenhum foi encontrado nenhum contato/endereço com uma categoria NoContactLinkedToThirdpartieWithCategoryFound=Nenhum foi encontrado nenhum contato/endereço com uma categoria +OutGoingEmailSetup=Emails de saída +InGoingEmailSetup=Recebendo e-mails +OutGoingEmailSetupForEmailing=Emails de saída (para o módulo %s) +DefaultOutgoingEmailSetup=Mesma configuração que a configuração global de envio de e-mail ContactsWithThirdpartyFilter=Contatos com filtro de terceiros +Unanswered=Sem resposta +Answered=Respondidos +IsNotAnAnswer=Não é resposta (e-mail inicial) +IsAnAnswer=Resposta de um e-mail inicial +RecordCreatedByEmailCollector=Registro criado pelo coletor de e-mail %s a partir do e-mail %s +DefaultBlacklistMailingStatus=Status de contato padrão para recusar envio de e-mail em massa +DefaultStatusEmptyMandatory=Vazio mas obrigatório diff --git a/htdocs/langs/pt_BR/main.lang b/htdocs/langs/pt_BR/main.lang index c4a455b03d6..be491366987 100644 --- a/htdocs/langs/pt_BR/main.lang +++ b/htdocs/langs/pt_BR/main.lang @@ -115,7 +115,6 @@ SaveAndStay=Salvar e permanecer SaveAndNew=Salvar e novo TestConnection=Teste a login ToClone=Cópiar -ConfirmClone=Escolha o dado que voce quer clonar NoCloneOptionsSpecified=Não existem dados definidos para copiar Go=Ir Run=Attivo @@ -144,7 +143,6 @@ Model=Template doc DefaultModel=Modelo de documento padrão Action=Ação About=Acerca de -NumberByMonth=Numero por mes Limit=Límite Logout=Sair NoLogoutProcessWithAuthMode=No recurso de desconexão aplicativo com modo de autenticação @@ -180,8 +178,6 @@ Morning=Manha Quadri=Trimistre CurrencyRate=Taxa de conversão moeda UseLocalTax=Incluindo taxa -UserAuthor=Usuário da criação -UserModif=Usuário da última atualização Default=Padrao DefaultValue=Valor por default DefaultValues=Valores / filtros / classificação padrão @@ -279,6 +275,8 @@ Categories=Tags / categorias Category=Tag / categoria to=para To=para +ToDate=para +ToLocation=para OtherInformations=Outra informação ApprovedBy2=Aprovado pelo (segunda aprovação) ClosedAll=Fechados(Todos) diff --git a/htdocs/langs/pt_BR/margins.lang b/htdocs/langs/pt_BR/margins.lang index 36c8bb59d1d..256120dc74e 100644 --- a/htdocs/langs/pt_BR/margins.lang +++ b/htdocs/langs/pt_BR/margins.lang @@ -12,6 +12,7 @@ ContactOfInvoice=Contato da fatura UserMargins=Margens do usuário ProductService=Produto ou serviço ForceBuyingPriceIfNull=Compra Força preço / custo para o preço de venda se não definido +ForceBuyingPriceIfNullDetails=Se o preço de compra / custo não for fornecido quando adicionar uma nova linha, e esta opção estiver "ON", a margem será 0 na nova linha (preço de compra / custo = preço de venda). Se esta opção estiver "OFF" (recomendado), a margem será igual ao valor sugerido por padrão (e pode ser 100% se nenhum valor padrão for encontrado). MARGIN_METHODE_FOR_DISCOUNT=Metodologia de margem para descontos globais MARGIN_METHODE_FOR_DISCOUNT_DETAILS=Define se um desconto global e tratado como o produto, serviço, ou somente sob o sub-total na margem. MARGIN_TYPE=Compra / Preço de custo sugerido por padrão para cálculo da margem de diff --git a/htdocs/langs/pt_BR/members.lang b/htdocs/langs/pt_BR/members.lang index a85d5fdddf2..e5c1dfd70e5 100644 --- a/htdocs/langs/pt_BR/members.lang +++ b/htdocs/langs/pt_BR/members.lang @@ -11,13 +11,11 @@ FundationMembers=Membros da fundação ErrorMemberIsAlreadyLinkedToThisThirdParty=Outro membro já está vinculado a um terceiro. Remover este link em primeiro lugar porque um terceiro não pode ser ligado a apenas um membro (e vice-versa). ErrorUserPermissionAllowsToLinksToItselfOnly=Por razões de segurança, você deve ter permissões para editar todos os usuários sejam capazes de ligar um membro a um usuário que não é seu. SetLinkToThirdParty=Link para um fornecedor Dolibarr -MembersCards=Cartões de Membros MembersListResiliated=Lista de membros encerrados MenuMembersResiliated=Membros encerrados MembersWithSubscriptionToReceiveShort=Assinatura a receber DateSubscription=data filiação DateEndSubscription=data final filiação -EndSubscription=fim filiação SubscriptionId=Id adesão MemberId=Id adesão MemberStatusDraft=Minuta (requer confirmação) @@ -41,8 +39,6 @@ ListOfSubscriptions=Lista de Filiações SendCardByMail=Enviar cartão por e-mail NoTypeDefinedGoToSetup=nenhum tipo de membro definido. ir a configuração -> Tipos de Membros WelcomeEMail=Bem-vindo e-mail -Physical=Físico -Reenable=Reativar ResiliateMember=Encerrar um membro ConfirmResiliateMember=Você tem certeza que deseja encerrar este membro? ConfirmDeleteMember=Você tem certeza que deseja excluir este membro (a exclusão de um membro excluirá todas as suas assinaturas)? @@ -91,22 +87,15 @@ LastSubscriptionAmount=Quantidade da última assinatura MembersStatisticsByTown=Membros estatísticas por cidade MembersStatisticsByRegion=Membros por região estatísticas NoValidatedMemberYet=Nenhum membro validados encontrado -MembersByCountryDesc=Esta tela mostrará estatísticas sobre usuários por países. Gráfico depende, contudo, do Google serviço gráfico on-line e está disponível apenas se uma conexão à Internet é está funcionando. -MembersByStateDesc=Esta tela mostrará estatísticas sobre usuários por estado / província / cantão. -MembersByTownDesc=Esta tela mostrará estatísticas sobre usuários por cidade. MembersStatisticsDesc=Escolha as estatísticas que você quer ler ... MenuMembersStats=Estatísticas LatestSubscriptionDate=Data da última adesão -MemberNature=Natureza do membro -Public=Informações são públicas NewMemberbyWeb=Novo membro adicionado. Aguardando aprovação NewMemberForm=Formulário para novo membro NbOfSubscriptions=Número de inscrições TurnoverOrBudget=Volume de negócios (para uma empresa) ou de orçamento (para uma fundação) CanEditAmount=Visitante pode escolher/editar quantidade da sua subscrição MEMBER_NEWFORM_PAYONLINE=Ir na página de pagamento online integrado -MembersByNature=Esta tela mostrará estatísticas por natureza de usuários. -MembersByRegion=Esta tela mostrará estatísticas sobre usuários por região. VATToUseForSubscriptions=Taxa de VAT para utilizar as assinaturas NoVatOnSubscription=Nenhum IVA para assinaturas ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produto utilizado para a linha de assinatura em nota fiscal: %s diff --git a/htdocs/langs/pt_BR/orders.lang b/htdocs/langs/pt_BR/orders.lang index f6d903c07da..fcfe59e46b1 100644 --- a/htdocs/langs/pt_BR/orders.lang +++ b/htdocs/langs/pt_BR/orders.lang @@ -13,6 +13,8 @@ NewOrder=Novo Pedido NewOrderSupplier=Novo Pedido de Compra ToOrder=Realizar Pedido MakeOrder=Realizar Pedido +SaleOrderLines=Linhas do pedido de venda +PurchaseOrderLines=Linhas do pedido de compra SuppliersOrdersRunning=Pedidos de compra atuais CustomerOrder=Pedido de venda CustomersOrders=Ordens de venda diff --git a/htdocs/langs/pt_BR/other.lang b/htdocs/langs/pt_BR/other.lang index 3bb86856d85..e6a654c328d 100644 --- a/htdocs/langs/pt_BR/other.lang +++ b/htdocs/langs/pt_BR/other.lang @@ -102,7 +102,6 @@ AuthenticationDoesNotAllowSendNewPassword=o modo de autentificação de Dolibarr EnableGDLibraryDesc=Instale ou ative a biblioteca GD da sua instalação PHP para usar esta opção. ProfIdShortDesc=Prof Id %s é uma informação dePendente do país do Fornecedor.
Por Exemplo, para o país %s, é o código %s. StatsByNumberOfUnits=Estatisticas para soma das quantidades nos produtos/servicos -StatsByNumberOfEntities=Estatísticas em número de entidades de referência (nº. de faturas ou ordens ...) NumberOfProposals=Numero de propostas NumberOfCustomerOrders=Número de pedidos de vendas NumberOfCustomerInvoices=Numero de faturas de clientes diff --git a/htdocs/langs/pt_BR/partnership.lang b/htdocs/langs/pt_BR/partnership.lang new file mode 100644 index 00000000000..f7f9aa53929 --- /dev/null +++ b/htdocs/langs/pt_BR/partnership.lang @@ -0,0 +1,14 @@ +# Dolibarr language file - Source file is en_US - partnership +ModulePartnershipName =Configuracoes de Parcerias +PartnershipDescription =Módulo gerenciamento de parcerias +PartnershipDescriptionLong=Módulo gerenciamento de parcerias +NewPartnership =Nova parceria +ListOfPartnerships =Lista de parcerias +PartnershipSetup =Configuracao de parcerias +PartnershipAbout =Sobre parcerias +PartnershipAboutPage =Pagina sobre parcerias +DatePartnershipStart=Data de início +DatePartnershipEnd=Data de término +PartnershipDraft =Rascunho +PartnershipAccepted =Aceita +PartnershipCanceled =Cancelada diff --git a/htdocs/langs/pt_BR/productbatch.lang b/htdocs/langs/pt_BR/productbatch.lang index 214042acf7e..45766536b7e 100644 --- a/htdocs/langs/pt_BR/productbatch.lang +++ b/htdocs/langs/pt_BR/productbatch.lang @@ -24,4 +24,8 @@ SerialNumberAlreadyInUse=O número de série %s já é usado para o produto %s TooManyQtyForSerialNumber=Você só pode ter um produto %s para o número de série %s BatchLotNumberingModules=Opções para geração automática de produtos em lote gerenciados por lotes BatchSerialNumberingModules=Opções para geração automática de produtos em lote gerenciados por números de série +ManageLotMask=Máscara personalizada +CustomMasks=Adiciona uma opção para definir máscara no cartão do produto +LotProductTooltip=Adiciona opção ao cartão do produto para definir uma máscara de número de lote dedicado +SNProductTooltip=Adiciona opção ao cartão do produto para definir uma máscara de número de série dedicada QtyToAddAfterBarcodeScan=Quantidade a adicionar para cada código de barras / lote / série digitalizada diff --git a/htdocs/langs/pt_BR/products.lang b/htdocs/langs/pt_BR/products.lang index a6538a7a297..ae31027f0ab 100644 --- a/htdocs/langs/pt_BR/products.lang +++ b/htdocs/langs/pt_BR/products.lang @@ -28,7 +28,6 @@ ServicesOnPurchase=Serviços para compra ServicesOnPurchaseOnly=Serviços somente para compra ServicesNotOnSell=Serviços não para venda e não para compra ServicesOnSellAndOnBuy=Serviços para venda e compra -LastModifiedProductsAndServices=Últimos %s produtos | serviços alterados recentemente LastRecordedProducts=Últimos %s produtos gravados LastRecordedServices=Últimos %s serviços gravados Stock=Estoque @@ -49,10 +48,8 @@ AppliedPricesFrom=Aplicado a partir de SellingPriceHT=Preço de venda (sem impostos) SellingPriceTTC=Preço de venda (incl. taxas) SellingMinPriceTTC=Preço mínimo de venda (incl. taxas) -CostPriceDescription=Este campo de preço (livre de impostos) pode ser usado para armazenar a quantidade média do custo do produto para sua empresa. Pode ser qualquer preço a se calcular, por exemplo, a partir do preço médio de compra mais o custo médio de produção e distribuição. SoldAmount=Total vendido PurchasedAmount=Total comprado -MinPrice=Preço mínimo de venda CantBeLessThanMinPrice=O preço de venda não deve ser inferior ao mínimo para este produto (%s ICMS) ErrorProductBadRefOrLabel=O valor da referencia ou etiqueta é incorreto ErrorProductClone=Aconteceu um problema durante a clonação do produto ou serviço. @@ -91,19 +88,13 @@ Finished=Produto manufaturado RowMaterial=Materia prima ConfirmCloneProduct=Você tem certeza que deseja clonar o produto ou serviço %s? ClonePricesProduct=Clonar preços -CloneCategoriesProduct=Clonar tags / categorias vinculadas -CloneCompositionProduct=Clonar produto/serviço virtual -CloneCombinationsProduct=Clonar variantes do produto ProductIsUsed=Este produto é usado SellingPrices=Preços para Venda BuyingPrices=Preços para Compra CustomerPrices=Preços de cliente SuppliersPrices=Preços de fornecedores SuppliersPricesOfProductsOrServices=Preços do fornecedor (produtos ou serviços) -CountryOrigin=Pais de origem -Nature=Natureza do produto (material / finalizado) NatureOfProductShort=Natureza do produto -NatureOfProductDesc=Matéria-prima ou produto acabado ShortLabel=Etiqueta curta set=conjunto se=conjunto diff --git a/htdocs/langs/pt_BR/propal.lang b/htdocs/langs/pt_BR/propal.lang index 3e2b3ad68cb..77f43b79c1e 100644 --- a/htdocs/langs/pt_BR/propal.lang +++ b/htdocs/langs/pt_BR/propal.lang @@ -66,3 +66,5 @@ CaseFollowedBy=Caso seguido por SignedOnly=Apenas assinado IdProposal=ID da proposta IdProduct=ID do produto +PrParentLine=Linha principal da proposta +LineBuyPriceHT=Comprar com valor do preço líquido de impostos para a linha diff --git a/htdocs/langs/pt_BR/receiptprinter.lang b/htdocs/langs/pt_BR/receiptprinter.lang index fcf16791aac..0df22f16fcc 100644 --- a/htdocs/langs/pt_BR/receiptprinter.lang +++ b/htdocs/langs/pt_BR/receiptprinter.lang @@ -43,7 +43,7 @@ DOL_DOUBLE_WIDTH=Tamanho duplo para largura DOL_DEFAULT_HEIGHT_WIDTH=Tamanho padrão para altura e largura DOL_UNDERLINE=Habilitar sublinhado DOL_UNDERLINE_DISABLED=Desabilitar sublinhado -DOL_BEEP=Som Beep +DOL_BEEP=Sinal sonoro DOL_VALUE_MONTH_LETTERS=Ano da fatura DOL_VALUE_MONTH=Ano da fatura DOL_VALUE_DAY_LETTERS=Data da fatura em letras diff --git a/htdocs/langs/pt_BR/salaries.lang b/htdocs/langs/pt_BR/salaries.lang index f89fa23a5d5..28c7dfdb337 100644 --- a/htdocs/langs/pt_BR/salaries.lang +++ b/htdocs/langs/pt_BR/salaries.lang @@ -2,7 +2,7 @@ SALARIES_ACCOUNTING_ACCOUNT_PAYMENT=Conta contábil usada para terceiros usuários SALARIES_ACCOUNTING_ACCOUNT_PAYMENT_Desc=A conta contábil dedicada definida no cartão de usuário será usada somente para a contabilidade da Subconta. Este será usado para Contabilidade Geral e como valor padrão da contabilidade do Contador, se a conta contábil do usuário dedicada no usuário não estiver definida. SALARIES_ACCOUNTING_ACCOUNT_CHARGE=Conta da Contabilidade padrão para pagamentos de salário -NewSalaryPayment=Novo pagamento de salário +NewSalaryPayment=Novo cartão de salário AddSalaryPayment=Adicionar pagamento de salário SalaryPayment=Pagamento de salário SalariesPayments=Pagamentos de salários diff --git a/htdocs/langs/pt_BR/sendings.lang b/htdocs/langs/pt_BR/sendings.lang index 88024602add..a3384bcf3ab 100644 --- a/htdocs/langs/pt_BR/sendings.lang +++ b/htdocs/langs/pt_BR/sendings.lang @@ -25,7 +25,6 @@ ConfirmValidateSending=Tem certeza que quer validar o envio com referencia %s ConfirmCancelSending=Tem certeza que quer cancelar este envio? DocumentModelMerou=Modelo A5 Merou WarningNoQtyLeftToSend=Atenção, nenhum produto à espera de ser enviado. -StatsOnShipmentsOnlyValidated=Estatisticas referentes os envios , mas somente validados. Data usada e data da validacao do envio ( a data planejada da entrega nao e sempre conhecida). DateDeliveryPlanned=Data prevista para o fornecimento RefDeliveryReceipt=Recibo de entrega StatusReceipt=Recibo de entrega de status @@ -45,6 +44,7 @@ NoProductToShipFoundIntoStock=Nenhum produto para enviar encontrado no armazém WeightVolShort=Peso/Vol. ValidateOrderFirstBeforeShipment=Você deve primeiro, antes de fazer as remessas, confirmar o pedido. DocumentModelTyphon=Modelo de Documento Typhon +DocumentModelStorm=Modelo de documento mais completo para comprovantes de entrega e compatibilidade com extracampos (logo ...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constante EXPEDITION_ADDON_NUMBER nao definida SumOfProductVolumes=Soma do volume dos pedidos SumOfProductWeights=Soma do peso dos produtos diff --git a/htdocs/langs/pt_BR/stocks.lang b/htdocs/langs/pt_BR/stocks.lang index 80ddaec846f..3848837d4e1 100644 --- a/htdocs/langs/pt_BR/stocks.lang +++ b/htdocs/langs/pt_BR/stocks.lang @@ -10,6 +10,8 @@ CancelSending=Cancelar envio DeleteSending=Apagar envio MissingStocks=Estoques ausentes StockAtDate=Estoques por data +StockAtDateInPast=Data no passado +StockAtDateInFuture=Data no futuro StocksByLotSerial=Estoques por lote/nº de série LotSerial=Lotes/Series LotSerialList=Listagem de lotes/series @@ -21,6 +23,8 @@ StocksArea=Setor de armazenagem AllWarehouses=Todos os armazéns IncludeEmptyDesiredStock=Inclui também estoque negativo com estoque desejado indefinido IncludeAlsoDraftOrders=Incluir também projetos de pedidos +LocationSummary=Nome curto do lugar +NumberOfDifferentProducts=Numero de produtos unicos NumberOfProducts=Número total de produtos LastMovement=Último movimento CorrectStock=Corrigir estoque @@ -33,6 +37,7 @@ StockTooLow=Estoque muito baixo EnhancedValueOfWarehouses=Valor de estoques AllowAddLimitStockByWarehouse=Gerenciar também o valor do estoque mínimo e desejado por emparelhamento (armazém de produtos), além do valor do estoque mínimo e desejado por produto RuleForWarehouse=Regra para armazéns +WarehouseAskWarehouseOnThirparty=Inserir estoque no terceiro WarehouseAskWarehouseDuringPropal=Definir um armazém em propostas comerciais WarehouseAskWarehouseDuringOrder=Definir um armazém em Pedidos de venda UserDefaultWarehouse=Definir um armazém em Usuários @@ -120,6 +125,7 @@ ProductStockWarehouseCreated=Limite de estoque para alerta e estoque ótimo dese ProductStockWarehouseUpdated=Limite de estoque para alerta e estoque ótimo desejado corretamente atualizados ProductStockWarehouseDeleted=Limite de estoque para alerta e estoque ótimo desejado corretamente excluídos AddNewProductStockWarehouse=Definir novo limite para alerta e estoque ótimo desejado +inventoryDeletePermission=Remover inventario inventoryDraft=Em vigência inventoryOfWarehouse=Inventário para depósito: %s inventoryErrorQtyAdd=Erro: a quantidade é menor que zero @@ -137,6 +143,12 @@ AlwaysShowFullArbo=Exibir a árvore completa do armazém no pop-up dos links do StockAtDatePastDesc=Você pode ver aqui o estoque (estoque real) em uma determinada data no passado CurrentStock=Estoque atual InventoryRealQtyHelp=Defina o valor como 0 para redefinir o campo qty
Keep vazio ou remova a linha para mantê-lo inalterado +UpdateByScaning=Preencher quantidade real com escaneamento UpdateByScaningProductBarcode=Atualização por digitalização (código de barras do produto) UpdateByScaningLot=Atualizar por varredura (lote | código de barras serial) DisableStockChangeOfSubProduct=Desative a mudança de estoque para todos os subprodutos deste Kit durante esta movimentação. +ImportFromCSV=Importar lista de movimentos em CSV +LabelOfInventoryMovemement=Inventario 1%s +ObjectNotFound=1%s nao encontrado +MakeMovementsAndClose=Gerar movimentos e fechar +AutofillWithExpected=Inserir quantidade real com quantidade esperada diff --git a/htdocs/langs/pt_BR/users.lang b/htdocs/langs/pt_BR/users.lang index aff26cf4ed4..2c5afbce683 100644 --- a/htdocs/langs/pt_BR/users.lang +++ b/htdocs/langs/pt_BR/users.lang @@ -88,7 +88,6 @@ UseTypeFieldToChange=Use campo Tipo para mudar OpenIDURL=URL do OpenID LoginUsingOpenID=Usar o OpenID para efetuar o login WeeklyHours=Horas trabalhadas (por semana) -ExpectedWorkedHours=Horas trabalhadas esperadas por semana ColorUser=Cor do usuario UserAccountancyCode=Código de contabilidade do usuário UserLogoff=Usuário desconetado diff --git a/htdocs/langs/pt_PT/accountancy.lang b/htdocs/langs/pt_PT/accountancy.lang index 9c2a8102eac..ee7e7a6310f 100644 --- a/htdocs/langs/pt_PT/accountancy.lang +++ b/htdocs/langs/pt_PT/accountancy.lang @@ -202,7 +202,7 @@ Docref=Referência LabelAccount=Etiqueta de conta LabelOperation=Operação de etiqueta Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Código de rotulação Lettering=Lettering Codejournal=Diário @@ -297,7 +297,7 @@ NoNewRecordSaved=Não há mais registros para journalize ListOfProductsWithoutAccountingAccount=Lista de produtos não vinculados a qualquer conta contabilística ChangeBinding=Alterar vinculação Accounted=Contabilizado no ledger -NotYetAccounted=Ainda não contabilizado no razão +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/pt_PT/admin.lang b/htdocs/langs/pt_PT/admin.lang index b5400f7bcac..42b4c51e694 100644 --- a/htdocs/langs/pt_PT/admin.lang +++ b/htdocs/langs/pt_PT/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remova / renomeie o arquivo %s se existir, para permitir o u RestoreLock=Restaure o arquivo %s , apenas com permissão de leitura, para desativar qualquer uso posterior da ferramenta Atualizar / Instalar. SecuritySetup=Configuração de segurança PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Defina aqui opções relacionadas com a segurança de ficheiros carregados. ErrorModuleRequirePHPVersion=Erro, este módulo requer a versão %s ou superior do PHP ErrorModuleRequireDolibarrVersion=Erro, este módulo requer a versão %s ou superior do Dolibarr @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Não sugerir NoActiveBankAccountDefined=Nenhuma conta bancária ativa definida OwnerOfBankAccount=Titular da conta bancária %s BankModuleNotActive=O módulo de contas bancarias não se encontra ativado -ShowBugTrackLink=Mostrar hiperligação "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alertas DelaysOfToleranceBeforeWarning=Atrase antes de exibir um alerta de aviso para: DelaysOfToleranceDesc=Defina o atraso antes que um ícone de alerta %s seja mostrado na tela para o elemento atrasado. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Deve executar este comando a pa YourPHPDoesNotHaveSSLSupport=Funções SSL não estão disponíveis no seu PHP DownloadMoreSkins=Mais temas para descarregar SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Mostrar id profissional com endereços ShowVATIntaInAddress=Ocultar número de IVA intracomunitário com endereços TranslationUncomplete=Tradução parcial @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/pt_PT/banks.lang b/htdocs/langs/pt_PT/banks.lang index 71855ac6da8..85603fd0468 100644 --- a/htdocs/langs/pt_PT/banks.lang +++ b/htdocs/langs/pt_PT/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Pagamento da taxa social/fiscal BankTransfer=Transferência de crédito BankTransfers=Transferências de crédito MenuBankInternalTransfer=Transferência interna -TransferDesc=Transferência de uma conta para outra, Dolibarr escreverá dois registros (um débito na conta de origem e um crédito na conta de destino). O mesmo valor (exceto sinal), rótulo e data serão usados para esta transação) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=De TransferTo=Para TransferFromToDone=A transferência de %s para %s de %s %s foi criado. -CheckTransmitter=Emissor +CheckTransmitter=Remetente ValidateCheckReceipt=Validar este recibo do cheque? -ConfirmValidateCheckReceipt=Tem a certeza que deseja validar este recibo do cheque (não será possível alterar depois de validado)? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Eliminar este recibo do cheque? ConfirmDeleteCheckReceipt=Tem a certeza que deseja eliminar este recibo do cheque? BankChecks=Cheques @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Tem a certeza que deseja eliminar esta entrada? ThisWillAlsoDeleteBankRecord=Isto também eliminará a entrada bancária gerada BankMovements=Movimentos PlannedTransactions=Entradas previstas -Graph=Gráficos +Graph=Graphs ExportDataset_banque_1=Entradas bancárias e extrato de conta ExportDataset_banque_2=Comprovativo de depósito TransactionOnTheOtherAccount=Transacção sobre outra Conta @@ -142,7 +142,7 @@ AllAccounts=Todas as contas bancárias e de caixa BackToAccount=Voltar à Conta ShowAllAccounts=Mostrar para todas as Contas FutureTransaction=Transação futura. Incapaz de reconciliar. -SelectChequeTransactionAndGenerate=Selecione / filtrar cheques para incluir no recibo do cheque e clique em "Criar". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Escolha o extrato bancário relacionado com a conciliação. Use um valor numérico classificável: YYYYMM ou YYYYMMDD EventualyAddCategory=Eventualmente, especifique uma categoria que deseja classificar os movimentos ToConciliate=Para reconciliar? diff --git a/htdocs/langs/pt_PT/bills.lang b/htdocs/langs/pt_PT/bills.lang index 7ad76c2e3ea..a439d38632e 100644 --- a/htdocs/langs/pt_PT/bills.lang +++ b/htdocs/langs/pt_PT/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Converter o excesso pago em desconto disponível EnterPaymentReceivedFromCustomer=Adicionar pagamento recebido de cliente EnterPaymentDueToCustomer=Realizar pagamento de recibos à cliente DisabledBecauseRemainderToPayIsZero=Desativado porque o restante não pago é zero -PriceBase=preço base +PriceBase=Base price BillStatus=Estado da fatura StatusOfGeneratedInvoices=Estado das faturas geradas BillStatusDraft=Rascunho (precisa de ser validado) @@ -454,7 +454,7 @@ RegulatedOn=Regulado em ChequeNumber=Cheque nº ChequeOrTransferNumber=Cheque/Transferência nº ChequeBordereau=Verifique o horário -ChequeMaker=Transmissor do Cheque/Transferência +ChequeMaker=Check/Transfer sender ChequeBank=Banco do cheque CheckBank=Verificar NetToBePaid=Quantia líquida a pagar diff --git a/htdocs/langs/pt_PT/boxes.lang b/htdocs/langs/pt_PT/boxes.lang index 0573f7e4001..ee2cd22129a 100644 --- a/htdocs/langs/pt_PT/boxes.lang +++ b/htdocs/langs/pt_PT/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Marcadores: último %s BoxOldestExpiredServices=Mais antigos ativos de serviços vencidos BoxLastExpiredServices=Últimos %s contactos mais antigos com serviços ativos expirados BoxTitleLastActionsToDo=Últimas %s ações a fazer -BoxTitleLastContracts=Últimos %s contratos modificados -BoxTitleLastModifiedDonations=Últimos %s donativos modificados -BoxTitleLastModifiedExpenses=Últimos %s relatórios de despesas modificados -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Atividade global (faturas, orçamentos, encomendas) BoxGoodCustomers=Bons clientes diff --git a/htdocs/langs/pt_PT/cashdesk.lang b/htdocs/langs/pt_PT/cashdesk.lang index 4c30714cba3..cf648b5eb8a 100644 --- a/htdocs/langs/pt_PT/cashdesk.lang +++ b/htdocs/langs/pt_PT/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Chão AddTable=Adicionar mesa Place=Lugar, colocar TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Encomendar impressoras +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Pesquisar produto Receipt=Ordem Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Navegador BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/pt_PT/categories.lang b/htdocs/langs/pt_PT/categories.lang index fdc8741b851..8f2ef0077b4 100644 --- a/htdocs/langs/pt_PT/categories.lang +++ b/htdocs/langs/pt_PT/categories.lang @@ -3,20 +3,20 @@ Rubrique=Etiqueta/Categoria Rubriques=Etiquetas/Categorias RubriquesTransactions=Etiquetas/Categorias de transações categories=etiquetas/categorias -NoCategoryYet=Nenhuma etiqueta/categoria deste tipo foi criada +NoCategoryYet=No tag/category of this type has been created In=em AddIn=Adicionar em modify=Modificar Classify=Classificar CategoriesArea=Área de etiquetas/categorias -ProductsCategoriesArea=Área de etiquetas/categorias de produtos/serviços -SuppliersCategoriesArea=Área de tags / categorias de fornecedores -CustomersCategoriesArea=Área de etiquetas/categorias de clientes -MembersCategoriesArea=Área de etiquetas/categorias de membros -ContactsCategoriesArea=Área de etiquetas/categorias de contactos -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Área de etiquetas/categorias de projetos -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Subcategorias CatList=Lista de etiquetas/categorias CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Escolha a categoria StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/pt_PT/companies.lang b/htdocs/langs/pt_PT/companies.lang index 4ee185ca7d9..cdcce005410 100644 --- a/htdocs/langs/pt_PT/companies.lang +++ b/htdocs/langs/pt_PT/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=O nome da empresa %s já existe. Escolha outro. ErrorSetACountryFirst=Defina primeiro o país SelectThirdParty=Selecione um terceiro -ConfirmDeleteCompany=Deseja eliminar esta empresa e toda a sua informação? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Eliminar um contacto/morada -ConfirmDeleteContact=Deseja eliminar este contacto e toda a sua informação? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Novo Terceiro MenuNewCustomer=Novo Cliente MenuNewProspect=Novo Potencial Cliente @@ -69,7 +69,7 @@ PhoneShort=Telefone Skype=Skype Call=Chamada Chat=Chat -PhonePro=Telef. Profissional +PhonePro=Bus. phone PhonePerso=Telef. particular PhoneMobile=Telemovel No_Email=Recusar emails em massa @@ -78,7 +78,7 @@ Zip=Código postal Town=Localidade Web=Web Poste= Posição -DefaultLang=Idioma predefinido +DefaultLang=Default language VATIsUsed=Imposto sobre vendas usado VATIsUsedWhenSelling=Isso define se esse terceiro inclui um imposto de venda ou não quando faz uma fatura para seus próprios clientes VATIsNotUsed=Não sujeito a IVA @@ -331,7 +331,7 @@ CustomerCodeDesc=Código do cliente, exclusivo para todos os clientes SupplierCodeDesc=Código de Fornecedor, exclusivo para todos os fornecedores RequiredIfCustomer=Requerida se o Terceiro for Cliente ou Cliente Potencial RequiredIfSupplier=Obrigatório se os terceiros forem fornecedores -ValidityControledByModule=Validade controlada pelo módulo +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Regras para este módulo ProspectToContact=Cliente Potencial a Contactar CompanyDeleted=A Empresa "%s" foi Eliminada @@ -439,12 +439,12 @@ ListSuppliersShort=Lista de Fornecedores ListProspectsShort=Lista de Perspectivas ListCustomersShort=Lista de Clientes ThirdPartiesArea=Terceiros / Contatos -LastModifiedThirdParties=Últimos %s terceiros modificados -UniqueThirdParties=Total de Terceiros +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Aberto ActivityCeased=Fechado ThirdPartyIsClosed=O terceiro encontra-se fechado -ProductsIntoElements=Lista de produto /serviços em %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Risco alcançado OutstandingBill=Montante máximo para faturas pendentes OutstandingBillReached=Montante máximo para faturas pendente foi alcançado @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Código de cliente/fornecedor livre sem verificação. po ManagingDirectors=Nome Diretor(es) (DE, diretor, presidente ...) MergeOriginThirdparty=Terceiro duplicado (terceiro que deseja eliminar) MergeThirdparties=Gerir terceiros -ConfirmMergeThirdparties=Tem certeza de que deseja mesclar esse terceiro no atual? Todos os objetos vinculados (faturas, pedidos, ...) serão movidos para o terceiro atual e, em seguida, o terceiro será excluído. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Os terceiros foram fundidos SaleRepresentativeLogin=Nome de utilizador do representante de vendas SaleRepresentativeFirstname=Primeiro nome do representante de vendas diff --git a/htdocs/langs/pt_PT/compta.lang b/htdocs/langs/pt_PT/compta.lang index 516a0aaed54..089e1acc3fc 100644 --- a/htdocs/langs/pt_PT/compta.lang +++ b/htdocs/langs/pt_PT/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Novo desconto NewCheckDeposit=Novo depósito de cheque NewCheckDepositOn=Criar Novo deposito na conta: %s NoWaitingChecks=Nenhum cheque aguarda depósito. -DateChequeReceived=Data da receção do cheque +DateChequeReceived=Check receiving date NbOfCheques=Nº de cheques PaySocialContribution=Pagar um imposto social/fiscal PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/pt_PT/ecm.lang b/htdocs/langs/pt_PT/ecm.lang index 05e460b49ed..7710e5cd003 100644 --- a/htdocs/langs/pt_PT/ecm.lang +++ b/htdocs/langs/pt_PT/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/pt_PT/errors.lang b/htdocs/langs/pt_PT/errors.lang index 60c54d79eb1..f483a6abc58 100644 --- a/htdocs/langs/pt_PT/errors.lang +++ b/htdocs/langs/pt_PT/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Nenhum erro # Errors ErrorButCommitIsDone=Erros encontrados, mas a validação foi efetuada apesar disso -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=O url %s está errado +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Valor ruim para o seu parâmetro. Acrescenta geralmente quando falta a tradução. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=O login %s já existe. @@ -46,8 +46,8 @@ ErrorWrongDate=A data não está correcta! ErrorFailedToWriteInDir=Impossivel escrever na pasta %s ErrorFoundBadEmailInFile=Encontrada sintaxis incorrecta em email em %s linhas em Ficheiro (Exemplo linha %s com email=%s) ErrorUserCannotBeDelete=O usuário não pode ser excluído. Talvez esteja associado a entidades do Dolibarr. -ErrorFieldsRequired=Não se indicaram alguns campos obrigatórios -ErrorSubjectIsRequired=O tópico do email é obrigatório +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Erro na criação de uma pasta. Verifique se o usuário do servidor Web tem acesso de escrita aos documentos Dolibarr. Se o parâmetro safe_mode está ativo no PHP, Verifique se os arquivos php do Dolibarr são da propriedade do usuário do servidor web. ErrorNoMailDefinedForThisUser=E-Mail não definido para este utilizador ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=A página / container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Definições +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Esboço, projeto +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Realizadas +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/pt_PT/knowledgemanagement.lang b/htdocs/langs/pt_PT/knowledgemanagement.lang new file mode 100644 index 00000000000..d73f86f5340 --- /dev/null +++ b/htdocs/langs/pt_PT/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Definições +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Sobre +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artigo +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/pt_PT/mails.lang b/htdocs/langs/pt_PT/mails.lang index df6212dc07b..ab74458e321 100644 --- a/htdocs/langs/pt_PT/mails.lang +++ b/htdocs/langs/pt_PT/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Para utilizador(es) MailCC=Cópia a MailToCCUsers=Copiar para utilizador(es) MailCCC=Adicionar Cópia a -MailTopic=Email topic +MailTopic=Email subject MailText=Mensagem MailFile=Ficheiro MailMessage=Texto utilizado no corpo da mensagem @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=A configuração do envio de email foi configurada para '%s'. Este modo não pode ser usado para enviar e-mails em massa. MailSendSetupIs2=Você deve primeiro ir, com uma conta admin, no menu %sHome - Setup - EMails%s para alterar o parâmetro '%s' para usar o modo '%s'. Com esse modo, você pode inserir a configuração do servidor SMTP fornecido pelo seu provedor de serviços de Internet e usar o recurso de envio de email em massa. MailSendSetupIs3=Se você tiver alguma dúvida sobre como configurar seu servidor SMTP, você pode perguntar para %s. diff --git a/htdocs/langs/pt_PT/main.lang b/htdocs/langs/pt_PT/main.lang index c5cecedc64b..64814d5926e 100644 --- a/htdocs/langs/pt_PT/main.lang +++ b/htdocs/langs/pt_PT/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Salvar e criar novo TestConnection=Testar conexão ToClone=Clonar ConfirmCloneAsk=De certeza que quer clonar o objecto %s? -ConfirmClone=Escolha a data que quer clonar: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Não existem dados definidos para clonar. Of=de Go=Avançar @@ -246,7 +246,7 @@ DefaultModel=Modelo de documento predefinido Action=Evento About=Sobre Number=Número -NumberByMonth=Número por mês +NumberByMonth=Total reports by month AmountByMonth=Valor por mês Numero=Número Limit=Limite @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=Utilizador que criou -UserModif=Utilizador que efetuou a última modificação +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Por From=De FromDate=De FromLocation=De -at=em to=Para To=Para +ToDate=Para +ToLocation=Para +at=em and=e or=ou Other=Outro @@ -843,7 +845,7 @@ XMoreLines=%s linhas(s) ocultas ShowMoreLines=Mostrar mais/menos linhas PublicUrl=URL público AddBox=Adicionar Caixa -SelectElementAndClick=Selecione um elemento e clique em %s +SelectElementAndClick=Select an element and click on %s PrintFile=Imprimir Ficheiro %s ShowTransaction=Mostrar transação ShowIntervention=Mostrar intervenção @@ -854,8 +856,8 @@ Denied=Negada ListOf=Lista de %s ListOfTemplates=Lista de modelos Gender=Género -Genderman=Homem -Genderwoman=Mulher +Genderman=Male +Genderwoman=Female Genderother=Outro ViewList=Ver Lista ViewGantt=Vista de Gantt @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/pt_PT/members.lang b/htdocs/langs/pt_PT/members.lang index d69590f69c2..6bbaed3730c 100644 --- a/htdocs/langs/pt_PT/members.lang +++ b/htdocs/langs/pt_PT/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Outro membro (nome: %s, login: %s) ErrorUserPermissionAllowsToLinksToItselfOnly=Por motivos de segurança, você deve ser concedido permissões para editar todos os usuários para poder ligar um membro de um usuário que não é seu. SetLinkToUser=Link para um usuário Dolibarr SetLinkToThirdParty=Link para uma Dolibarr terceiro -MembersCards=Cartões de negócio dos membros +MembersCards=Business cards for members MembersList=Lista de Membros MembersListToValid=Lista de Membros rascunho (a Confirmar) MembersListValid=Lista de Membros validados @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Membros com assinatura para receber MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Data filiação DateEndSubscription=Data fim filiação -EndSubscription=Fim filiação +EndSubscription=Subscription Ends SubscriptionId=Assinaturas id WithoutSubscription=Without subscription MemberId=Estados-id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Sujeito a cotação DeleteType=Apagar VoteAllowed=Voto autorizado -Physical=Pessoa Singular -Moral=Pessoa Coletiva -MorAndPhy=Moral and Physical -Reenable=Reactivar +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminar um membro @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Membros estatísticas por país MembersStatisticsByState=Membros estatísticas por estado / província MembersStatisticsByTown=Membros estatísticas por localidade MembersStatisticsByRegion=Estatísticas do membros por região -NbOfMembers=Número de membros -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Nenhum membro validado encontrado -MembersByCountryDesc=Esta tela mostrará estatísticas sobre membros dos países. Gráfico depende, contudo, no serviço gráfico online da Google e apenas está disponível se existir uma conexão à Internet a funcionar. -MembersByStateDesc=Esta tela mostrar-lhe as estatísticas sobre os membros por estado / província . -MembersByTownDesc=Esta tela mostrará estatísticas sobre membros por localidade. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Escolha as estatísticas que você deseja ler ... MenuMembersStats=Estatística -LastMemberDate=Última data do membro +LastMemberDate=Latest membership date LatestSubscriptionDate=Data da última subscrição -MemberNature=Nature of member -MembersNature=Nature of members -Public=As informações são públicas +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Novo membro acrescentou. Aguardando aprovação NewMemberForm=Forma novo membro -SubscriptionsStatistics=Estatísticas sobre assinaturas +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Número de assinaturas -AmountOfSubscriptions=Quantidade de assinaturas +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Volume de negócios (para uma empresa) ou do Orçamento (para uma fundação) DefaultAmount=Quantidade padrão de assinatura CanEditAmount=Visitante pode escolher / editar montante da sua subscrição MEMBER_NEWFORM_PAYONLINE=Ir a página de pagamento online integrado ByProperties=Por natureza MembersStatisticsByProperties=Estatísticas dos membros por natureza -MembersByNature=Esta tela mostra estatísticas sobre membros por natureza. -MembersByRegion=Esta tela mostra estatísticas sobre membros por região. VATToUseForSubscriptions=Taxa de IVA a utilizar para assinaturas NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produto utilizado para assinatura na fatura: %s diff --git a/htdocs/langs/pt_PT/modulebuilder.lang b/htdocs/langs/pt_PT/modulebuilder.lang index 4a04d50e4db..9d3997269fb 100644 --- a/htdocs/langs/pt_PT/modulebuilder.lang +++ b/htdocs/langs/pt_PT/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/pt_PT/other.lang b/htdocs/langs/pt_PT/other.lang index 965d7efd03d..19ea1b73c8c 100644 --- a/htdocs/langs/pt_PT/other.lang +++ b/htdocs/langs/pt_PT/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Instale ou ative a biblioteca GD na instalação do PHP para ProfIdShortDesc=ID Prof. %s é uma informação dependente do país do Terceiro.
Por Exemplo, para o país %s, é o código %s. DolibarrDemo=Demo de Dolibarr ERP/CRM StatsByNumberOfUnits=Estatísticas para o somatório da quantidade de produtos/serviços -StatsByNumberOfEntities=Estatísticas em número de entidades de referência (nº de fatura ou ordem ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Número de orçamentos NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Número de faturas a clientes @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/pt_PT/partnership.lang b/htdocs/langs/pt_PT/partnership.lang new file mode 100644 index 00000000000..b2bfd88cccb --- /dev/null +++ b/htdocs/langs/pt_PT/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Data de inicio +DatePartnershipEnd=Data de finalização + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Esboço, projeto +PartnershipAccepted = Aceite +PartnershipRefused = Recusada +PartnershipCanceled = Cancelado + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/pt_PT/productbatch.lang b/htdocs/langs/pt_PT/productbatch.lang index b06edfcf759..93a0b6c782d 100644 --- a/htdocs/langs/pt_PT/productbatch.lang +++ b/htdocs/langs/pt_PT/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/pt_PT/products.lang b/htdocs/langs/pt_PT/products.lang index a80fdcabe16..90df059d129 100644 --- a/htdocs/langs/pt_PT/products.lang +++ b/htdocs/langs/pt_PT/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Serviços apenas para venda ServicesOnPurchaseOnly=Serviços apenas para compra ServicesNotOnSell=Serviços não à venda e não disponíveis para compra ServicesOnSellAndOnBuy=Serviços para compra e venda -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Os últimos %s produtos registados LastRecordedServices=Os últimos %s serviços registados CardProduct0=Produto @@ -73,12 +73,12 @@ SellingPrice=Preço de venda SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Preço de venda (inc. 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. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Este valor pode ser usado para o cálculo da margem. SoldAmount=Quantidade vendida PurchasedAmount=Quantidade comprada NewPrice=Novo preço -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Editar etiqueta de preço de venda CantBeLessThanMinPrice=O preço de venda não pode ser inferior ao mínimo permitido para este produto ( %s sem impostos) ContractStatusClosed=Fechado @@ -157,11 +157,11 @@ ListServiceByPopularity=Lista de serviços de popularidade Finished=Produto fabricado RowMaterial=Matéria Prima ConfirmCloneProduct=Tem certeza de que deseja clonar este produto ou serviço %s? -CloneContentProduct=Clone todas as informações principais do produto / serviço +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone preços -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clonar variantes de produto +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Este produto é utilizado NewRefForClone=Ref. do novo produto/serviço SellingPrices=Preços de venda @@ -170,12 +170,12 @@ CustomerPrices=Preços aos clientes SuppliersPrices=Preços de fornecedor SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=País de origem -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Rótulo curto Unit=Unidade p=você. diff --git a/htdocs/langs/pt_PT/projects.lang b/htdocs/langs/pt_PT/projects.lang index e7f30944323..b94c97c4627 100644 --- a/htdocs/langs/pt_PT/projects.lang +++ b/htdocs/langs/pt_PT/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Contactos do Projeto ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Todos os projetos que eu posso ler (meus + público) AllProjects=Todos os Projetos -MyProjectsDesc=Essa visão é limitada a projetos para os quais você é um contato +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Esta visualização apresenta todos os projetos que está autorizado a ler. TasksOnProjectsPublicDesc=Esta visão apresenta todas as tarefas em projetos que você pode ler. ProjectsPublicTaskDesc=Esta visualização apresenta todos os projetos e tarefas que está autorizado a ler. ProjectsDesc=Esta visualização apresenta todos os projetos (as suas permissões de utilizador concedem-lhe a permissão para ver tudo). TasksOnProjectsDesc=Esta visão apresenta todas as tarefas em todos os projetos (suas permissões de usuário permitem que você veja tudo). -MyTasksDesc=Esta visão é limitada a projetos ou tarefas para as quais você é um contato. +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Apenas os projetos abertos estão visíveis (projetos em estado rascunho ou fechado não estão visíveis). ClosedProjectsAreHidden=Projetos fechados não são visíveis. TasksPublicDesc=Esta visualização apresenta todos os projetos e tarefas que está autorizado a ler. TasksDesc=Esta visualização apresenta todos os projetos e tarefas (as suas permissões de utilizador concedem-lhe permissão para ver tudo). AllTaskVisibleButEditIfYouAreAssigned=Todas as tarefas para projetos qualificados são visíveis, mas você pode inserir o tempo apenas para a tarefa atribuída ao usuário selecionado. Atribuir tarefa se você precisar inserir tempo nela. -OnlyYourTaskAreVisible=Somente tarefas atribuídas a você estão visíveis. Atribua tarefas a si mesmo se não estiver visível e você precisar inserir tempo nela. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tarefas dos projetos ProjectCategories=Etiquetas/categorias de projeto NewProject=Novo projeto @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Não atribuído à tarefa NoUserAssignedToTheProject=Nenhum usuário atribuído a este projeto TimeSpentBy=Tempo gasto por TasksAssignedTo=Tarefas atribuídas a -AssignTaskToMe=Atribuir tarefa para mim +AssignTaskToMe=Assign task to myself AssignTaskToUser=Atribuir tarefa a %s SelectTaskToAssign=Selecione a tarefa para atribuir ... AssignTask=Atribuir diff --git a/htdocs/langs/pt_PT/recruitment.lang b/htdocs/langs/pt_PT/recruitment.lang index eb48df47240..a0adb2ce697 100644 --- a/htdocs/langs/pt_PT/recruitment.lang +++ b/htdocs/langs/pt_PT/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/pt_PT/sendings.lang b/htdocs/langs/pt_PT/sendings.lang index f66f4fbc0fe..c74059b2b48 100644 --- a/htdocs/langs/pt_PT/sendings.lang +++ b/htdocs/langs/pt_PT/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Tem a certeza de que deseja validar esta expedição com ConfirmCancelSending=Tem a certeza que deseja cancelar esta expedição? DocumentModelMerou=Mérou modelo A5 WarningNoQtyLeftToSend=Atenção, não existe qualquer produto à espera de ser enviado. -StatsOnShipmentsOnlyValidated=Estatísticas efetuadas sobre expedições validadas. A data usada é a data de validação da expedição (a data de entrega prevista nem sempre é conhecida). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Data prevista de entrega RefDeliveryReceipt=Ref. do recibo de entrega StatusReceipt=Estado do recibo de entrega diff --git a/htdocs/langs/pt_PT/stocks.lang b/htdocs/langs/pt_PT/stocks.lang index f8d8e1811d9..3d43ddfc367 100644 --- a/htdocs/langs/pt_PT/stocks.lang +++ b/htdocs/langs/pt_PT/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nenhum produto predefinido para este objeto. Porta DispatchVerb=Expedição StockLimitShort=Limite para alerta StockLimit=Limite de estoque para alerta -StockLimitDesc=(vazio) significa que não há aviso.
0 pode ser usado para um aviso assim que o estoque estiver vazio. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Stock real RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/pt_PT/users.lang b/htdocs/langs/pt_PT/users.lang index a97e339f1cd..89ff0bb9258 100644 --- a/htdocs/langs/pt_PT/users.lang +++ b/htdocs/langs/pt_PT/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Palavra-passe alterada em: %s SubjectNewPassword=A sua nova palavra-passa para %s GroupRights=Permissões de Grupo UserRights=Permissões de Utilizador +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Desativar DisableAUser=Desativar um Utilizador @@ -105,7 +106,7 @@ UseTypeFieldToChange=Utilize o Tipo de Campo para alterar OpenIDURL=URL de OpenID LoginUsingOpenID=Utilizar OpenID para iniciar a sessão WeeklyHours=Horas de trabalho (por semana) -ExpectedWorkedHours=Horas de trabalho esperadas por semana +ExpectedWorkedHours=Expected hours worked per week ColorUser=Cor do utilizador DisabledInMonoUserMode=Desativado no modo de manutenção UserAccountancyCode=Código de contabilidade do utilizador @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/pt_PT/website.lang b/htdocs/langs/pt_PT/website.lang index 0242ca83fae..9666ec3700a 100644 --- a/htdocs/langs/pt_PT/website.lang +++ b/htdocs/langs/pt_PT/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ro_RO/accountancy.lang b/htdocs/langs/ro_RO/accountancy.lang index 345f7a993a9..cd32c4486e2 100644 --- a/htdocs/langs/ro_RO/accountancy.lang +++ b/htdocs/langs/ro_RO/accountancy.lang @@ -202,7 +202,7 @@ Docref=Referinţă LabelAccount=Etichetă cont LabelOperation=Etichetă operaţie Sens=Direcţie -AccountingDirectionHelp=Pentru un cont contabil al unui client, utilizați Credit pentru a înregistra o plată pe care ați primit-o
Pentru un cont contabil al unui furnizor, utilizați Debit pentru a înregistra o plată pe care o efectuați +AccountingDirectionHelp=Pentru un cont contabil de client, utilizează Credit pentru a înregistra o plată pe care ai primit-o
Pentru un cont contabil de furnizor, utilizează Debit pentru a înregistra o plată efectuată  LetteringCode=Codul de numerotare Lettering=Numerotare Codejournal=Jurnal @@ -297,7 +297,7 @@ NoNewRecordSaved=Nu se mai înregistrează nicio intrare în jurnal. ListOfProductsWithoutAccountingAccount=Lista produselor care nu sunt asociate unui cont contabil ChangeBinding=Schimbați asocierea Accounted=Contabilizat în jurnal - Cartea Mare -NotYetAccounted=Nu a fost încă înregistrată în jurnalul Cartea Mare +NotYetAccounted=Nu este încă înregistrat în jurnalul contabil  ShowTutorial=Arată tutorial NotReconciled=Nu este decontat WarningRecordWithoutSubledgerAreExcluded=Atenție, toate operațiunile fără cont de subregistru definit sunt filtrate și excluse din această vizualizare diff --git a/htdocs/langs/ro_RO/admin.lang b/htdocs/langs/ro_RO/admin.lang index 8d2e5b49903..18f013674a6 100644 --- a/htdocs/langs/ro_RO/admin.lang +++ b/htdocs/langs/ro_RO/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Eliminați/redenumiți fișierul %s dacă există, pentru a RestoreLock=Restaurați fișierul %s, numai cu permisiunea de citire, pentru a dezactiva orice viitoare utilizare a instrumentului Actualizare/Instalare. SecuritySetup=Setări securitate PHPSetup=Configuraţie PHP +OSSetup=Configuraţie sistem de operare SecurityFilesDesc=Definiți aici opțiunile legate de securitatea încărcării fișierelor. ErrorModuleRequirePHPVersion=Eroare, acest modul necesită versiunea PHP %s sau mai nouă ErrorModuleRequireDolibarrVersion=Eroare, acest modul necesită versiunea Dolibarr %s sau mai nouă @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Nu sugera NoActiveBankAccountDefined=Niciun cont bancar activ definit OwnerOfBankAccount=Titularul contului bancar %s BankModuleNotActive=Modulul Conturi bancare nu este activat -ShowBugTrackLink=Arată link-ul "%s" +ShowBugTrackLink=Defineşte link-ul "%s" (gol pentru a nu afișa acest link, 'github' pentru link-ul către proiectul Dolibarr sau definiți direct o adresă URL 'https: // ...') Alerts=Alerte DelaysOfToleranceBeforeWarning=Durată înainte de afișarea unei alerte pentru: DelaysOfToleranceDesc=Setați întârzierea înainte ca o pictogramă de alertă %s să apară pe ecran pentru ultimul element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Trebuie să rulaţi această co YourPHPDoesNotHaveSSLSupport=Funcţiile SSL funcţii nu sunt disponibile în PHP. DownloadMoreSkins=Mai multe teme de descărcat SimpleNumRefModelDesc=Returnează numărul de referință în formatul %s yymm-nnnn unde yy este anul, mm este luna și nnnn este un număr secvențial cu incrementare automată fără resetare +SimpleNumRefNoDateModelDesc=Returnează numărul de referință în formatul %s-nnnn unde nnnn este un număr de incrementare automată secvențial fără resetare ShowProfIdInAddress=Afișare id profesional cu adrese ShowVATIntaInAddress=Ascunde cota de TVA intracomunitar cu adrese TranslationUncomplete=Traducere parţială @@ -1675,7 +1677,7 @@ NotificationEMailFrom=Email expeditor (De la) pentru email-urile trimise de modu FixedEmailTarget=Destinatar ##### Sendings ##### SendingsSetup=Configurare modul Livrări -SendingsReceiptModel=Trimiterea primirea model +SendingsReceiptModel=Şablon notă de livrare SendingsNumberingModules=Modele de numerotare livrări SendingsAbility=Suport avize de expediţie pentru livrările către clienți. NoNeedForDeliveryReceipts=În majoritatea cazurilor, avizele de expediţie sunt utilizate atât pentru livrările către clienți (lista produselor care trebuie expediate), cât și pentru confirmarea şi semnarea de către client. Prin urmare, nota de confirmare a livrărilor de produse este o caracteristică duplicată și este rar activată. @@ -2062,7 +2064,7 @@ UseDebugBar=Utilizează bara de debug DEBUGBAR_LOGS_LINES_NUMBER=Numărul celor mai recente linii din jurnal care se vor păstra în consolă WarningValueHigherSlowsDramaticalyOutput=Avertizare, valorile foarte mari încetinesc dramatic viteza de afişare ModuleActivated=Modulul %s este activat şi încetineşte interfaţa -ModuleActivatedWithTooHighLogLevel=Modulul %s este activat cu un nivel de jurnalizare prea ridicat (încearcă să utilizezi un nivel inferior pentru performanțe mai bune) +ModuleActivatedWithTooHighLogLevel=Modulul %s este activat cu un nivel de jurnalizare prea ridicat (încearcă să utilizezi un nivel inferior pentru performanțe și securitate mai bune) ModuleSyslogActivatedButLevelNotTooVerbose=Modulul %s este activat și nivelul jurnalului (%s) este corect (nu prea detaliat)  IfYouAreOnAProductionSetThis=Dacă eşti într-un mediu de producţie, ar trebui să setezi această proprietate la %s. AntivirusEnabledOnUpload=Antivirusul este activat pentru fişierele încărcate @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Cu excepția cazului în care trebu NoWritableFilesFoundIntoRootDir=Nu au fost găsite în directorul rădăcină fișiere sau directoare scriptibile ale programelor comune (OK)  RecommendedValueIs=Recomandat: %s ARestrictedPath=O cale restricţionată +CheckForModuleUpdate=Verificare actualizări module externe +CheckForModuleUpdateHelp=Această acțiune se va conecta la editori de module externe pentru a verifica dacă este disponibilă o nouă versiune. +ModuleUpdateAvailable=O actualizare este disponibilă +NoExternalModuleWithUpdate=Nu au fost găsite actualizări pentru modulele externe +SwaggerDescriptionFile=Fişier descriptor Swagger API (pentru utilizare redoc de exemplu) diff --git a/htdocs/langs/ro_RO/banks.lang b/htdocs/langs/ro_RO/banks.lang index e923a31fa89..ff671586d88 100644 --- a/htdocs/langs/ro_RO/banks.lang +++ b/htdocs/langs/ro_RO/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Plată taxe sociale/fiscale și TVA BankTransfer=Transfer credit BankTransfers=Transferuri credit MenuBankInternalTransfer=Transfer intern -TransferDesc=La un transfer de la un cont la altul, sistemul va scrie două înregistrări (un debit în contul sursă și un credit în contul destinaţie). Aceeași sumă (cu excepția semnului), eticheta și data va fi utilizată pentru această tranzacție) +TransferDesc=Utilizează transferul intern pentru a transfera dintr-un cont în altul, aplicația va scrie două înregistrări: un debit în contul sursă și un credit în contul țintă. Aceeași sumă, etichetă și dată vor fi utilizate pentru această tranzacție. TransferFrom=De la TransferTo=La TransferFromToDone=Un transfer de la %s la %s de%s %s a fost înregistrat. -CheckTransmitter=Emiţător +CheckTransmitter=Expeditor ValidateCheckReceipt=Validați această chitanță cec? -ConfirmValidateCheckReceipt=Sigur doriți să validați această chitanță cec, nu va mai fi posibilă nicio modificare după ce aceasta va fi efectuată? +ConfirmValidateCheckReceipt=Sigur vrei să trimiteți spre validare această filă cec? Nu sunt posibile modificări ulterioare. DeleteCheckReceipt=Ștergeți această chitanță cec? ConfirmDeleteCheckReceipt=Sigur stergeți această chitanță cec? BankChecks=Cecuri bancare @@ -142,7 +142,7 @@ AllAccounts=Toate conturile bancare și de numerar BackToAccount=Înapoi la cont ShowAllAccounts=Arată pentru toate conturile FutureTransaction=Tranzacție viitoare. Imposibil de reconciliat. -SelectChequeTransactionAndGenerate=Selectează/filtrează cecurile de inclus în chitanța de depozit de cec și fă clic pe "Creare" +SelectChequeTransactionAndGenerate=Acest ecran vă arată statistici ale membrilor în funcție de regiune. InputReceiptNumber=Alegeți extrasul de cont privitor la conciliere. Folosiţi o valoare numerică sortabilă : YYYYMM sau YYYYMMDD EventualyAddCategory=În cele din urmă, specifică o categorie în care să clasezi înregistrările ToConciliate=Să se deconteze? diff --git a/htdocs/langs/ro_RO/bills.lang b/htdocs/langs/ro_RO/bills.lang index c06f7e92184..f8bc43cf61c 100644 --- a/htdocs/langs/ro_RO/bills.lang +++ b/htdocs/langs/ro_RO/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Converteşte excendentul plătit în reducere disponibi EnterPaymentReceivedFromCustomer=Introduceţi o încasare de la client EnterPaymentDueToCustomer=Introduceţi o plată restituire pentru client DisabledBecauseRemainderToPayIsZero=Dezactivată pentru că restul de plată este zero -PriceBase=Preţul de bază +PriceBase=Preţ de bază BillStatus=Status factură StatusOfGeneratedInvoices=Status factură generată BillStatusDraft=Schiţă (de validat) @@ -454,7 +454,7 @@ RegulatedOn=Plătite pe ChequeNumber=Cec Nr ChequeOrTransferNumber=Cec / Transfer Nr ChequeBordereau=Borderou cec -ChequeMaker=Verificare / transmițător Transfer +ChequeMaker=Emitent cec/transfer ChequeBank=Banca Cec CheckBank=Verifică NetToBePaid=Net de plată diff --git a/htdocs/langs/ro_RO/boxes.lang b/htdocs/langs/ro_RO/boxes.lang index c755a8664f6..b487e847d65 100644 --- a/htdocs/langs/ro_RO/boxes.lang +++ b/htdocs/langs/ro_RO/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmark-uri : ultimile %s BoxOldestExpiredServices=Cele mai vechi servicii active expirate BoxLastExpiredServices=Cele mai vechi %s contacte cu servicii active expirate BoxTitleLastActionsToDo=Ultimele %s acţiuni de realizat -BoxTitleLastContracts=Ultimele %s contracte modificate -BoxTitleLastModifiedDonations=Ultimele %s donaţii modificate -BoxTitleLastModifiedExpenses=Ultimele %s deconturi modificare -BoxTitleLatestModifiedBoms=Ultimile %s bonuri de consum modificate -BoxTitleLatestModifiedMos=Ultimile %s comenzi de producţie modificate +BoxTitleLastContracts=Ultimele %s contracte modificate +BoxTitleLastModifiedDonations=Utimele %s donaţii modificate +BoxTitleLastModifiedExpenses=Ultimele %s rapoarte de cheltuieli modificate +BoxTitleLatestModifiedBoms=Ultimele %s bonuri de consum modificate +BoxTitleLatestModifiedMos=Ultimele %s comenzi de producţie modificate BoxTitleLastOutstandingBillReached=Clienţii cu restanţe mai mari decât limita de credit acceptată BoxGlobalActivity=Activitate globală (facturi, oferte, comenzi) BoxGoodCustomers=Clienţi buni diff --git a/htdocs/langs/ro_RO/cashdesk.lang b/htdocs/langs/ro_RO/cashdesk.lang index d8622b9d3ee..ca9d3d6a26f 100644 --- a/htdocs/langs/ro_RO/cashdesk.lang +++ b/htdocs/langs/ro_RO/cashdesk.lang @@ -9,15 +9,15 @@ CashdeskShowServices=Servicii disponibile CashDeskProducts=Produse CashDeskStock=Stoc CashDeskOn=pe -CashDeskThirdParty=Terţ -ShoppingCart=Cosul de cumparaturi +CashDeskThirdParty=Terţi +ShoppingCart=Coş de cumpărături NewSell=Vânzare nouă -AddThisArticle=Adauga acest articol -RestartSelling=Du-te inapoi la vânzare -SellFinished=Vanzare completa -PrintTicket=Print bon +AddThisArticle=Adaugă acest articol +RestartSelling=Înapoi la vânzare +SellFinished=Vânzare finalizată +PrintTicket=Tipărire bon SendTicket=Trimite tichet -NoProductFound=Niciun articol gasit +NoProductFound=Niciun articol găsit ProductFound=produs găsit NoArticle=Niciun articol Identification=Identificare @@ -29,19 +29,20 @@ Change=Primit în plus BankToPay=Contul de plată ShowCompany=Afişare companie ShowStock=Arată depozit -DeleteArticle=Faceţi clic pentru a elimina acest articol +DeleteArticle=Clic pentru a elimina acest articol FilterRefOrLabelOrBC=Caută (Ref/Etichetă) -UserNeedPermissionToEditStockToUsePos=Cereți să scadă stocul la crearea facturii, astfel încât utilizatorul care utilizează POS trebuie să aibă permisiunea de a edita stocul. +UserNeedPermissionToEditStockToUsePos=Aţi cerut să se scadă stocul la crearea facturii, deci utilizatorul care foloseşte POS trebuie să aibă permisiunea de a edita stocul. DolibarrReceiptPrinter=Printer încasare PointOfSale=Punct de vânzare PointOfSaleShort=POS -CloseBill=Închideți factura +CloseBill=Închide factura Floors=Etaje Floor=Etaj AddTable=Adăugați un tabel Place=Loc TakeposConnectorNecesary='Connectorul TakePOS' este necesar -OrderPrinters=Comandați imprimante +OrderPrinters=Adaugă un buton pentru a trimite comanda unor imprimante specificate, fără plată (de exemplu pentru a trimite o comandă în bucătărie) +NotAvailableWithBrowserPrinter=Indisponibil când imprimanta pentru bonuri este setată la browser: SearchProduct=Căutați produs Receipt=Chitanţă Header=Antet @@ -51,20 +52,21 @@ TheoricalAmount=Valoare teoretică RealAmount=Sumă reală CashFence=Închidere casierie CashFenceDone=Închiderea casei de marcat efectuată pentru perioada respectivă -NbOfInvoices=Nr facturi +NbOfInvoices=Nr. facturi Paymentnumpad=Tipul de pad utilizat pentru introducerea plăţii -Numberspad=Suport de numere +Numberspad=Pad numeric BillsCoinsPad=Pad Monede şi bancnote -DolistorePosCategory=Modulele TakePOS și alte soluții POS pentru Dolibarr -TakeposNeedsCategories=TakePOS are nevoie de categorii de produse pentru a lucra -OrderNotes=Note de comandă +DolistorePosCategory=Modulele TakePOS și alte soluții POS pentru sistem +TakeposNeedsCategories=TakePOS are nevoie de cel puțin o categorie de produse pentru a funcționa +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS are nevoie de cel puțin 1 categorie de produse din categoria %s pentru a funcționa +OrderNotes=Poate adăuga note la fiecare articol comandat CashDeskBankAccountFor=Cont implicit utilizat pentru plăți NoPaimementModesDefined=Nici un mod de plată definit în configurația TakePOS TicketVatGrouped=Grupează TVA după cotă pe tichete|bonuri AutoPrintTickets=Tipăreşte automat tichete|bonuri PrintCustomerOnReceipts=Tipăreşte clientul pe tichete|bonuri EnableBarOrRestaurantFeatures=Activați funcțiile pentru Bar sau Restaurant -ConfirmDeletionOfThisPOSSale=Confirmă ștergerea acestei vânzări curente? +ConfirmDeletionOfThisPOSSale=Confirmi ștergerea acestei vânzări curente? ConfirmDiscardOfThisPOSSale=Vrei să elimini această vânzare curentă? History=Istoric ValidateAndClose=Validați și închideți @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Factura este deja validată NoLinesToBill=Nici o linie de facturat CustomReceipt=Bon personalizat ReceiptName=Denumire bon -ProductSupplements=Suplimente produs +ProductSupplements=Gestionare suplimente de produse SupplementCategory=Categorie suplimente ColorTheme=Tema de culoare Colorful=Colorat @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Tipărirea simplă și ușoară a chitanței. Doar câțiva parametri pentru a configura chitanța. Tipăriți prin browser. TakeposConnectorMethodDescription=Modul extern cu funcții suplimentare. Posibilitatea de a imprima din cloud. PrintMethod=Metoda de tipărire -ReceiptPrinterMethodDescription=Metodă eficientă cu o mulțime de parametri. Personalizabilă cu șabloane. Nu se poate imprima din cloud. +ReceiptPrinterMethodDescription=Metodă strong, cu o mulțime de parametri. Complet personalizabil cu șabloane. Serverul care găzduiește aplicația nu poate fi în cloud (trebuie să poată ajunge la imprimantele din rețeaua ta). ByTerminal=După terminal TakeposNumpadUsePaymentIcon=Utilizați pictograme în loc de text pe butoanele de plată de pe numpad CashDeskRefNumberingModules=Modul de numerotare pentru vânzările POS @@ -106,7 +108,7 @@ CashReport=Raport numerar MainPrinterToUse=Imprimantă principală de utilizat OrderPrinterToUse=Imprimantă utilizată pentru comenzi MainTemplateToUse=Şablon principal de utilizat -OrderTemplateToUse=Şablon comandă utilizat +OrderTemplateToUse=Şablon comandă de utilizat BarRestaurant=Bar Restaurant AutoOrder=Comandă făcută de client RestaurantMenu=Meniu @@ -120,7 +122,9 @@ NumberOfLinesToShow= Numărul de linii de imagini de afișat DefineTablePlan=Definire plan de mese GiftReceiptButton=Adaugă un buton "Bon cadou" GiftReceipt=Bon cadou -ModuleReceiptPrinterMustBeEnabled= \nModulul Imprimanta bonuri trebuie să fi fost activat mai întâi +ModuleReceiptPrinterMustBeEnabled=Modulul Imprimanta bonuri trebuie să fi fost activat mai întâi AllowDelayedPayment= Permite plata cu întârziere PrintPaymentMethodOnReceipts=Tipăriți metoda de plată pe bonuri|chitanțe WeighingScale=Cântar +ShowPriceHT = Afișați coloana de preț fără taxe +ShowPriceHTOnReceipt = Afișați coloana de preţ fără taxe pe bon/chitanţă diff --git a/htdocs/langs/ro_RO/categories.lang b/htdocs/langs/ro_RO/categories.lang index efbd177ea76..5c047e6b922 100644 --- a/htdocs/langs/ro_RO/categories.lang +++ b/htdocs/langs/ro_RO/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Categorie Rubriques=Tag-uri/Categorii RubriquesTransactions=Tag-uri/categorii tranzacții categories=tag-uri/categorii -NoCategoryYet=Niciun tag/categorie de acest tip creat +NoCategoryYet=Nu a fost creată niciun tag/categorie de acest tip In=În AddIn=Adaugă în modify=modifică Classify=Clasifică CategoriesArea=Tag-uri/Categorii -ProductsCategoriesArea=Tag-uri/categorii Produse/Servicii -SuppliersCategoriesArea=Tag-uri/categorii furnizori -CustomersCategoriesArea=Tag-uri/categorii clienți -MembersCategoriesArea=Tag-uri/categorii membri -ContactsCategoriesArea=Tag-uri/categorii contacte -AccountsCategoriesArea=Tag-uri/categorii conturi bancare -ProjectsCategoriesArea=Tag-uri/categorii proiecte -UsersCategoriesArea=Tag-uri/categorii utilizatori +ProductsCategoriesArea=Tag-uri/categorii produs/serviciu +SuppliersCategoriesArea=Tag-uri/categorii furnizor +CustomersCategoriesArea=Tag-uri/categorii client +MembersCategoriesArea=Tag-uri/categorii membru +ContactsCategoriesArea=Tag-uri/categorii contact +AccountsCategoriesArea=Tag-uri/categorii cont bancar +ProjectsCategoriesArea=Tag-uri/categorii proiect +UsersCategoriesArea=Tag-uri/categorii utilizator SubCats=Subcategorii CatList=Listă tag-uri/categorii CatListAll=Listă tag-uri/categorii (toate tipurile) @@ -96,4 +96,4 @@ ChooseCategory=Alegeți categoria StocksCategoriesArea=Categorii depozite ActionCommCategoriesArea=Categorii evenimente WebsitePagesCategoriesArea=Categorii Pagină-Container -UseOrOperatorForCategories=Utilizează operatorul SAU pentru categorii +UseOrOperatorForCategories=Foloseşte operatorul 'SAU' pentru categorii diff --git a/htdocs/langs/ro_RO/companies.lang b/htdocs/langs/ro_RO/companies.lang index 3b606f937a1..6a2b8632bec 100644 --- a/htdocs/langs/ro_RO/companies.lang +++ b/htdocs/langs/ro_RO/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Numele societăţii %s există deja. Alegeţi un altul. ErrorSetACountryFirst=Setaţi mai întâi ţara SelectThirdParty=Selectaţi un terţ -ConfirmDeleteCompany=Sigur doriți să ștergeți această companie și toate informațiile moștenite? +ConfirmDeleteCompany=Sigur vrei să ştergi această companie cu toate informaţiile aferente? DeleteContact=Şterge un contact/adresă -ConfirmDeleteContact=Sigur doriți să ștergeți acest contact și toate informațiile moștenite? +ConfirmDeleteContact=Sigur vrei să ştergi acest contact cu toate informaţiile aferente? MenuNewThirdParty=Terț nou MenuNewCustomer=Client nou MenuNewProspect=Prospect nou @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Apel telefonic Chat=Chat -PhonePro=Telefon prof. +PhonePro=Telefon serviciu PhonePerso=Telefon pers. PhoneMobile=Telefon mobil No_Email=Refuză newslettere @@ -331,7 +331,7 @@ CustomerCodeDesc=Cod client, unic pentru toți clienți SupplierCodeDesc=Cod furnizor, unic pentru toți furnizorii RequiredIfCustomer=Obligatoriu, dacă un terţ este un client sau prospect RequiredIfSupplier=Obligatoriu dacă terțul este un furnizor -ValidityControledByModule=Validitate controlată de modul +ValidityControledByModule=Validitate controlată de modul  ThisIsModuleRules=Reguli pentru acest modul ProspectToContact=Prospect de contactat CompanyDeleted=Societatea "%s" a fost ştearsă din baza de date. @@ -439,12 +439,12 @@ ListSuppliersShort=Listă furnizori ListProspectsShort=Listă prospecţi ListCustomersShort=Listă clienți ThirdPartiesArea=Terți/Contacte -LastModifiedThirdParties=Ultimii %s Terţi modificaţi -UniqueThirdParties=Total terţi +LastModifiedThirdParties=Ultimii %s terţi modificaţi +UniqueThirdParties=Număr total de terţi InActivity=Deschis ActivityCeased=Închis ThirdPartyIsClosed=Terțul este închis -ProductsIntoElements=Ultimele produse/servicii în %s +ProductsIntoElements=Lista produselor/serviciilor mapate la %s CurrentOutstandingBill=Facturi neachitate curente OutstandingBill=Max. limită credit OutstandingBillReached=Limită credit depăsită @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Codul este liber fără verificare. Acest cod poate fi mo ManagingDirectors=Nume manager(i) (CEO, director, preşedinte...) MergeOriginThirdparty=Terț duplicat (terțul dorit a fi șters) MergeThirdparties=Îmbinare terţi -ConfirmMergeThirdparties=Sunteți sigur că doriți să fuzionați aceast terț cu cel curent? Toate obiectele legate (facturi, comenzi, ...) vor fi mutate la un terț curent, iar terțul va fi șters. +ConfirmMergeThirdparties=Sigur vrei să îmbinii terțul ales cu cel actual? Toate obiectele asociate (facturi, comenzi, ...) vor fi mutate la terțul curent, după care terțul ales va fi șters. ThirdpartiesMergeSuccess=Terții au fost unificaţi SaleRepresentativeLogin=Autentificare reprezentant vânzări SaleRepresentativeFirstname=Numele reprezentantului vânzări diff --git a/htdocs/langs/ro_RO/compta.lang b/htdocs/langs/ro_RO/compta.lang index d4ae7a6a2b7..774cbbf85d4 100644 --- a/htdocs/langs/ro_RO/compta.lang +++ b/htdocs/langs/ro_RO/compta.lang @@ -132,10 +132,10 @@ CheckReceipt=Borderou de cecuri remise CheckReceiptShort=Borderou încasări cecuri LastCheckReceiptShort=Ultimele %s cecuri remise NewCheckReceipt=Discount nou -NewCheckDeposit=New verifica depozit -NewCheckDepositOn=New verifica depozit în contul: %s +NewCheckDeposit=Borderou cec nou +NewCheckDepositOn=Crează chitanţă de depozit pe contul: %s NoWaitingChecks=CEC-uri spre încasare -DateChequeReceived=Dată primire Cec +DateChequeReceived=Dată primire cec NbOfCheques=Nr. cecuri PaySocialContribution=Plăteşte o taxă socială/fiscală PayVAT=Plătește o declarație de TVA @@ -245,7 +245,7 @@ ACCOUNTING_VAT_SOLD_ACCOUNT=Contul contabil implicit pentru TVA la vânzări (ut ACCOUNTING_VAT_BUY_ACCOUNT=Contul contabil implicit pentru TVA la achiziții (utilizat dacă nu este definit în setarea dicționarului TVA) ACCOUNTING_VAT_PAY_ACCOUNT=Contul contabil implicit pentru plata TVA ACCOUNTING_ACCOUNT_CUSTOMER=Contul contabil utilizat pentru terți clienţi -ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Contul contabil dedicat definit pe fişa terțului va fi utilizat numai pentru subregistrul contabilitate . Aceasta va fi utilizat pentru registrul general și ca valoare implicită pentru subregistru contabill dacă nu este definit contul contabil dedicat clienților de la terți. +ACCOUNTING_ACCOUNT_CUSTOMER_Desc=Contul contabil dedicat definit pe fişa terțului va fi utilizat numai pentru subregistrul contabilitate . Aceasta va fi utilizat pentru registrul general și ca valoare implicită pentru subregistru contabilldacă nu este definit contul contabil dedicat clienților de la terți. ACCOUNTING_ACCOUNT_SUPPLIER=Contul contabil utilizat pentru terți furnizori ACCOUNTING_ACCOUNT_SUPPLIER_Desc=Contul contabil dedicat definit pe fişa terțului va fi utilizat numai pentru subregistrul contabil. Acesta va fi utilizat pentru Registrul general și ca valoare implicită a contabilității din subregistru dacă nu este definit contul contabil de vânzare asociat la un terț. ConfirmCloneTax=Confirmare clonare taxă socială/fiscală diff --git a/htdocs/langs/ro_RO/ecm.lang b/htdocs/langs/ro_RO/ecm.lang index d987ac9d0f1..6c692da973d 100644 --- a/htdocs/langs/ro_RO/ecm.lang +++ b/htdocs/langs/ro_RO/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extracâmpuri Fişiere ECM ExtraFieldsEcmDirectories=Extracâmpuri Directoare ECM ECMSetup=Configurare ECM GenerateImgWebp=Duplică toate imaginile cu o altă versiune în format .webp -ConfirmGenerateImgWebp=Dacă confirmi, vei genera o imagine în format .webp pentru toate imaginile aflate în prezent în acest folder și subfolderul său... +ConfirmGenerateImgWebp=Dacă confirmi, vei genera o imagine în format .webp pentru toate imaginile aflate în prezent în acest folder (subfolderele nu sunt incluse)...  ConfirmImgWebpCreation=Confirmă duplicarea tuturor imaginilor SucessConvertImgWebp=Imaginile au fost duplicate cu succes diff --git a/htdocs/langs/ro_RO/errors.lang b/htdocs/langs/ro_RO/errors.lang index d31612d2443..19900e6c931 100644 --- a/htdocs/langs/ro_RO/errors.lang +++ b/htdocs/langs/ro_RO/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Nicio eroare, dăm commit # Errors ErrorButCommitIsDone=Erori constatate dar încă nevalidate -ErrorBadEMail=Emailul %s este greșit -ErrorBadMXDomain=Email-ul %s pare greșit (domeniul nu are nicio înregistrare MX validă) -ErrorBadUrl=Url-ul %s este greşit +ErrorBadEMail=Adresa de email %s este incorectă +ErrorBadMXDomain=Adresa de email %s pare incorectă (domeniul nu are o înregistrare MX validă) +ErrorBadUrl=Url-ul %s este incorect ErrorBadValueForParamNotAString=Valoare greșită pentru parametru. Se adaugă, în general, atunci când traducerea lipsește. ErrorRefAlreadyExists=Referinţa %s există deja. ErrorLoginAlreadyExists=Login-ul %s există deja. @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Pagina/containerul %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Organizare evenimente +EventOrganizationDescription = Organizare evenimente utilizând modulul Proiecte +EventOrganizationDescriptionLong= Gestionare organizare de evenimente conferințe, participanți, vorbitori și participanți, şi paginini publice de însciere +# +# Menu +# +EventOrganizationMenuLeft = Evenimente organizate +EventOrganizationConferenceOrBoothMenuLeft = Conferinţă sau Stand + +# +# Admin page +# +EventOrganizationSetup = Configurare Organizare evenimente +Settings = Configurări +EventOrganizationSetupPage = Pagină de configurare Organizare evenimente +EVENTORGANIZATION_TASK_LABEL = Etichetă task-uri de creat automat atunci când proiectul este validat  +EVENTORGANIZATION_TASK_LABELTooltip = Când validezi un eveniment organizat, unele task-uri pot fi create automat în proiect

De exemplu:
Apel telefonic pentru conferință
Apel telefonic pentru Stand
Primire apel telefonic pentru conferințe
Primire apel telefonic pentru Stand
Deschidere înscrieri la evenimente pentru participanți
Trimitere remindere eveniment către speaker-i
Trimitere reminder eveniment către gazdă stand
Trimitere reminder eveniment către participanți +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Categorie de adăugat terților creaţi automat atunci când cineva sugerează o conferință +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Categorie de adăugat terților creaţi automat atunci când propun un stand +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Șablon email de trimis după primirea unei sugestii de conferință. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Șablon email de trimis după primirea unei propuneri de stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Șablon email de trimis după ce a fost plătită o înscriere la un stand. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Șablon email de trimis după ce a fost plătită o înscriere la un eveniment. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Șablon email newsletter către participanţi +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Șablon email newsletter către speaker-i +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filtrează lista de selecție a terților în formularul/fişa de creare a participanților după tipul de client +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filtrează lista de selecție a terților în formularul/fişa de creare a participanților după tipul de client + +# +# Object +# +EventOrganizationConfOrBooth= Conferinţă sau Stand +ManageOrganizeEvent = Management organizare evenimente +ConferenceOrBooth = Conferinţă sau Stand +ConferenceOrBoothTab = Conferinţă sau Stand +AmountOfSubscriptionPaid = Valoare abonament plătită +DateSubscription = Dată înscriere +ConferenceOrBoothAttendee = Participant la Conferinţă sau Stand + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Solicitarea pentru conferinţă a fost recepţionată +YourOrganizationEventBoothRequestWasReceived = Solicitarea ta pentru stand a fost primită +EventOrganizationEmailAskConf = Solicitare conferinţă +EventOrganizationEmailAskBooth = Solicitare stand +EventOrganizationEmailSubsBooth = Înscriere la stand +EventOrganizationEmailSubsEvent = Înscriere pentru un eveniment +EventOrganizationMassEmailAttendees = Comunicare către participanţi +EventOrganizationMassEmailSpeakers = Comunicare către speaker-i + +# +# Event +# +AllowUnknownPeopleSuggestConf=Permite persoanelor necunoscute să sugereze conferințe +AllowUnknownPeopleSuggestConfHelp=Permite persoanelor necunoscute să sugereze conferințe +AllowUnknownPeopleSuggestBooth=Permite persoanelor necunoscute să propună stand-uri +AllowUnknownPeopleSuggestBoothHelp=Permite persoanelor necunoscute să propună stand-uri +PriceOfRegistration=Preţ înregistrare +PriceOfRegistrationHelp=Preţ înregistrare +PriceOfBooth=Preț înscriere pentru stand +PriceOfBoothHelp=Preț înscriere pentru stand +EventOrganizationICSLink=Asociere calendar ICS pentru evenimente +ConferenceOrBoothInformation=Informaţii Conferinţă sau Stand +Attendees = Participanți +EVENTORGANIZATION_SECUREKEY = Cheie securizată link public de înregistrare la o conferință +# +# Status +# +EvntOrgDraft = Schiţă +EvntOrgSuggested = Sugerat +EvntOrgConfirmed = Confirmat +EvntOrgNotQualified = Ne-calificat +EvntOrgDone = Efectuat +EvntOrgCancelled = Anulat +# +# Public page +# +PublicAttendeeSubscriptionPage = Link public de înscriere la conferinţă +MissingOrBadSecureKey = Cheia de securitate lipseşte sau este invalidă +EvntOrgWelcomeMessage = Acest formular îţi permite să te înregistrezi ca nou participant la conferință  +EvntOrgStartDuration = Această conferinţă începe la +EvntOrgEndDuration = şi se termină la diff --git a/htdocs/langs/ro_RO/knowledgemanagement.lang b/htdocs/langs/ro_RO/knowledgemanagement.lang new file mode 100644 index 00000000000..d5329400c6c --- /dev/null +++ b/htdocs/langs/ro_RO/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Sistem de management al bazei de cunoştinţe +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Gestiunea unei Baze de cunoştinţe(KB) sau a unei baze de suport Help-Desk + +# +# Admin page +# +KnowledgeManagementSetup = Configurare Sistem de management al bazei de cunoştinţe +Settings = Configurări +KnowledgeManagementSetupPage = Pagină configurare Sistem de management al bazei de cunoştinţe + + +# +# About page +# +About = Despre +KnowledgeManagementAbout = Despre modulul Bază de cunoştinţe +KnowledgeManagementAboutPage = Pagină despre Managementul bazei de cunoştinţe + +# +# Sample page +# +KnowledgeManagementArea = Managementul bazei de cunoştinţe + + +# +# Menu +# +MenuKnowledgeRecord = Bază de cunoştinţe +ListOfArticles = Listă articole +NewKnowledgeRecord = Articol nou +ValidateReply = Validare soluţie +KnowledgeRecords = Articole +KnowledgeRecord = Articol +KnowledgeRecordExtraFields = Extracâmpuri articole diff --git a/htdocs/langs/ro_RO/mails.lang b/htdocs/langs/ro_RO/mails.lang index ae1db7a2f66..a7d226c0e36 100644 --- a/htdocs/langs/ro_RO/mails.lang +++ b/htdocs/langs/ro_RO/mails.lang @@ -1,179 +1,179 @@ # Dolibarr language file - Source file is en_US - mails -Mailing=Email-uri -EMailing=Email-uri -EMailings=EMailings -AllEMailings=Toate eMailings -MailCard=Fisă email-uri +Mailing=Newsletter +EMailing=Newsletter +EMailings=Newslettere +AllEMailings=Toate newsletterele +MailCard=Fişă newsletter MailRecipients=Destinatari -MailRecipient=Recipient -MailTitle=Titlu +MailRecipient=Destinatar +MailTitle=Titlu descriere MailFrom=Expeditor MailErrorsTo=Erori la -MailReply=Răspundeţi -MailTo=Receiver (e) +MailReply=Răspunde la +MailTo=Destinatar(i) MailToUsers=Pentru utilizator(i) -MailCC=Copiere în -MailToCCUsers=Copiați la utilizator(i) +MailCC=Copie la +MailToCCUsers=CC la utilizator(i) MailCCC=Copie în cache a -MailTopic=Temă pentru e-mail +MailTopic=Subiect email MailText=Mesaj MailFile=Fişiere ataşate -MailMessage=Continut Email +MailMessage=Conţinut email SubjectNotIn=Nu în subiect -BodyNotIn=Nu în corpul email-ului -ShowEMailing=Arata email-uri -ListOfEMailings=Lista de emailings -NewMailing=Nou email-uri -EditMailing=Editaţi email-uri -ResetMailing=Retrimiteţi email-uri -DeleteMailing=Ştergere email-uri -DeleteAMailing=A şterge un email-uri -PreviewMailing=Previzualizare email-uri -CreateMailing=Creaţi-email-uri -TestMailing=Test de email-uri -ValidMailing=Valid email-uri +BodyNotIn=Nu în corpul emailului +ShowEMailing=Arată newsletter +ListOfEMailings=Listă newslettere +NewMailing=Newsletter nou +EditMailing=Editare newsletter +ResetMailing=Retrimitere newsletter +DeleteMailing=Ştergere newsletter +DeleteAMailing=Şterge un newsletter +PreviewMailing=Previzualizare newsletter +CreateMailing=Creare newsletter +TestMailing=Test email +ValidMailing=Validare emailuri MailingStatusDraft=Schiţă MailingStatusValidated=Validat MailingStatusSent=Trimis MailingStatusSentPartialy=Trimis parţial MailingStatusSentCompletely=Trimis complet MailingStatusError=Eroare -MailingStatusNotSent=Nu trimis -MailSuccessfulySent=E-mail (de la %s la %s) acceptat cu succes pentru livrare -MailingSuccessfullyValidated=EMail validat cu succes +MailingStatusNotSent=Netrimis +MailSuccessfulySent=Emailul (de la %s la %s) acceptat cu succes pentru trimitere +MailingSuccessfullyValidated=Newsletter validat cu succes MailUnsubcribe=Dezabonare MailingStatusNotContact=Nu mă mai contacta -MailingStatusReadAndUnsubscribe=Citiți și dezabonați -ErrorMailRecipientIsEmpty=Email destinatar este gol -WarningNoEMailsAdded=Nu nou e-mail pentru a adăuga şi a destinatarului, listă. -ConfirmValidMailing=Sigur doriți să confirmați această trimitere prin email? -ConfirmResetMailing=Atenție, prin reinitializarea trimiterii prin email %s , veți permite retrimiterea acestui email într-o corespondență în masă. Sigur vrei să faci asta? -ConfirmDeleteMailing=Sigur doriți să ștergeți acest email? -NbOfUniqueEMails=Nr. de emailuri unice -NbOfEMails=Nr. de emaluri -TotalNbOfDistinctRecipients=Numărul de distincte destinatari -NoTargetYet=Nu destinatari definit încă (Du-te la tab-ul 'Recipients') -NoRecipientEmail=Nu există destinatar al emailului pentru %s -RemoveRecipient=Eliminaţi destinatar -YouCanAddYourOwnPredefindedListHere=Pentru a crea dvs. de e-mail selectorul de module, a se vedea htdocs / includes / modules / mesaje / README. -EMailTestSubstitutionReplacedByGenericValues=Când utilizaţi modul de testare, substituţiilor variabile sunt înlocuite de valorile generic +MailingStatusReadAndUnsubscribe=Citire și dezabonare +ErrorMailRecipientIsEmpty=Adresa de email destinatar este goală +WarningNoEMailsAdded=Niciun email nou de adăugat în lista de destinatari. +ConfirmValidMailing=Sigur confirmați această trimitere? +ConfirmResetMailing=Atenție, prin reiniţializarea newsletter-ului %s, vei permite retrimiterea acestuia. Sigur vrei să faci asta? +ConfirmDeleteMailing=Sigur doriți să ștergeți acest newsletter? +NbOfUniqueEMails=Nr. emailuri unice +NbOfEMails=Nr. emaluri +TotalNbOfDistinctRecipients=Număr destinatari distincţi +NoTargetYet=Nu s-au definit destinatari (Du-te în tab-ul 'Destinatari') +NoRecipientEmail=Nu există adresă de email destinatar pentru %s +RemoveRecipient=Înlăturare destinatar +YouCanAddYourOwnPredefindedListHere=Pentru a crea un modul de selectare a adreselor de email, consultă htdocs/core/modules/mailings/README. +EMailTestSubstitutionReplacedByGenericValues=Când utilizezi modul de testare, variabilele de substituţie sunt înlocuite cu valori generice MailingAddFile=Ataşaţi acest fisier -NoAttachedFiles=Nu fişiere ataşate -BadEMail=Valoare greşită pentru email -ConfirmCloneEMailing=Sigur doriți să clonați această adresă de email? -CloneContent=Clone mesaj -CloneReceivers=Cloner destinatari +NoAttachedFiles=Fără fişiere ataşate +BadEMail=Valoare eronată pentru email +ConfirmCloneEMailing=Sigur doriți să clonați acest newsletter? +CloneContent=Clonare mesaj +CloneReceivers=Clonare destinatari DateLastSend=Data ultimei trimiteri -DateSending=Data trimiterea +DateSending=Data trimiterii SentTo=Trimis la %s MailingStatusRead=Citit -YourMailUnsubcribeOK=Emailul %s este dezabonat corect din lista de mailuri -ActivateCheckReadKey=Cheia folosită pentru criptarea adresei URL folosită pentru funcția "Recepție citire" și "Dezabonare" -EMailSentToNRecipients=Emailul trimis la destinatarii %s. -EMailSentForNElements=E-mailul trimis pentru elementele %s. -XTargetsAdded=%s destinatari adăugaţi în lista target -OnlyPDFattachmentSupported=Dacă documentele PDF au fost deja generate pentru obiectele de trimis, acestea vor fi atașate la email. Dacă nu, nu va fi trimis nici un email (de asemenea, rețineți că numai documentele PDF sunt acceptate ca atașamente la trimiterea în masă în această versiune). -AllRecipientSelected=Destinatarii înregistrării %s selectați (dacă emailul lor este cunoscut). -GroupEmails=Grup de emailuri -OneEmailPerRecipient=Un email pentru fiecare destinatar (în mod implicit, un email selectat pentru fiecare înregistrare ) -WarningIfYouCheckOneRecipientPerEmail=Atenție, dacă bifați această casetă, înseamnă că va fi trimis un singur email pentru mai multe înregistrări sectate, deci dacă mesajul dvs. conține variabile de substituție care se referă la datele unei înregistrări, nu este posibil să le înlocuiți. -ResultOfMailSending=Rezultatul trimiterii de email în masă -NbSelected=Număr selectate -NbIgnored=Număr ignorate -NbSent=Număr trimise -SentXXXmessages= %s Mesaj(e) trimise. -ConfirmUnvalidateEmailing=Sigur doriți să schimbați emailul %s la starea de schiţă? -MailingModuleDescContactsWithThirdpartyFilter=Contactați filtrele clienților -MailingModuleDescContactsByCompanyCategory=Contacte după categorii terți +YourMailUnsubcribeOK=Adresa de email %s a fost dezabonată corect din listă. +ActivateCheckReadKey=Cheia folosită pentru criptarea adresei URL folosită pentru funcția "Confirmare citire" și "Dezabonare" +EMailSentToNRecipients=Emailul a fost trimis la destinatarii %s. +EMailSentForNElements=Email trimis pentru %s elemente. +XTargetsAdded=%s destinatari adăugaţi în lista de trimitere +OnlyPDFattachmentSupported=Dacă documentele PDF au fost deja generate pentru obiectele de trimis, acestea vor fi atașate la email. Dacă nu, nu va fi trimis niciun email (de asemenea, rețineți că numai documentele PDF sunt acceptate ca atașamente la trimiterea de newslettere în această versiune). +AllRecipientSelected=Destinatarii înregistrării %s au fost selectaţi (dacă au adresă de email definită). +GroupEmails=Grup emailuri +OneEmailPerRecipient=Un email pentru fiecare destinatar (în mod implicit, un email selectat pentru fiecare înregistrare) +WarningIfYouCheckOneRecipientPerEmail=Atenție, dacă bifați această casetă, înseamnă că va fi trimis un singur email pentru mai multe înregistrări selectate, deci dacă mesajul tău conține variabile de substituție care se referă la datele unei înregistrări, nu este posibil să le înlocuiți. +ResultOfMailSending=Rezultatul trimiterii newsletter-ului +NbSelected=Număr adrese email selectate +NbIgnored=Număr adrese email ignorate +NbSent=Număr adrese email trimise +SentXXXmessages= %s mesaj(e) trimise. +ConfirmUnvalidateEmailing=Sigur doriți să schimbați newsletter-ul %s la starea de schiţă? +MailingModuleDescContactsWithThirdpartyFilter=Contacte după filtre personalizate +MailingModuleDescContactsByCompanyCategory=Contacte după categorie terți MailingModuleDescContactsByCategory=Contacte pe categorii -MailingModuleDescContactsByFunction=Contacte după poziție -MailingModuleDescEmailsFromFile=Emailuri din fișier -MailingModuleDescEmailsFromUser=Emailuri introduse de utilizator -MailingModuleDescDolibarrUsers=Utilizatorii cu emailuri +MailingModuleDescContactsByFunction=Contacte după funcţie +MailingModuleDescEmailsFromFile=Adrese email din fișier +MailingModuleDescEmailsFromUser=Adrese de email introduse de utilizator +MailingModuleDescDolibarrUsers=Utilizatori cu adrese de email MailingModuleDescThirdPartiesByCategories=Terți (pe categorii) SendingFromWebInterfaceIsNotAllowed=Trimiterea de pe interfața web nu este permisă. EmailCollectorFilterDesc=Toate filtrele trebuie să se potrivească pentru ca un email să fie colectat # Libelle des modules de liste de destinataires mailing LineInFile=Linia %s în fişierul -RecipientSelectionModules=Definit pentru cererile beneficiarilor de selecţie -MailSelectedRecipients=Selectat destinatarii -MailingArea=EMailings -LastMailings=Ultimele emailuri %s -TargetsStatistics=Ţinte statistici -NbOfCompaniesContacts=Unic de contact din companii -MailNoChangePossible=Destinatari validate de email-uri nu poate fi schimbat -SearchAMailing=Căutare de e-mail -SendMailing=Trimite email-uri +RecipientSelectionModules=Solicitări definite pentru destinatarii selectaţi +MailSelectedRecipients=Destinatari selectaţi +MailingArea=Newslettere +LastMailings=Ultimele %s newslettere +TargetsStatistics=Statistici Destinatari +NbOfCompaniesContacts=Contacte/adrese unice +MailNoChangePossible=Destinatarii validaţi pentru trimiterea newsletter-ului nu pot fi modificaţi +SearchAMailing=Căutare newsletter +SendMailing=Trimitere newsletter SentBy=Trimis de -MailingNeedCommand=Trimiterea unui email poate fi efectuată din linia de comandă. Cereți administratorului serverului să lanseze următoarea comandă pentru a trimite emailul tuturor destinatarilor: -MailingNeedCommand2=Puteţi, totuşi, trimite-le on-line, prin adăugarea parametrului MAILING_LIMIT_SENDBYWEB cu valoare de numărul maxim de mesaje de poştă electronică pe care doriţi să o trimiteţi prin sesiuni. -ConfirmSendingEmailing=Dacă doriți să trimiteți emailuri direct de pe acest ecran, vă rugăm să confirmați că sunteți sigur că doriți să trimiteți acum emailuri din browserul dvs.? -LimitSendingEmailing=Notă: Trimiterea de emailurilor din interfata web se face de mai multe ori din motive de securitate și pauze, %s beneficiari la un moment dat pentru fiecare sesiune trimitere. -TargetsReset=Cer senin lista -ToClearAllRecipientsClickHere=Pentru a goli beneficiarilor lista pentru acest email-uri, faceţi clic pe butonul +MailingNeedCommand=Trimiterea unui newsletter poate fi efectuată din linia de comandă. Cere administratorului serverului să lanseze următoarea comandă pentru a trimite newsletter-ul tuturor destinatarilor: +MailingNeedCommand2=Totuşi, îl poţi trimite online, prin adăugarea parametrului MAILING_LIMIT_SENDBYWEB cu valoarea maximă de email-uri de trimis per sesiune. +ConfirmSendingEmailing=Dacă doreşti să trimiți newsletter-ul direct de pe acest ecran, confirmă că eşti sigur că doreşti să trimiți acum newsletter-ul din browserul tău? +LimitSendingEmailing=Notă: Trimiterea de emailurilor din interfata web se face în mai multe etape din motive de securitate și timing, %s destinatari la un moment dat pentru fiecare sesiune trimitere. +TargetsReset=Şterge listă +ToClearAllRecipientsClickHere=Pentru a goli lista de destinatari pentru acest newsletter, fă clic ToAddRecipientsChooseHere=Pentru a adăuga destinatari, alegeţi din aceste liste -NbOfEMailingsReceived=Mass emailings primit -NbOfEMailingsSend=Trimitere emailuri in masa -IdRecord=ID-ul de înregistrare -DeliveryReceipt=Livrare Ack. -YouCanUseCommaSeparatorForSeveralRecipients=Aveţi posibilitatea de a utiliza comma separator pentru a specifica mai mulţi destinatari. +NbOfEMailingsReceived=Newslettere primite +NbOfEMailingsSend=Newslettere trimise +IdRecord=ID înregistrare +DeliveryReceipt=Confirmare livrare. +YouCanUseCommaSeparatorForSeveralRecipients=Aveţi posibilitatea de a utiliza virgula ca separator pentru a specifica mai mulţi destinatari. TagCheckMail=Urmăreşte deschiderea emailului -TagUnsubscribe=Link Dezabonare -TagSignature=Semnătura utilizatorului trimiterii -EMailRecipient=Email destinatar -TagMailtoEmail=Email destinatar (inclusiv linkul html "mailto:") -NoEmailSentBadSenderOrRecipientEmail=Nu a fost trimis niciun email. Expeditor sau destinatar email greșit . Verificați profilul utilizatorului. +TagUnsubscribe=Link dezabonare +TagSignature=Semnătura utilizatorului care trimite +EMailRecipient=Adresă de email destinatar +TagMailtoEmail=Email destinatar (include linkul html "mailto:") +NoEmailSentBadSenderOrRecipientEmail=Nu a fost trimis niciun email. Adresa de email a expeditorului sau a destinatarului este greșită. Verificați profilul utilizatorului. # Module Notifications -Notifications=Anunturi +Notifications=Notificări NotificationsAuto=Notificări automate -NoNotificationsWillBeSent=Nu sunt planificate notificări automate prin e-mail pentru acest tip de eveniment și companie +NoNotificationsWillBeSent=Nu sunt planificate notificări automate prin email pentru acest tip de eveniment și companie ANotificationsWillBeSent=1 notificare automată va fi transmisă pe email SomeNotificationsWillBeSent=%s notificări automate vor fi transmise pe email AddNewNotification=Abonare la o nouă notificare automată prin email (țintă/eveniment) -ListOfActiveNotifications=Enumerați toate abonamentele active (ținte/evenimente) pentru notificări automate prin email -ListOfNotificationsDone=Afişaţi toate notificările automate trimise prin email -MailSendSetupIs=Configurarea trimiterii e-mail a fost de configurat la '%s'. Acest mod nu poate fi utilizat pentru a trimite email-uri în masă. -MailSendSetupIs2=Trebuie mai întâi să mergi, cu un cont de administrator, în meniu%sHome - Setup - EMails%s pentru a schimba parametrul '%s' de utilizare în modul '%s'. Cu acest mod, puteți introduce configurarea serverului SMTP furnizat de furnizorul de servicii Internet și de a folosi facilitatea Mass email . -MailSendSetupIs3=Daca aveti intrebari cu privire la modul de configurare al serverului SMTP, puteți cere la %s. -YouCanAlsoUseSupervisorKeyword=De asemenea, puteți adăuga cuvântul cheie __SUPERVISOREMAIL__ pentru a trimite un email către supraveghetorul utilizatorului (funcționează numai dacă un email este definit pentru acest supervizor) -NbOfTargetedContacts=Număr curent de emailuri de contact direcționate -UseFormatFileEmailToTarget=Fișierul importat trebuie să aibă format e-mail; nume; prenume; altul -UseFormatInputEmailToTarget=Introduceți un șir cu formatul de email ; nume; prenume; altul +ListOfActiveNotifications=Lista tuturor abonamentelor active (destinatari/evenimente) pentru notificări automate prin email +ListOfNotificationsDone=Lista tuturor notificărilor automate trimise prin email  +MailSendSetupIs=Configurarea trimiterii de email a fost setată la '%s'. Acest mod nu poate fi utilizat pentru a trimite newslettere. +MailSendSetupIs2=Trebuie mai întâi să mergi, cu un cont de administrator, în meniul %sAcasă - Setări - Emailuri%s pentru a schimba parametrul '%s' de utilizare în modul '%s'. Cu acest mod, puteți introduce configurarea serverului SMTP al furnizorul de servicii Internet și de a folosi facilitatea Newslettere. +MailSendSetupIs3=Dacă ai întrebări cu privire la modul de configurare al serverului SMTP, poţi cere informaţii la %s. +YouCanAlsoUseSupervisorKeyword=De asemenea, poţi adăuga cuvântul cheie __SUPERVISOREMAIL__ pentru a trimite un email către supervizorul utilizatorului (funcționează doar dacă supervizorul are o adresă de email definită) +NbOfTargetedContacts=Număr curent de emailuri contacte destinatar +UseFormatFileEmailToTarget=Fișierul importat trebuie să aibă formatul email;nume;prenume;altul +UseFormatInputEmailToTarget=Introduceți un șir cu formatul email;nume;prenume;altul MailAdvTargetRecipients=Destinatari (selecție avansată) -AdvTgtTitle=Completați câmpurile de introducere pentru a preselecta terții sau contactele/adresele vizate +AdvTgtTitle=Completează câmpurile pentru a preselecta terții sau contactele/adresele vizate AdvTgtSearchTextHelp= Se utilizează %% ca metacaracter. De exemplu, pentru a găsi toate articolele cum ar fi jean, joe, jim, puteți introduce j%%, puteți utiliza și; ca separator pentru valoare și folosiți ! pentru exceptarea acestei valori. De exemplu jean; joe; jim%%;!Jimo;!Jima%% va viza toate jean, joe, cele care încep cu jim dar nu jimo și tot ce nu începe cu jima -AdvTgtSearchIntHelp=Utilizați intervalul pentru a selecta valoarea int sau float -AdvTgtMinVal=Valoare minima -AdvTgtMaxVal=Valoare maxima -AdvTgtSearchDtHelp=Foloseste interval pentru selectare valoare data -AdvTgtStartDt=Start dt. -AdvTgtEndDt=Final dt. -AdvTgtTypeOfIncudeHelp=Email-ul țintă al unei părți terțe și adresa de email a persoanei de contact a terței părți sau doar adresa de email terță parte sau doar adresa de email de contact +AdvTgtSearchIntHelp=Utilizează interval de selecţie cu valoare întreagă sau zecimală +AdvTgtMinVal=Valoare minimă +AdvTgtMaxVal=Valoare maximă +AdvTgtSearchDtHelp=Utilizează interval de selecţie cu valoare dată calendaristică +AdvTgtStartDt=Dată start. +AdvTgtEndDt=Dată final. +AdvTgtTypeOfIncudeHelp=Adresa de email destinatar a unui terț și adresa de email a persoanei de contact a unui terţ sau doar adresa de email a terţului sau doar adresa de email a persoanei de contact AdvTgtTypeOfIncude=Tipul de email vizat -AdvTgtContactHelp=Utilizați numai dacă vizați persoana de contact în "Tip de email direcționat" -AddAll=Add tot +AdvTgtContactHelp=Utilizează numai dacă vizezi persoana de contact din "Tip de email destinatar" +AddAll=Adaugă tot RemoveAll=Elimină tot ItemsCount=Element(e) -AdvTgtNameTemplate=Nume Filtru -AdvTgtAddContact=Adăugați emailuri conform criteriului -AdvTgtLoadFilter=Încărcați filtrul +AdvTgtNameTemplate=Nume filtru +AdvTgtAddContact=Adăugare email-uri conform criteriului +AdvTgtLoadFilter=Încărcare filtru AdvTgtDeleteFilter=Ştergere filtru AdvTgtSaveFilter=Salvare filtru AdvTgtCreateFilter=Creare filtru AdvTgtOrCreateNewFilter=Numele noului filtru -NoContactWithCategoryFound=Nu s-a găsit niciun contact / adresă cu o categorie -NoContactLinkedToThirdpartieWithCategoryFound=Nu s-a găsit niciun contact / adresă cu o categorie -OutGoingEmailSetup= Email-uri trimise -InGoingEmailSetup=Email-uri primite +NoContactWithCategoryFound=Nu s-a găsit niciun contact/adresă cu o categorie +NoContactLinkedToThirdpartieWithCategoryFound=Nu s-a găsit niciun contact/adresă cu categorie +OutGoingEmailSetup= Emailuri trimise +InGoingEmailSetup=Emailuri primite OutGoingEmailSetupForEmailing=Email-uri trimise (pentru modulul %s) DefaultOutgoingEmailSetup=Aceeași configurație ca şi configurarea globală de trimitere email -Information=Informatie -ContactsWithThirdpartyFilter=Contacte cu filtrul terț +Information=Informaţii +ContactsWithThirdpartyFilter=Contacte cu filtrare după terț Unanswered=Fără răspuns Answered=Răspuns -IsNotAnAnswer=Nu răspunde (e-mail inițial) +IsNotAnAnswer=Nu răspunde (email inițial) IsAnAnswer= Este un răspuns al unui email inițial -RecordCreatedByEmailCollector=Înregistrare creată de colectorul de email %sdin adresa %s -DefaultBlacklistMailingStatus=Stare implicită a contactului care refuză primirea de email-uri bulk -DefaultStatusEmptyMandatory= Necompletat, dar obligatoriu  +RecordCreatedByEmailCollector=Înregistrare creată de colectorul de email %s din adresa %s +DefaultBlacklistMailingStatus=Stare implicită a contactului care refuză primirea de newslettere +DefaultStatusEmptyMandatory= Necompletat, dar obligatoriu diff --git a/htdocs/langs/ro_RO/main.lang b/htdocs/langs/ro_RO/main.lang index ae771d583c1..30cb1f67a0c 100644 --- a/htdocs/langs/ro_RO/main.lang +++ b/htdocs/langs/ro_RO/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Salvează şi mergi la pagină nouă TestConnection=Test conexiune ToClone=Clonare ConfirmCloneAsk=Eşti sigur că vrei să clonezi obiectul %s? -ConfirmClone=Alegeți datele pe care doriți să le clonați: +ConfirmClone=Alege datele pe care vrei să le clonezi: NoCloneOptionsSpecified=Nu există date definite pentru a clona . Of=de Go=Go @@ -246,7 +246,7 @@ DefaultModel=Șablonul implicit document Action=Eveniment About=Despre Number=Număr -NumberByMonth=Număr pe luni +NumberByMonth=Total pe lună AmountByMonth=Valoare pe luni Numero=Număr Limit=Limită @@ -341,8 +341,8 @@ KiloBytes=Kiloocteţi MegaBytes=Megaocteţi GigaBytes=Gigaocteţi TeraBytes=Teraocteţi -UserAuthor=Utilizatorul creator -UserModif=Utilizatorul ultimei actualizări +UserAuthor=Creat de +UserModif=Actualizat de b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Pe From=De la FromDate=De la FromLocation=De la -at=la to=până la To=la +ToDate=până la +ToLocation=către +at=la and=şi or=sau Other=Alt @@ -843,7 +845,7 @@ XMoreLines=%s linii(e) ascunse ShowMoreLines=Afișează mai multe/mai puține linii PublicUrl=URL Public AddBox=Adaugă box -SelectElementAndClick=Selectați un element și faceți clic pe %s +SelectElementAndClick=Selectează un element şi dă clic pe %s PrintFile=Tipăreşte fişierul %s ShowTransaction=Afișați intrarea în contul bancar ShowIntervention=Afişează intervenţie @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Sigur doriți să afectați etichetele înregistrărilo CategTypeNotFound=Nu s-a găsit niciun tip de etichetă pentru tipul de înregistrări CopiedToClipboard=Copiat în clipboard InformationOnLinkToContract=Această sumă este doar totalul tuturor liniilor contractului. Nici o noțiune de timp nu este luată în considerare. +ConfirmCancel=Eşti sigur că vrei să anulezi diff --git a/htdocs/langs/ro_RO/members.lang b/htdocs/langs/ro_RO/members.lang index ffbf1906aaa..74a686f0539 100644 --- a/htdocs/langs/ro_RO/members.lang +++ b/htdocs/langs/ro_RO/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Un alt membru (nume:%s, log ErrorUserPermissionAllowsToLinksToItselfOnly=Din motive de securitate, trebuie să aveţi drepturi de a modifica toţi utilizatorii pentru a putea asocia un membru unui utilizator altul decât tine. SetLinkToUser=Asociere utilizator sistem SetLinkToThirdParty=Asociere terţ din sistem -MembersCards=Carţi de vizită membri +MembersCards=Cărţi de vizită pentru membri MembersList=Listă de membri MembersListToValid=Listă membri schiţă (de validat) MembersListValid=Lista de membri validaţi @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Membri cu cotizaţia de încasat MembersWithSubscriptionToReceiveShort=Cotizaţie de încasat DateSubscription=Dată adeziune DateEndSubscription=Dată sfârşit adeziune -EndSubscription=Sfârşit Adeziune +EndSubscription=Terminare abonament/adeziune SubscriptionId=ID Adeziune WithoutSubscription=Fără cotizaţie MemberId=ID membru @@ -83,10 +83,10 @@ WelcomeEMail=Email de bun venit SubscriptionRequired=Necesită Cotizaţie DeleteType=Şterge VoteAllowed=Drept de vot -Physical=Fizică -Moral=Juridică -MorAndPhy=Persoană fizică şi Juridică -Reenable=Reactivare +Physical=Persoană fizică +Moral=Persoană juridică +MorAndPhy=Persoană juridică sau persoană fizică +Reenable=Re-activare ExcludeMember=Exclude membru ConfirmExcludeMember=Eşti sigur că vrei să excluzi acest membru? ResiliateMember=Desfiinţare membru @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Statistici Membri după ţară MembersStatisticsByState=Statistici Membri după judeţ/regiune MembersStatisticsByTown=Statistici Membri după oraş MembersStatisticsByRegion=Statistici Membri după regiune -NbOfMembers=Număr membri -NbOfActiveMembers=Numărul curent de membri activi +NbOfMembers=Număr total de membri +NbOfActiveMembers=Numărul total de membri activi NoValidatedMemberYet=Niciun membru validat găsit -MembersByCountryDesc=Acest ecran îţi arată statistici cu privire la membri după ţări. Graficul depinde serviciul on-line Google grafic şi este disponibil numai în cazul în care conexiunea la internet este activă. -MembersByStateDesc=Acest ecran îţi arată statistici cu privire la membri după regiuni/judeţe. -MembersByTownDesc=Acest ecran îţi afişează statistici cu privire la membri după oraş. +MembersByCountryDesc=Acest ecran vă arată statisticile membrilor pe țări. Graficele și hărţile depind de disponibilitatea serviciului de hărţi online Google, precum și de disponibilitatea unei conexiuni la internet funcționale. +MembersByStateDesc=Acest ecran vă arată statistici ale membrilor în funcție de judeţe/uat-uri/localităţi. +MembersByTownDesc=Acest ecran vă arată statisticile membrilor după oraș. +MembersByNature=Acest ecran vă arată statisticile membrilor după natură. +MembersByRegion=Acest ecran vă arată statistici ale membrilor în funcție de regiune. MembersStatisticsDesc=Alege statisticile pe care doreşti să le citeşti... MenuMembersStats=Statistici -LastMemberDate=Data ultimului membru +LastMemberDate=Data ultimei adeziuni LatestSubscriptionDate=Ultima dată a abonamentului/cotizaţiei -MemberNature=Natură membru +MemberNature=Natura membrului MembersNature=Natura membrilor -Public=Profil public +Public=Informaţiile sunt publice NewMemberbyWeb=Membru nou adăugat. În aşteptarea validării NewMemberForm=Formular Membru nou -SubscriptionsStatistics=Statistici privind cotizaţiile/abonamentele +SubscriptionsStatistics=Statistici abonamente/adeziuni NbOfSubscriptions=Număr cotizaţii -AmountOfSubscriptions=Valoarea cotizaţiilor +AmountOfSubscriptions=Sumă colectată din abonamente TurnoverOrBudget=Cifra de afaceri (pentru o companie), sau Bugetul (pentru o fundaţie) DefaultAmount=Valoarea implicită a cotizaţiei/abonamentului CanEditAmount=Vizitatorul poate alege/modifica valoarea cotizaţiei sale MEMBER_NEWFORM_PAYONLINE=Mergi la pagina integrată de plată online ByProperties=După natură MembersStatisticsByProperties=Statistici membri după natură -MembersByNature=Acest ecran afişează statistici membri după forma juridică -MembersByRegion=Acest ecran afişează statistici membri după regiune. VATToUseForSubscriptions=Cota TVA utilizată pentru înscrieri NoVatOnSubscription=Fără TVA pentru cotizaţii ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produs folosit pentru linia de abonament/cotizaţie în factura: %s diff --git a/htdocs/langs/ro_RO/modulebuilder.lang b/htdocs/langs/ro_RO/modulebuilder.lang index f2f79082872..a9a43243114 100644 --- a/htdocs/langs/ro_RO/modulebuilder.lang +++ b/htdocs/langs/ro_RO/modulebuilder.lang @@ -85,7 +85,7 @@ 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=Este vizibil câmpul? (Exemple: 0 = Invizibil întotdeauna, 1 = Vizibil în liste și în formularele de creare/actualizare/vizualizare, 2 = Vizibil doar în liste, 3 = Vizibil numai în formularele de creare/actualizare/vizualizare (nu în liste), 4 = Vizibil în liste și în formularele de actualizare/vizualizare (nu în cele de creare), 5 = Vizibil numai pe formularul de vizualizare finală a listei (nu pe cele de creare sau actualizare).

Utilizarea unei valori negative înseamnă că câmp nu este afișat implicit în listă, dar poate fi selectat pentru vizualizare).

Poate fi o expresie, de exemplu:
preg_match ('/ public /', $ _SERVER ['PHP_SELF'])? 0: 1
($ user-> rights-> holiday-> define_holiday? 1: 0) -DisplayOnPdfDesc=Afișați acest câmp pe documente PDF compatibile, puteți gestiona poziția cu câmpul „Poziție”.
În prezent, modelele PDF compatibile cunoscute sunt: ​​eratosten (comandă), espadon (livrare), sponge (facturi), cyan (propunere/ofertă), cornas (comandă achiziţie)

Pentru documente:
0 = nu se afișează
1 = se afișează
2 = se afișează dacă este completat

Pentru linii de document:
0 = nu se afişează
1 = se afișează într-o coloană
3 = se afișează în coloana descriere după descriere
4 = se afișează în coloana descriere după descriere dacă este completat +DisplayOnPdfDesc=Afișează acest câmp pe documente PDF compatibile, poți gestiona poziția cu câmpul „Poziție”.
În prezent, modelele PDF compatibile cunoscute sunt: ​​eratostene (comandă), espadon (livrări), sponge (facturi), cyan (propunere/ofertă), cornas (comandă furnizor)

Pentru document:
0 = nu este afișat
1 = afișare
2 = afișare numai dacă nu este gol

Pentru liniile documentului:
0 = nu este afișat
1 = afișat într-o coloană
3 = afișare în coloana de descriere a liniei după descriere
4 = afișare în coloana de descriere numai după descriere dacă nu este gol DisplayOnPdf=Afişare în PDF IsAMeasureDesc=Poate fi cumulată valoarea câmpului pentru a obține un total în listă? (Exemple: 1 sau 0) SearchAllDesc=Este folosit câmpul pentru a face o căutare cu instrumentul de căutare rapidă? (Exemple: 1 sau 0) diff --git a/htdocs/langs/ro_RO/other.lang b/htdocs/langs/ro_RO/other.lang index 318effe7aa2..0db2335cdb0 100644 --- a/htdocs/langs/ro_RO/other.lang +++ b/htdocs/langs/ro_RO/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Instalați sau activați biblioteca GD în configuraţia PHP ProfIdShortDesc=Prof Id %s este identificator profesional alocat în funcţie de ţara terţului.
De exemplu, pentru %s este codul %s. DolibarrDemo=Demo Dolibarr ERP/CRM StatsByNumberOfUnits=Statistici pentru suma cantităţilor produselor/serviciilor -StatsByNumberOfEntities=Statistici cantitative privind entitățile referite (numărul de facturi sau de comenzi ...) +StatsByNumberOfEntities=Statistici pentru numărul entităților referite (nr. facturi sau comenzi...) NumberOfProposals=Număr de oferte comerciale NumberOfCustomerOrders=Număr de comenzi de vânzare NumberOfCustomerInvoices=Număr de facturi client @@ -289,4 +289,4 @@ PopuProp=Produse/servicii după popularitate pe ofertele comerciale PopuCom=Produse/servicii după popularitate pe comenzile de vânzare ProductStatistics=Statistici produse/servicii NbOfQtyInOrders=Cantitate în comenzi -SelectTheTypeOfObjectToAnalyze=Selectează tipul obiectului de analizat... +SelectTheTypeOfObjectToAnalyze=Selectează un obiect pentru a-i vedea statisticile... diff --git a/htdocs/langs/ro_RO/partnership.lang b/htdocs/langs/ro_RO/partnership.lang new file mode 100644 index 00000000000..8431c0344e3 --- /dev/null +++ b/htdocs/langs/ro_RO/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Managementul parteneriatelor +PartnershipDescription = Modul Management parteneriate +PartnershipDescriptionLong= Modul Management parteneriate + +# +# Menu +# +NewPartnership = Parteneriat nou +ListOfPartnerships = Listă parteneriate + +# +# Admin page +# +PartnershipSetup = Setare parteneriat +PartnershipAbout = Despre modulul Parteneriate +PartnershipAboutPage = Pagină despre modulul Parteneriate + + +# +# Object +# +DatePartnershipStart=Dată începere +DatePartnershipEnd=Dată încetare + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Schiţă +PartnershipAccepted = Acceptat +PartnershipRefused = Refuzat +PartnershipCanceled = Anulat + +PartnershipManagedFor=Partenerii sunt diff --git a/htdocs/langs/ro_RO/productbatch.lang b/htdocs/langs/ro_RO/productbatch.lang index c3703344839..9492b27ef33 100644 --- a/htdocs/langs/ro_RO/productbatch.lang +++ b/htdocs/langs/ro_RO/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Seria %s este deja utilizată pentru produsul %s TooManyQtyForSerialNumber=Poți avea un singur produs %s pentru numărul de serie %s BatchLotNumberingModules=Opțiuni pentru generarea automată de produse lot gestionate pe loturi BatchSerialNumberingModules=Opțiuni pentru generarea automată de produse lot gestionate prin numere de serie +ManageLotMask=Mască personalizată CustomMasks=Adaugă o opţiune pentru definire mască în fişa produsului LotProductTooltip=Adaugă o opțiune în fişa de produs pentru a defini o mască dedicată numărului de lot SNProductTooltip=Adaugă o opțiune în fişa de produs pentru a defini o mască dedicată numărului de serie QtyToAddAfterBarcodeScan=Cantitate de adăugat pentru fiecare cod de bare/lot/serie scanată - diff --git a/htdocs/langs/ro_RO/products.lang b/htdocs/langs/ro_RO/products.lang index 1e5f07f0e12..7623c896304 100644 --- a/htdocs/langs/ro_RO/products.lang +++ b/htdocs/langs/ro_RO/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Servicii doar de vânzare ServicesOnPurchaseOnly=Servicii doar de achiziţionat ServicesNotOnSell=Servicii care nu sunt nici de vânzare și nici de achiziţionat ServicesOnSellAndOnBuy=Servicii de vânzare sau de achiziţionat -LastModifiedProductsAndServices=Ultimile %s produse/servicii modificate +LastModifiedProductsAndServices=Ultimele %s produse/servicii modificate LastRecordedProducts=Ultimele %s produse înregistrate LastRecordedServices=Ultimele %s servicii înregistrate CardProduct0=Produs @@ -73,12 +73,12 @@ SellingPrice=Preţ de vânzare SellingPriceHT=Preț de vânzare (fără taxe) SellingPriceTTC=Preţ de vânzare (cu taxe) SellingMinPriceTTC=Preț minim de vânzare (cu taxe) -CostPriceDescription=Acest câmp de preț (fără taxe) poate fi utilizat pentru a stoca preţul de cost mediu pentru compania ta. Poate fi orice preț pe care îl calculați, de exemplu din prețul mediu de achiziție plus costul mediu de producție și distribuție. +CostPriceDescription=Acest câmp de preț (fără taxe) poate fi utilizat pentru a capta costul mediu pentru acest produs. Poate fi orice preț pe care îl poţi calcula singur, de exemplu, din prețul mediu de achiziţie plus costul mediu de producție și distribuție. CostPriceUsage=Această valoare ar putea fi utilizată pentru calcularea marjei. SoldAmount=Cantitate vândută PurchasedAmount=Cantitate achiziționată NewPrice=Preţ nou -MinPrice=Preț minim de vânzare +MinPrice=Preţ min. de vânzare EditSellingPriceLabel=Editare etichetă preț vânzare CantBeLessThanMinPrice=Prețul de vânzare nu poate fi mai mic decât minimul permis pentru acest produs (%s fără taxe). Acest mesaj poate apărea, de asemenea, dacă aplicați o reducere prea mare. ContractStatusClosed=Închis @@ -157,10 +157,10 @@ ListServiceByPopularity=Listă servicii după popularitate Finished=Produs fabricat RowMaterial=Materie primă ConfirmCloneProduct=Sunteți sigur că doriți să clonați produsul sau serviciul %s? -CloneContentProduct=Clonați toate informațiile principale ale produsului/serviciului +CloneContentProduct=Clonează toate informațiile principale despre produs/serviciu ClonePricesProduct=Clonare preţuri CloneCategoriesProduct=Clonare tag-uri/categorii asociate -CloneCompositionProduct=Clonare produs/serviciu virtual +CloneCompositionProduct=Clonare produse/servicii virtuale CloneCombinationsProduct=Clonare variante de produs ProductIsUsed=Acest produs este utilizat NewRefForClone=Ref. noului produs/serviciu @@ -171,11 +171,11 @@ SuppliersPrices=Prețuri furnizor SuppliersPricesOfProductsOrServices=Prețuri furnizori (pentru produse sau servicii) CustomCode=Cod vamal/Marfă/Cod HS CountryOrigin=Ţara de origine -RegionStateOrigin=Regiune de origine -StateOrigin=Ţară|Regiune de origine -Nature=Natură produs(materie primă/produs finit) +RegionStateOrigin=Regiunea de origine +StateOrigin=Judeţul/UAT-ul de origine +Nature=Natură produs (materie primă/produs fabricat) NatureOfProductShort=Natură produs -NatureOfProductDesc=Materie primă sau produs finit +NatureOfProductDesc=Materie primă sau produs fabricat ShortLabel=Etichetă scurtă Unit=Unitate p=u. diff --git a/htdocs/langs/ro_RO/projects.lang b/htdocs/langs/ro_RO/projects.lang index 41389259f5d..b0e5d46b2c6 100644 --- a/htdocs/langs/ro_RO/projects.lang +++ b/htdocs/langs/ro_RO/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Contacte proiect ProjectsImContactFor=Proiecte pentru care sunt persoană de contact în mod explicit AllAllowedProjects=Toate proiectele pe care le pot citi (ale mele + cele publice) AllProjects=Toate proiectele -MyProjectsDesc=Această vizualizare este limitată la proiectele pentru care sunteți contactat +MyProjectsDesc=Această vizualizare este limitată la proiectele pentru care eşti persoană de contact ProjectsPublicDesc=Această vedere prezintă toate proiectele la care aveţi permisiunea de citire. TasksOnProjectsPublicDesc=Această vizualizare prezintă toate task-urile pe care aveți permisiunea să le citiți. ProjectsPublicTaskDesc=Această vedere prezintă toate proiectele şi task-urile care sunt permise să le citiţi. ProjectsDesc=Această vedere prezintă toate proiectele (permisiuni acordate pentru a vizualiza tot). TasksOnProjectsDesc=Această vizualizare prezintă toate task-urile din toate proiectele (permisiuni acordate pentru a vizualiza tot). -MyTasksDesc=Această vizualizare este limitată la proiectele sau task-urile pentru care sunteți contact +MyTasksDesc=Această vizualizare este limitată la proiectele sau task-urile pentru care eşti persoană de contact OnlyOpenedProject=Sunt vizibile numai proiectele deschise (proiectele schiţă sau închise nu sunt vizibile). ClosedProjectsAreHidden=Proiectele închise nu sunt vizibile. TasksPublicDesc=Această vedere prezintă toate proiectele şi task-urile pentru care aveţi permisiunea de a le citi. TasksDesc=Această vedere prezintă toate proiectele şi task-urile (drepturile îţi permit să vezi totul). AllTaskVisibleButEditIfYouAreAssigned=Toate task-urile pentru proiectele calificate sunt vizibile, însă puteți introduce timp consumat doar pe task-ul atribuit utilizatorului selectat. Atribuiți task-ul dacă trebuie să introduceți timp consumat pe el. -OnlyYourTaskAreVisible=Numai task-urile atribuite ţie sunt vizibile. Atribuiți-vă task-ul dacă nu este vizibil și trebuie să îţi aloci timp pe el. +OnlyYourTaskAreVisible=Sunt vizibile doar task-urile atribuite ție. Dacă trebuie să introduci timpul pentru un task și dacă task-ul nu este vizibil aici, atunci trebuie să-ţi atribui task-ul.  ImportDatasetTasks=Task-uri proiecte ProjectCategories=Etichete/categorii proiecte NewProject=Proiect nou @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Nu este atribuit task-ului NoUserAssignedToTheProject=Nu au fost alocat niciun utilizator acestui proiect TimeSpentBy=Timpul consumat de TasksAssignedTo=Task-uri atribuite lui -AssignTaskToMe=Acordă-mi task-ul +AssignTaskToMe=Alocă-mi task-ul mie AssignTaskToUser=Atribuie task-ul lui %s SelectTaskToAssign=Selectați task-ul de atribuit... AssignTask=Atribuie diff --git a/htdocs/langs/ro_RO/recruitment.lang b/htdocs/langs/ro_RO/recruitment.lang index b09ecb6b976..56ec5509ec2 100644 --- a/htdocs/langs/ro_RO/recruitment.lang +++ b/htdocs/langs/ro_RO/recruitment.lang @@ -25,7 +25,7 @@ ModuleRecruitmentDesc = Gestionează și urmărește campaniile de recrutare pe # # Admin page # -RecruitmentSetup = Configurare modul Recrutare +RecruitmentSetup = Configurare modul Recrutare personal Settings = Configurări RecruitmentSetupPage = Introdu aici setările pentru opţiunile principale ale modulului Recrutare personal RecruitmentArea=Recrutare personal @@ -51,7 +51,7 @@ ListOfPositionsToBeFilled=Lista posturilor disponibile NewPositionToBeFilled=Posturi disponibile noi JobOfferToBeFilled=Posturi rămase neocupate -ThisIsInformationOnJobPosition=Informaţii despre oferta job +ThisIsInformationOnJobPosition=Informaţii despre oferta de job ContactForRecruitment=Contact pentru recrutare EmailRecruiter=Email recrutor ToUseAGenericEmail=Utilizare email generic. Dacă nu este definit, se va utiliza emailul responsabilului de recrutare @@ -65,12 +65,12 @@ ContractRefused=Contract refuzat RecruitmentCandidature=Aplicare la job JobPositions=Joburi disponibile RecruitmentCandidatures=Aplicări la job -InterviewToDo=Interviu de făcut +InterviewToDo=Interviu de realizat AnswerCandidature=Răspuns aplicare YourCandidature=Aplicarea ta YourCandidatureAnswerMessage=Îţi mulţumim pentru aplicarea ta la job.
... -JobClosedTextCandidateFound=Oferta de job este închisă. Postul a fost ocupat. +JobClosedTextCandidateFound=Oferta de job nu mai este disponibilă. Postul a fost ocupat. JobClosedTextCanceled=Oferta de job este închisă. ExtrafieldsJobPosition=Atribute complementare (oferte job) -ExtrafieldsCandidatures=Atribute complementare (aplicări job) -MakeOffer=Fă o ofertă +ExtrafieldsApplication=Atribute complementare (aplicări job) +MakeOffer=Fă o ofertă de job diff --git a/htdocs/langs/ro_RO/sendings.lang b/htdocs/langs/ro_RO/sendings.lang index 8e18a146120..443081c635d 100644 --- a/htdocs/langs/ro_RO/sendings.lang +++ b/htdocs/langs/ro_RO/sendings.lang @@ -1,76 +1,76 @@ # Dolibarr language file - Source file is en_US - sendings -RefSending=Ref. Livrare +RefSending=Ref. livrare Sending=Livrare -Sendings=Livrari -AllSendings=Toate expedițiile +Sendings=Livrări +AllSendings=Toate livrările Shipment=Livrare -Shipments=Livrari -ShowSending=Arata Livrări +Shipments=Livrări +ShowSending=Arată Livrări Receivings=Documente de livrare -SendingsArea=Livrari -ListOfSendings=Lista Livrari -SendingMethod=Metodă Livrare -LastSendings=Ultimele %stransporturi  -StatisticsOfSendings=Statistici Livrari -NbOfSendings=Număr Livrari -NumberOfShipmentsByMonth=Număr livrări pe lună -SendingCard=Fisa Livrare +SendingsArea=Livrări +ListOfSendings=Listă livrări +SendingMethod=Metodă de livrare +LastSendings=Ultimele %s livrări +StatisticsOfSendings=Statistici livrări +NbOfSendings=Număr livrări +NumberOfShipmentsByMonth=Număr de livrări pe lună +SendingCard=Fişă livrare NewSending=Livrare nouă -CreateShipment=Crează Livrare -QtyShipped=Cant. livrată -QtyShippedShort=Cantitate de livrări -QtyPreparedOrShipped=Cantitate pregătită sau expediată -QtyToShip=Cant. de livrat +CreateShipment=Creare livrare +QtyShipped=Cant. livrată +QtyShippedShort=Cantitate de livrat +QtyPreparedOrShipped=Cantitate pregătită sau livrată +QtyToShip=Cant. de livrat QtyToReceive=Cant. de recepţionat -QtyReceived=Cant. primită -QtyInOtherShipments=Cantitate în alte expedieri -KeepToShip=Rămas de expediat +QtyReceived=Cant. primită +QtyInOtherShipments=Cantitate în alte livrări +KeepToShip=Rămas de livrat KeepToShipShort=Rămâne OtherSendingsForSameOrder=Alte livrări pentru această comandă -SendingsAndReceivingForSameOrder=Expedieri și documente pentru această comandă +SendingsAndReceivingForSameOrder=Livrări și documente pentru această comandă SendingsToValidate=Livrări de validat StatusSendingCanceled=Anulată -StatusSendingCanceledShort=Anulata +StatusSendingCanceledShort=Anulată StatusSendingDraft=Schiţă -StatusSendingValidated=Validată (produse de livrat sau deja livrate) +StatusSendingValidated=Validată (produse de livrat sau deja livrate) StatusSendingProcessed=Procesată StatusSendingDraftShort=Schiţă StatusSendingValidatedShort=Validată StatusSendingProcessedShort=Procesată -SendingSheet=Aviz expediere -ConfirmDeleteSending=Sigur doriți să ștergeți această expediere? -ConfirmValidateSending=Sigur doriți să validați această expediere cu referința %s ? -ConfirmCancelSending=Sigur doriți să anulați expedierea? +SendingSheet=Aviz de expediţie +ConfirmDeleteSending=Sigur doriți să ștergeți această livrare? +ConfirmValidateSending=Sigur doriți să validați această livrare cu referința %s? +ConfirmCancelSending=Sigur doriți să anulați livrarea? DocumentModelMerou=Model Merou A5 -WarningNoQtyLeftToSend=Atenţie, nu sunt produse care aşteaptă să fie expediate. -StatsOnShipmentsOnlyValidated=Statisticil ectuate privind numai livrările validate. Data folosită este data validării livrării (data de livrare planificată nu este întotdeauna cunoscută). -DateDeliveryPlanned=Data planificată a livrarii +WarningNoQtyLeftToSend=Atenţie, nu sunt produse care aşteaptă să fie livrate. +StatsOnShipmentsOnlyValidated=Statisticile sunt numai pentru livrările validate. Data utilizată este data validării (data de livrare planificată nu este întotdeauna cunoscută) +DateDeliveryPlanned=Data planificată a livrării RefDeliveryReceipt=Ref. document de livrare StatusReceipt=Stare document de livrare DateReceived=Data de livrare reală -ClassifyReception=Clasifică în recepţionat -SendShippingByEMail=Trimiteți o expediție prin email +ClassifyReception=Clasifică ca recepţionat +SendShippingByEMail=Trimitere livrare pe email SendShippingRef=Transmitere livrare %s ActionsOnShipping=Evenimente pe livrare -LinkToTrackYourPackage=Link pentru a urmări pachetul dvs +LinkToTrackYourPackage=Link pentru urmărirea coletului ShipmentCreationIsDoneFromOrder=Pentru moment, crearea unei noi livrări se face din fişa comenzii. ShipmentLine=Linie de livrare ProductQtyInCustomersOrdersRunning=Cantitatea de produs din comenzile de vânzare deschise -ProductQtyInSuppliersOrdersRunning=Cantitatea de produs din comenzile de cumpărare deschise -ProductQtyInShipmentAlreadySent=Cantitatea de produse din comanda deschisă deja trimisă +ProductQtyInSuppliersOrdersRunning=Cantitatea de produs din comenzile de achiziţie deschise +ProductQtyInShipmentAlreadySent=Cantitatea de produse din comanda de vânzare deschisă a fost deja trimisă ProductQtyInSuppliersShipmentAlreadyRecevied=Cantitatea de produs care a fost recepţionată din comenzile de achiziție deschise -NoProductToShipFoundIntoStock=Nu există niciun produs de expediat găsit în depozit %s . Corectați stocul sau reveniți pentru a alege un alt depozit. -WeightVolShort=Greutate / vol. -ValidateOrderFirstBeforeShipment=Mai întâi trebuie să validezi comanda înainte de a putea efectua expedieri. +NoProductToShipFoundIntoStock=Nu există niciun produs de livrat în depozitul %s. Corectați stocul sau reveniți pentru a alege un alt depozit. +WeightVolShort=Greutate/Volum. +ValidateOrderFirstBeforeShipment=Mai întâi trebuie să validezi comanda de vânzare înainte de a putea face livrări. # Sending methods # ModelDocument -DocumentModelTyphon=Model complet pentru dispoziţie de livrare (logo. ..) -DocumentModelStorm=Modele de documente mult mai complete pentru chitanțe de livrare și compatibilitate cu câmpurile suplimentare(sigla ...) +DocumentModelTyphon=Model complet pentru aviz de expediţie (logo. ..) +DocumentModelStorm=Modele de documente mult mai complete pentru avize de expediţie și compatibilitate cu câmpurile suplimentare(sigla ...) Error_EXPEDITION_ADDON_NUMBER_NotDefined=Constanta EXPEDITION_ADDON_NUMBER nu este definită SumOfProductVolumes=Volumul total al produselor SumOfProductWeights=Greutatea totală a produselor # warehouse details -DetailWarehouseNumber= Detalii Depozit -DetailWarehouseFormat= Greutate : %s (Cantitate: %d) +DetailWarehouseNumber= Detalii depozit +DetailWarehouseFormat= Greutate: %s (Cantitate: %d) diff --git a/htdocs/langs/ro_RO/stocks.lang b/htdocs/langs/ro_RO/stocks.lang index e13759c966b..66edf3c4761 100644 --- a/htdocs/langs/ro_RO/stocks.lang +++ b/htdocs/langs/ro_RO/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nu sunt produse predefinite pentru acest obiect. D DispatchVerb=Expediere StockLimitShort=Limită de alertă StockLimit=Stoc limită de alertă -StockLimitDesc=(gol) înseamnă nici un avertisment.
0 poate fi folosit pentru un avertisment imediat ce stocul s-a epuizat. +StockLimitDesc=(gol) înseamnă că nu există avertisment.
0 poate fi utilizat pentru a declanșa un avertisment imediat ce nu mai există stoc PhysicalStock=Stoc fizic RealStock=Stoc real RealStockDesc=Stocul fizic/real este stocul aflat în prezent în depozite. diff --git a/htdocs/langs/ro_RO/users.lang b/htdocs/langs/ro_RO/users.lang index e908a92e7fc..de16abf5ceb 100644 --- a/htdocs/langs/ro_RO/users.lang +++ b/htdocs/langs/ro_RO/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Parola schimbată la: %s SubjectNewPassword=Noua ta parolă pentru %s GroupRights=Grup de permisiuni UserRights=Permisiuni utilizator +Credentials=Credenţiale UserGUISetup=Configurare afișare utilizator DisableUser=Dezactivare DisableAUser=Dezactivaţi un utilizator @@ -105,7 +106,7 @@ UseTypeFieldToChange=Foloseşte câmpul Tip pentru a modifica OpenIDURL=URL OpenID LoginUsingOpenID=Utilizați OpenID pentru autentificare WeeklyHours=Ore lucrate(pe săptămână) -ExpectedWorkedHours=Numărul estimat de ore lucrate săptămânal +ExpectedWorkedHours=Nr. ore de lucru estimate pe săptămână ColorUser=Culoare utilizator DisabledInMonoUserMode=Dezactivat în modulul mentenanţă UserAccountancyCode=Cod contabil utilizator @@ -115,7 +116,7 @@ DateOfEmployment=Data angajării DateEmployment=Loc de muncă, ocupaţie DateEmploymentstart=Data începerii angajării DateEmploymentEnd=Data încetării angajării -RangeOfLoginValidity=Intervalul temporal pentru care autentificarea în sistem este valabilă +RangeOfLoginValidity=Interval de valabilitate al accesului CantDisableYourself=Nu vă puteți dezactiva propria înregistrare de utilizator ForceUserExpenseValidator=Persoana care are dreptul de a valida raportul de cheltuieli ForceUserHolidayValidator=Persoana care are dreptul de a valida cererea de concediu diff --git a/htdocs/langs/ro_RO/website.lang b/htdocs/langs/ro_RO/website.lang index c5e4eb67f7a..e90a63aee32 100644 --- a/htdocs/langs/ro_RO/website.lang +++ b/htdocs/langs/ro_RO/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Definiți lista tuturor limbilor dis GenerateSitemaps=Generează fişierul sitemap pentru website ConfirmGenerateSitemaps=Dacă confirmi, vei şterge fişierul sitemap existent... ConfirmSitemapsCreation=Confirmare generare sitemap -SitemapGenerated=Sitemap generat +SitemapGenerated=Fişierul sitemap %s a fost generat ImportFavicon=Favicon ErrorFaviconType=Favicon-ul trebuie să fie png -ErrorFaviconSize=Favicon-ul trebuie să fie de dimensiunea 32x32 -FaviconTooltip=Încarcă o imagine care este png de 32x32 +ErrorFaviconSize=Favicon-ul tredimensionat la 16x16, 32x32 sau 64x64 +FaviconTooltip=Încarcă o imagine png (16x16, 32x32 sau 64x64) diff --git a/htdocs/langs/ru_RU/accountancy.lang b/htdocs/langs/ru_RU/accountancy.lang index 626f22f3a36..bd4f1b960cd 100644 --- a/htdocs/langs/ru_RU/accountancy.lang +++ b/htdocs/langs/ru_RU/accountancy.lang @@ -12,8 +12,8 @@ Selectformat=Выберите формат для файла ACCOUNTING_EXPORT_FORMAT=Select the format for the file ACCOUNTING_EXPORT_ENDLINE=Select the carriage return type ACCOUNTING_EXPORT_PREFIX_SPEC=Укажите префикс для имени файла -ThisService=This service -ThisProduct=This product +ThisService=Эта услуга +ThisProduct=Этот продукт DefaultForService=По умолчанию для услуги DefaultForProduct=По умолчанию для товара ProductForThisThirdparty=Product for this thirdparty @@ -92,7 +92,7 @@ ChangeAndLoad=Change and load Addanaccount=Добавить бухгалтерский счёт AccountAccounting=Бухгалтерский счёт AccountAccountingShort=Бухгалтерский счёт -SubledgerAccount=Subledger account +SubledgerAccount=Вспомогательный счёт SubledgerAccountLabel=Subledger account label ShowAccountingAccount=Show accounting account ShowAccountingJournal=Show accounting journal @@ -202,7 +202,7 @@ Docref=Ссылка LabelAccount=Метка бухгалтерского счёта LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Журнал @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Не согласовано WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/ru_RU/admin.lang b/htdocs/langs/ru_RU/admin.lang index 8ec9e3b6d0f..527924590a8 100644 --- a/htdocs/langs/ru_RU/admin.lang +++ b/htdocs/langs/ru_RU/admin.lang @@ -37,9 +37,9 @@ UnlockNewSessions=Удалить блокировку подключений YourSession=Ваша сессия Sessions=Пользовательские сессии WebUserGroup=Пользователь / группа Web-сервера -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s +PermissionsOnFiles=Права доступа к файлам +PermissionsOnFilesInWebRoot=Права доступа к файлам в корневом веб-каталоге +PermissionsOnFile=Право доступа к файлу %s NoSessionFound=Кажется, ваша конфигурация PHP не позволяет отображать активные сеансы. Каталог, используемый для сохранения сеансов ( %s ), может быть защищен (например, разрешениями ОС или директивой PHP open_basedir). DBStoringCharset=Кодировка базы данных для хранения данных DBSortingCharset=Кодировка базы данных для сортировки данных @@ -57,13 +57,14 @@ GUISetup=Внешний вид SetupArea=Настройка UploadNewTemplate=Загрузить новый шаблон(ы) FormToTestFileUploadForm=Форма для проверки загрузки файлов (в зависимости от настройки) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled +ModuleMustBeEnabled=Модуль/приложение%s должно быть включено +ModuleIsEnabled=Модуль/приложение %s было включено IfModuleEnabled=Примечание: "Да" влияет только тогда, когда модуль %s включен RemoveLock=Удалите/переименуйте файл %s, если он существует, чтобы разрешить использование инструмента обновления/установки. RestoreLock=Восстановите файл %s с разрешением только для чтение, чтобы отключить дальнейшее использование инструмента обновления/установки. SecuritySetup=Настройка безопасности -PHPSetup=PHP setup +PHPSetup=Настройка PHP +OSSetup=OS setup SecurityFilesDesc=Определите здесь параметры, связанные с безопасностью загрузки файлов. ErrorModuleRequirePHPVersion=Ошибка, этот модуль требует PHP версии %s или выше ErrorModuleRequireDolibarrVersion=Ошибка, этот модуль требует Dolibarr версии %s или выше @@ -86,7 +87,7 @@ AllowToSelectProjectFromOtherCompany=В документе контрагент JavascriptDisabled=JavaScript отключен UsePreviewTabs=Использовать вкладки предпросмотра ShowPreview=Предварительный просмотр -ShowHideDetails=Show-Hide details +ShowHideDetails=Показать-Скрыть детали PreviewNotAvailable=Предварительный просмотр не доступен ThemeCurrentlyActive=Текущая тема MySQLTimeZone=Часовой пояс БД (MySQL) @@ -101,7 +102,7 @@ NextValueForInvoices=Следующее значение (счета-факту NextValueForCreditNotes=Следующее значение (кредитные авизо) NextValueForDeposit=Следующее значение (первоначальный взнос) NextValueForReplacements=Следующее значение (замены) -MustBeLowerThanPHPLimit=Note: your PHP configuration currently limits the maximum filesize for upload to %s %s, irrespective of the value of this parameter +MustBeLowerThanPHPLimit=Примечание: ваша конфигурация PHP в настоящее время ограничивает максимальный размер файлов для загрузки до%s%s , независимо от значения этого параметра. NoMaxSizeByPHPLimit=Примечание: в вашей конфигурации PHP установлено no limit MaxSizeForUploadedFiles=Максимальный размер загружаемых файлов (0 для запрещения каких-либо загрузок) UseCaptchaCode=Использовать графический код (CAPTCHA) на странице входа @@ -157,7 +158,7 @@ Purge=Очистить PurgeAreaDesc=Эта страница позволяет вам удалить все файлы, созданные или сохраненные Dolibarr (временные файлы или все файлы в каталоге %s ). Использование этой функции обычно не требуется. Он предоставляется в качестве обходного пути для пользователей, чей Dolibarr размещен поставщиком, который не предлагает разрешения на удаление файлов, созданных веб-сервером. PurgeDeleteLogFile=Удаление файлов журналов, включая %s определенный для модуля Syslog (без риска потери данных) PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files +PurgeDeleteTemporaryFilesShort=Удалите журнал и временные файлы PurgeDeleteAllFilesInDocumentsDir=Удалить все файлы в каталоге: %s .
Это удалит все сгенерированные документы, связанные с элементами (контрагенты, счета и т.д.), файлы, загруженные в модуль ECM, резервные копии базы данных и временные файлы. PurgeRunNow=Очистить сейчас PurgeNothingToDelete=Нет директории или файла для удаления. @@ -185,8 +186,8 @@ Compression=Сжатие CommandsToDisableForeignKeysForImport=Команда отключения внешних ключей при импорте CommandsToDisableForeignKeysForImportWarning=Обязательно, если вы хотите иметь возможность для последующего восстановления sql dump ExportCompatibility=Совместимость генерируемого файла экспорта -ExportUseMySQLQuickParameter=Use the --quick parameter -ExportUseMySQLQuickParameterHelp=The '--quick' parameter helps limit RAM consumption for large tables. +ExportUseMySQLQuickParameter=Используйте параметр --quick +ExportUseMySQLQuickParameterHelp=Параметр '--quick' помогает ограничить потребление оперативной памяти для больших таблиц. MySqlExportParameters=MySQL - параметры экспорта PostgreSqlExportParameters= PostgreSQL - параметры экспорта UseTransactionnalMode=Использовать режим транзакций @@ -213,7 +214,7 @@ ModulesMarketPlaces=Поиск внешних приложений/модуле ModulesDevelopYourModule=Разработка собственного приложения/модулей ModulesDevelopDesc=Вы также можете разработать свой собственный модуль или найти партнера для его разработки. DOLISTOREdescriptionLong=Вместо того чтобы переключаться на сайт www.dolistore.com для поиска внешнего модуля, вы можете использовать этот встроенный инструмент, который будет выполнять поиск для вас (может быть медленным, нужен доступ в Интернет) ... -NewModule=New module +NewModule=Новый модуль FreeModule=Свободно CompatibleUpTo=Совместимость с версией %s NotCompatible=Этот модуль не совместим с вашим Dolibarr%s (Min%s - Max%s). @@ -229,12 +230,12 @@ DoliPartnersDesc=List of companies providing custom-developed modules or feature WebSiteDesc=Внешние веб-сайты для дополнительных модулей (неосновных) ... DevelopYourModuleDesc=Некоторые решения для разработки собственного модуля ... URL=URL -RelativeURL=Relative URL +RelativeURL=Относительный URL BoxesAvailable=Доступные виджеты BoxesActivated=Включенные виджеты ActivateOn=Активировать ActiveOn=Активирован -ActivatableOn=Activatable on +ActivatableOn=Активируется SourceFile=Исходный файл AvailableOnlyIfJavascriptAndAjaxNotDisabled=Доступно, только если JavaScript не отключен Required=Обязательный @@ -260,7 +261,7 @@ ReferencedPreferredPartners=Предпочитаемые партнёры OtherResources=Другие источники ExternalResources=Внешние Ресурсы SocialNetworks=Социальные сети -SocialNetworkId=Social Network ID +SocialNetworkId=Идентификатор социальной сети ForDocumentationSeeWiki=Для получения документации пользователя или разработчика (документация, часто задаваемые вопросы...),
посетите Dolibarr Wiki:
%s ForAnswersSeeForum=Для любых других вопросов / помощи, вы можете использовать форум Dolibarr:
%s HelpCenterDesc1=Вот некоторые ресурсы для получения помощи и поддержки с Dolibarr. @@ -1043,7 +1044,7 @@ DictionaryOpportunityStatus=Правовой статус проекта/сде DictionaryExpenseTaxCat=Отчет о расходах - Категории транспорта DictionaryExpenseTaxRange=Отчет о расходах - Диапазон по транспортной категории DictionaryTransportMode=Intracomm report - Transport mode -TypeOfUnit=Type of unit +TypeOfUnit=Тип единицы SetupSaved=Настройки сохранены SetupNotSaved=Установки не сохранены BackToModuleList=Вернуться к списку модулей @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Не рекомендуем NoActiveBankAccountDefined=Не определен активный банковский счет OwnerOfBankAccount=Владелец банковского счета %s BankModuleNotActive=Модуль Банковских счетов не активирован -ShowBugTrackLink=Показать ссылку "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Предупреждения DelaysOfToleranceBeforeWarning=Задержка перед отображением предупреждения о: DelaysOfToleranceDesc=Установите задержку до того, как значок предупреждения %s будет отображаться на экране для последнего элемента. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Вы должны запуст YourPHPDoesNotHaveSSLSupport=SSL функций, не доступных в PHP DownloadMoreSkins=Дополнительные шкуры для загрузки SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Показать профессиональный идентификатор с адресами ShowVATIntaInAddress=Скрыть номер НДС внутри Сообщества с адресами TranslationUncomplete=Частичный перевод @@ -1770,7 +1772,7 @@ ClickToDialDesc=This module change phone numbers, when using a desktop computer, ClickToDialUseTelLink=Используйте только ссылку «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=Point of Sale +CashDesk=Торговая точка CashDeskSetup=Настройка модуля «Точка продаж» CashDeskThirdPartyForSell=Default generic third party to use for sales CashDeskBankAccountForSell=Денежные счета, используемого для продает @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/ru_RU/banks.lang b/htdocs/langs/ru_RU/banks.lang index c1c19cf04e0..e7f809a0376 100644 --- a/htdocs/langs/ru_RU/banks.lang +++ b/htdocs/langs/ru_RU/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Социальный/налоговый сбор BankTransfer=Credit transfer BankTransfers=Credit transfers 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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=От TransferTo=К TransferFromToDone=Передача% от S в% х %s% S был записан. -CheckTransmitter=Передатчик +CheckTransmitter=Отправитель ValidateCheckReceipt=Подтвердить получение чека? -ConfirmValidateCheckReceipt=Вы уверены, что хотите подтвердить получение чека, никакие изменения не будут возможны после того, как это будет сделано? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Удалить эту квитанцию? ConfirmDeleteCheckReceipt=Вы действительно хотите удалить эту квитанцию? BankChecks=Банковские чеки @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Вы действительно хотите удали ThisWillAlsoDeleteBankRecord=Это также приведет к удалению сгенерированной записи банка BankMovements=Перевозкой PlannedTransactions=Запланированные записи -Graph=Графика +Graph=Graphs ExportDataset_banque_1=Банковские записи и выписка по счету ExportDataset_banque_2=Бланк депозита TransactionOnTheOtherAccount=Сделка с другой учетной записи @@ -142,7 +142,7 @@ AllAccounts=Все банковские и кассовые счета BackToAccount=Перейти к ответу ShowAllAccounts=Шоу для всех учетных записей FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Выберите банковскую выписку, связанную с согласительной процедурой. Используйте сортируемое числовое значение: ГГГГММ или ГГГГММДД EventualyAddCategory=Укажите категорию для классификации записей ToConciliate=Согласовать? diff --git a/htdocs/langs/ru_RU/bills.lang b/htdocs/langs/ru_RU/bills.lang index 1dc31d36f5f..06d2f006bcd 100644 --- a/htdocs/langs/ru_RU/bills.lang +++ b/htdocs/langs/ru_RU/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Ввести платеж, полученный от покупателя EnterPaymentDueToCustomer=Произвести платеж за счет Покупателя DisabledBecauseRemainderToPayIsZero=Отключено, потому что оставшаяся оплата нулевая -PriceBase=Ценовая база +PriceBase=Base price BillStatus=Статус счета-фактуры StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Проект (должен быть подтвержден) @@ -454,7 +454,7 @@ RegulatedOn=Регулируемый по ChequeNumber=Чек N ChequeOrTransferNumber=Чек/Перевод N ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Банк чека CheckBank=Проверить NetToBePaid=Чистыми к оплате diff --git a/htdocs/langs/ru_RU/bookmarks.lang b/htdocs/langs/ru_RU/bookmarks.lang index 701f235600f..478a48f09a4 100644 --- a/htdocs/langs/ru_RU/bookmarks.lang +++ b/htdocs/langs/ru_RU/bookmarks.lang @@ -18,3 +18,4 @@ SetHereATitleForLink=Задать имя закладки UseAnExternalHttpLinkOrRelativeDolibarrLink=Использовать внешнюю/абсолютную ссылку (https://URL) или внутреннюю/относительную ссылку (/DOLIBARR_ROOT/ htdocs /...) ChooseIfANewWindowMustBeOpenedOnClickOnBookmark=Выберите, должна ли связанная страница открываться в текущей вкладке или в новой вкладке BookmarksManagement=Управление закладками +BookmarksMenuShortCut=Ctrl + Shift + M diff --git a/htdocs/langs/ru_RU/boxes.lang b/htdocs/langs/ru_RU/boxes.lang index afe6542def5..6b028a8b64f 100644 --- a/htdocs/langs/ru_RU/boxes.lang +++ b/htdocs/langs/ru_RU/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Закладки: последние %s BoxOldestExpiredServices=Старейшие активных истек услуги BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Последние %sизмененные пожертвования -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Глобальная активность (фактуры, предложения, заказы) BoxGoodCustomers=Хорошие клиенты diff --git a/htdocs/langs/ru_RU/cashdesk.lang b/htdocs/langs/ru_RU/cashdesk.lang index 4a435be4e06..c5d713f5b34 100644 --- a/htdocs/langs/ru_RU/cashdesk.lang +++ b/htdocs/langs/ru_RU/cashdesk.lang @@ -16,7 +16,7 @@ AddThisArticle=Добавить эту статью RestartSelling=Вернитесь на продажу SellFinished=Продажа завершена PrintTicket=Печать билетов -SendTicket=Send ticket +SendTicket=Отправить запрос NoProductFound=Ни одна статья найдены ProductFound=продукт найден NoArticle=Ни одна статья @@ -31,17 +31,18 @@ ShowCompany=Показать компании ShowStock=Показать склад DeleteArticle=Нажмите, чтобы удалить эту статью FilterRefOrLabelOrBC=Поиск (ссылке/метке) -UserNeedPermissionToEditStockToUsePos=You ask to decrease stock on invoice creation, so user that uses POS needs to have permission to edit stock. +UserNeedPermissionToEditStockToUsePos=Вы просите уменьшить запас при создании счета-фактуры, поэтому пользователю, который использует POS, необходимо разрешение на редактирование запасов. DolibarrReceiptPrinter=Dolibarr Receipt Printer -PointOfSale=Point of Sale +PointOfSale=Торговая точка PointOfSaleShort=POS -CloseBill=Close Bill -Floors=Floors -Floor=Floor +CloseBill=Закрыть счет +Floors=Этажи +Floor=Этаж AddTable=Добавить таблицу -Place=Place -TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +Place=Место +TakeposConnectorNecesary=Требуется 'Принять POS-коннектор' +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Поиск товара Receipt=Квитанция Header=Заголовок @@ -49,15 +50,16 @@ Footer=Нижний колонтитул AmountAtEndOfPeriod=Сумма на конец периода (день, месяц или год) TheoricalAmount=Теоретическая сумма RealAmount=Действительная сумма -CashFence=Cash desk closing +CashFence=Закрытие кассы CashFenceDone=Cash desk closing done for the period NbOfInvoices=Кол-во счетов-фактур 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Браузер BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/ru_RU/categories.lang b/htdocs/langs/ru_RU/categories.lang index f70d36de5f5..b5155d8684e 100644 --- a/htdocs/langs/ru_RU/categories.lang +++ b/htdocs/langs/ru_RU/categories.lang @@ -3,23 +3,23 @@ Rubrique=Тег/Категория Rubriques=Теги/Категории RubriquesTransactions=Теги/Категории транзакций categories=теги/категории -NoCategoryYet=Нет созданных тегов/категорий данного типа +NoCategoryYet=No tag/category of this type has been created In=В AddIn=Добавить в modify=изменить Classify=Классифицировать CategoriesArea=Раздел тегов/категорий -ProductsCategoriesArea=Раздел тегов/категорий товаров/услуг -SuppliersCategoriesArea=Раздел тегов/категорий поставщиков -CustomersCategoriesArea=Раздел тегов/категорий клиентов -MembersCategoriesArea=Раздел тегов/категорий участников -ContactsCategoriesArea=Раздел тегов/категорий контактов -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Раздел тегов/категорий проектов -UsersCategoriesArea=Раздел тегов/категорий пользователей +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Подкатегории CatList=Список тегов/категорий -CatListAll=List of tags/categories (all types) +CatListAll=Список тегов/категорий (все типы) NewCategory=Новый тег/категория ModifCat=Изменить тег/категорию CatCreated=Тег/категория созданы @@ -60,40 +60,40 @@ CustomersProspectsCategoriesShort=Теги/категории Клиентов/ ProductsCategoriesShort=Теги/категории товаров MembersCategoriesShort=Теги/категории участников ContactCategoriesShort=Теги/категории контактов -AccountsCategoriesShort=Accounts tags/categories +AccountsCategoriesShort=Теги/категории счетов ProjectsCategoriesShort=Теги/категории Проектов UsersCategoriesShort=Теги/категории пользователей -StockCategoriesShort=Warehouse tags/categories -ThisCategoryHasNoItems=This category does not contain any items. +StockCategoriesShort=Теги/категории склада +ThisCategoryHasNoItems=Эта категория не содержит никаких элементов. CategId=ID тега/категории -ParentCategory=Parent tag/category -ParentCategoryLabel=Label of parent tag/category -CatSupList=List of vendors tags/categories -CatCusList=List of customers/prospects tags/categories +ParentCategory=Родительский тег/категория +ParentCategoryLabel=Метка родительского тега/категории +CatSupList=Список тегов/категорий поставщиков +CatCusList=Список клиентов/потенциальных клиентов тегов/категорий CatProdList=Список тегов/категорий товаров CatMemberList=Список тегов/категорий участников -CatContactList=List of contacts tags/categories -CatProjectsList=List of projects tags/categories -CatUsersList=List of users tags/categories -CatSupLinks=Links between vendors and tags/categories +CatContactList=Список тегов/категорий контактов +CatProjectsList=Список тегов/категорий проектов +CatUsersList=Список тегов/категорий пользователей +CatSupLinks=Связи между продавцами и тегами/категориями CatCusLinks=Связи между клиентами/потенц. клиентами и тегами/категориями -CatContactsLinks=Links between contacts/addresses and tags/categories +CatContactsLinks=Связи между контактами/адресами и тегами/категориями CatProdLinks=Связи между продуктами/услугами и тегами/категориями CatMembersLinks=Связи между участниками и тегами/категориями CatProjectsLinks=Связи между проектами и тегами/категориями -CatUsersLinks=Links between users and tags/categories +CatUsersLinks=Связи между пользователями и тегами/категориями DeleteFromCat=Удалить из тега/категории ExtraFieldsCategories=Дополнительные атрибуты CategoriesSetup=Настройка тегов/категорий CategorieRecursiv=Автоматическая ссылка на родительский тег/категорию CategorieRecursivHelp=Если опция включена, то при добавлении товара в подкатегорию товар также будет добавлен в родительскую категорию. AddProductServiceIntoCategory=Добавить следующий товар/услугу -AddCustomerIntoCategory=Assign category to customer -AddSupplierIntoCategory=Assign category to supplier +AddCustomerIntoCategory=Назначить категорию клиенту +AddSupplierIntoCategory=Присвоить категорию поставщику ShowCategory=Показать тег/категорию -ByDefaultInList=By default in list +ByDefaultInList=По умолчанию в списке ChooseCategory=Выберите категорию -StocksCategoriesArea=Warehouse Categories -ActionCommCategoriesArea=Event Categories -WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +StocksCategoriesArea=Складские категории +ActionCommCategoriesArea=Категории событий +WebsitePagesCategoriesArea=Категории страниц-контейнеров +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/ru_RU/companies.lang b/htdocs/langs/ru_RU/companies.lang index b38a6ba0a2f..d2c7a153875 100644 --- a/htdocs/langs/ru_RU/companies.lang +++ b/htdocs/langs/ru_RU/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Название компании %s уже существует. Выберите другое. ErrorSetACountryFirst=Сначала установите страну SelectThirdParty=Выберите контрагента -ConfirmDeleteCompany=Вы хотите удалить компанию и всю связанную с ней информацию? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Удалить контакт -ConfirmDeleteContact=Удалить этот контакт и всю связанную с ним информацию? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Новый контрагент MenuNewCustomer=Новый Клиент MenuNewProspect=Новый Потенциальный клиент @@ -69,7 +69,7 @@ PhoneShort=Телефон Skype=Скайп Call=Звонок Chat=Чат -PhonePro=Раб. телефон +PhonePro=Bus. phone PhonePerso=Личн. телефон PhoneMobile=Мобильный No_Email=Отказаться от массовых рассылок @@ -331,7 +331,7 @@ CustomerCodeDesc=Код Клиента, уникальный для каждог SupplierCodeDesc=Код Поставщика, уникальный для каждого поставщика RequiredIfCustomer=Требуется, если контрагент является покупателем или потенциальным клиентом RequiredIfSupplier=Требуется, если контрагент является поставщиком -ValidityControledByModule=Актуальность контролируется модулем +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Правила для этого модуля ProspectToContact=Потенциальный клиент для связи CompanyDeleted=Компания " %s" удалена из базы данных. @@ -439,12 +439,12 @@ ListSuppliersShort=Список Поставщиков ListProspectsShort=Список Потенциальных клиентов ListCustomersShort=Список Клиентов ThirdPartiesArea=Контрагенты/Контакты -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Всего контрагентов +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Открытые ActivityCeased=Закрыто ThirdPartyIsClosed=Закрывшиеся контрагенты -ProductsIntoElements=Список товаров/услуг в %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Валюта неуплаченного счёта OutstandingBill=Максимальный неуплаченный счёт OutstandingBillReached=Достигнут максимум не оплаченных счетов @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Код покупателю/поставщику не п ManagingDirectors=Имя управляющего или управляющих (Коммерческого директора, директора, президента...) MergeOriginThirdparty=Копия контрагента (контрагент которого вы хотите удалить) MergeThirdparties=Объединить контрагентов -ConfirmMergeThirdparties=Вы уверены, что хотите объединить этого контрагента с текущим? Все связанные объекты (счета, заказы, ...) будут перемещены в текущего контрагента, а этот контрагент будет удален. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Третьи стороны были объединены SaleRepresentativeLogin=Логин торгового представителя SaleRepresentativeFirstname=Имя торгового представителя diff --git a/htdocs/langs/ru_RU/compta.lang b/htdocs/langs/ru_RU/compta.lang index 75ed2fffd16..c10dc6bd112 100644 --- a/htdocs/langs/ru_RU/compta.lang +++ b/htdocs/langs/ru_RU/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Новые скидки NewCheckDeposit=Новая проверка депозит NewCheckDepositOn=Новый депозит проверить на счету: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Чек при ввода даты +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/ru_RU/ecm.lang b/htdocs/langs/ru_RU/ecm.lang index fc73bb1c472..1ab6f4d4688 100644 --- a/htdocs/langs/ru_RU/ecm.lang +++ b/htdocs/langs/ru_RU/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/ru_RU/errors.lang b/htdocs/langs/ru_RU/errors.lang index 57d20e606ad..07a0be72000 100644 --- a/htdocs/langs/ru_RU/errors.lang +++ b/htdocs/langs/ru_RU/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Нет ошибок, мы принимаем # Errors ErrorButCommitIsDone=Обнаружены ошибки, но мы подтвердиле несмотря на это -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s неправильно +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Логин %s уже существует. @@ -46,8 +46,8 @@ ErrorWrongDate=Дата некорректна! ErrorFailedToWriteInDir=Не удалось записать в директорию %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=Найдено неверный электронный синтаксис% с линии в файл (например, строка %s с электронной почтой= %s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Некоторые обязательные поля не были заполнены. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Не удалось создать каталог. Убедитесь, что веб-сервер пользователь имеет разрешения на запись в каталог Dolibarr документы. Если параметр safe_mode включен по этому PHP, проверьте, что Dolibarr PHP файлы принадлежат к веб-серверу пользователей (или группы). ErrorNoMailDefinedForThisUser=Нет определена почта для этого пользователя ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Настройки +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Проект +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Завершены +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/ru_RU/ftp.lang b/htdocs/langs/ru_RU/ftp.lang index 0aa248a7634..799634cebbf 100644 --- a/htdocs/langs/ru_RU/ftp.lang +++ b/htdocs/langs/ru_RU/ftp.lang @@ -1,14 +1,14 @@ # Dolibarr language file - Source file is en_US - ftp -FTPClientSetup=Настройка модуля FTP-клиента -NewFTPClient=Настройка нового соединения FTP -FTPArea=Раздел FTP -FTPAreaDesc=На этом экране вам показано представление содержимого FTP-сервера -SetupOfFTPClientModuleNotComplete=Настройка модуля FTP-клиента, по-видимому, не завершена -FTPFeatureNotSupportedByYourPHP=Ваша версия PHP не поддерживает функции FTP -FailedToConnectToFTPServer=Не удалось подключиться к FTP-серверу (сервер %s, порт %s) -FailedToConnectToFTPServerWithCredentials=Не удалось войти на FTP-сервер с указанными логином и паролем +FTPClientSetup=Настройка модуля FTP или SFTP-клиента +NewFTPClient=Настройка нового соединения FTP / FTPS +FTPArea=Область FTP/FTPS +FTPAreaDesc=This screen shows a view of an FTP et SFTP server. +SetupOfFTPClientModuleNotComplete=The setup of the FTP or SFTP client module seems to be incomplete +FTPFeatureNotSupportedByYourPHP=Your PHP does not support FTP or SFTP functions +FailedToConnectToFTPServer=Failed to connect to server (server %s, port %s) +FailedToConnectToFTPServerWithCredentials=Failed to login to server with defined login/password FTPFailedToRemoveFile=Не удалось удалить файл %s. -FTPFailedToRemoveDir=Не удалось удалить каталог %s (Проверьте права доступа и убедитесь, что каталог пуст). +FTPFailedToRemoveDir=Failed to remove directory %s: check permissions and that the directory is empty. FTPPassiveMode=Пассивный режим -ChooseAFTPEntryIntoMenu=Выберите в меню пункт "FTP" +ChooseAFTPEntryIntoMenu=Choose a FTP/SFTP site from the menu... FailedToGetFile=Не удалось получить файлы %s diff --git a/htdocs/langs/ru_RU/knowledgemanagement.lang b/htdocs/langs/ru_RU/knowledgemanagement.lang new file mode 100644 index 00000000000..b9eba6c3a10 --- /dev/null +++ b/htdocs/langs/ru_RU/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Настройки +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = О +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Статья +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/ru_RU/mails.lang b/htdocs/langs/ru_RU/mails.lang index 6470dc1dddc..b7aaf5a94cb 100644 --- a/htdocs/langs/ru_RU/mails.lang +++ b/htdocs/langs/ru_RU/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Копия MailToCCUsers=Copy to users(s) MailCCC=Сохраненная копия -MailTopic=Email topic +MailTopic=Email subject MailText=Сообщение MailFile=Присоединенные файлы MailMessage=Текст Email @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/ru_RU/main.lang b/htdocs/langs/ru_RU/main.lang index 6d10082dbb5..87b13c7d185 100644 --- a/htdocs/langs/ru_RU/main.lang +++ b/htdocs/langs/ru_RU/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Проверка подключения ToClone=Дублировать ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Выберите данные для клонирования: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Данные для дублирования не определены. Of=из Go=Выполнить @@ -246,7 +246,7 @@ DefaultModel=Шаблон документа по-умолчанию Action=Действие About=О Number=Номер -NumberByMonth=Кол-во в месяц +NumberByMonth=Total reports by month AmountByMonth=Сумма за месяц Numero=Номер Limit=Лимит @@ -341,8 +341,8 @@ KiloBytes=Килобайт MegaBytes=Мегабайт GigaBytes=Гигабайт TeraBytes=Терабайт -UserAuthor=Пользователь создан -UserModif=Последнее обновление пользователя +UserAuthor=Ceated by +UserModif=Updated by b=б. Kb=Кб Mb=Мб @@ -503,9 +503,11 @@ By=Автор From=От FromDate=От FromLocation=От -at=at to=к To=к +ToDate=к +ToLocation=к +at=at and=и or=или Other=Другой @@ -843,7 +845,7 @@ XMoreLines=%s строк(и) скрыто ShowMoreLines=Показать больше/меньше строк PublicUrl=Публичная ссылка AddBox=Добавить бокс -SelectElementAndClick=Выберите элемент и нажмите %s +SelectElementAndClick=Select an element and click on %s PrintFile=Печать файл %s ShowTransaction=Показать транзакцию на банковском счете ShowIntervention=Показать посредничества @@ -854,8 +856,8 @@ Denied=Запрещено ListOf=Список %s ListOfTemplates=Список шаблонов Gender=Пол -Genderman=Мужчина -Genderwoman=Женщина +Genderman=Male +Genderwoman=Female Genderother=Другое ViewList=Посмотреть список ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/ru_RU/members.lang b/htdocs/langs/ru_RU/members.lang index 2e01c0c009d..1dd21a7fcb0 100644 --- a/htdocs/langs/ru_RU/members.lang +++ b/htdocs/langs/ru_RU/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Еще один член (имя и < ErrorUserPermissionAllowsToLinksToItselfOnly=По соображениям безопасности, вы должны получить разрешение, чтобы изменить все пользователи должны иметь доступ к ссылке члена к пользователю, что это не твое. SetLinkToUser=Ссылка на Dolibarr пользователя SetLinkToThirdParty=Ссылка на Dolibarr третья сторона -MembersCards=Члены печати карт +MembersCards=Business cards for members MembersList=Список участников MembersListToValid=Список кандидатов в участники (на утверждении) MembersListValid=Список действительных участников @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Члены с подпиской на полу MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Дата подписки DateEndSubscription=Дата окончания подписки -EndSubscription=Конец подписке +EndSubscription=Subscription Ends SubscriptionId=ID подписки WithoutSubscription=Without subscription MemberId=ID участника @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Подписка требуется DeleteType=Удалить VoteAllowed=Голосовать разрешается -Physical=Физическая -Moral=Моральные -MorAndPhy=Moral and Physical -Reenable=Снова +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Члены статистику по странам MembersStatisticsByState=Члены статистики штата / провинции MembersStatisticsByTown=Члены статистики города MembersStatisticsByRegion=Статистика участников по регионам -NbOfMembers=Количество членов -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Нет проверки члены найдены -MembersByCountryDesc=Этот экран покажет вам статистику членов странами. Графический зависит однако от Google сервис график онлайн и доступна, только если подключение к Интернету работает. -MembersByStateDesc=Этот экран покажет вам статистику пользователей, штата / провинции / кантона. -MembersByTownDesc=Этот экран покажет вам статистику пользователей, город. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Выберите статистику вы хотите прочитать ... MenuMembersStats=Статистика -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Информационные общественности (нет = частных) +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Новый участник добавил. В ожидании утверждения NewMemberForm=Новая форма члена -SubscriptionsStatistics=Статистика по подписке +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Количество подписок -AmountOfSubscriptions=Сумма подписки +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Оборот (за компанию) или бюджета (за основу) DefaultAmount=По умолчанию количество подписки CanEditAmount=Посетитель может выбрать / изменить размер его подписке MEMBER_NEWFORM_PAYONLINE=Перейти по комплексному интернет страницу оплаты ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=Значение НДС, для ипользования в подписках NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Товар, который будет использован, чтобы включить подписку в счёт: %s diff --git a/htdocs/langs/ru_RU/modulebuilder.lang b/htdocs/langs/ru_RU/modulebuilder.lang index 19afb9d95ab..b8dc90822dc 100644 --- a/htdocs/langs/ru_RU/modulebuilder.lang +++ b/htdocs/langs/ru_RU/modulebuilder.lang @@ -5,7 +5,7 @@ EnterNameOfObjectDesc=Enter name of the object to create with no spaces. Use upp ModuleBuilderDesc2=Path where modules are generated/edited (first directory for external modules defined into %s): %s ModuleBuilderDesc3=Generated/editable modules found: %s ModuleBuilderDesc4=A module is detected as 'editable' when the file %s exists in root of module directory -NewModule=New module +NewModule=Новый модуль NewObjectInModulebuilder=New object ModuleKey=Module key ObjectKey=Object key @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/ru_RU/other.lang b/htdocs/langs/ru_RU/other.lang index 1a1f99c8c45..948470dcd3b 100644 --- a/htdocs/langs/ru_RU/other.lang +++ b/htdocs/langs/ru_RU/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Проф Id %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...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/ru_RU/partnership.lang b/htdocs/langs/ru_RU/partnership.lang new file mode 100644 index 00000000000..4192ed27776 --- /dev/null +++ b/htdocs/langs/ru_RU/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = Новое партнерство +ListOfPartnerships = Список партнеров + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Дата начала +DatePartnershipEnd=Дата окончания + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Проект +PartnershipAccepted = Принято +PartnershipRefused = Отклонено +PartnershipCanceled = Отменена + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/ru_RU/productbatch.lang b/htdocs/langs/ru_RU/productbatch.lang index befbae44568..45500b8f86d 100644 --- a/htdocs/langs/ru_RU/productbatch.lang +++ b/htdocs/langs/ru_RU/productbatch.lang @@ -1,10 +1,10 @@ # ProductBATCH language file - en_US - ProductBATCH ManageLotSerial=Использовать номер партии/серийный номер -ProductStatusOnBatch=Yes (lot required) -ProductStatusOnSerial=Yes (unique serial number required) +ProductStatusOnBatch=Да (требуется лот) +ProductStatusOnSerial=Да (требуется уникальный серийный номер) ProductStatusNotOnBatch=Нет (серийный номер/номер партии не используется) -ProductStatusOnBatchShort=Lot -ProductStatusOnSerialShort=Serial +ProductStatusOnBatchShort=Лот +ProductStatusOnSerialShort=Серийный ProductStatusNotOnBatchShort=Нет Batch=Партии/серийный номер atleast1batchfield=Дата уплаты или дата продажи или Лот / Серийный номер @@ -24,12 +24,12 @@ ProductLotSetup=Настройка лота / серийного модуля ShowCurrentStockOfLot=Показать текущий запас для пары товара / лота ShowLogOfMovementIfLot=Показать журнал движений для пары product / lot StockDetailPerBatch=Детальная информация о лоте -SerialNumberAlreadyInUse=Serial number %s is already used for product %s -TooManyQtyForSerialNumber=You can only have one product %s for serial number %s -BatchLotNumberingModules=Options for automatic generation of batch products managed by lots -BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers -CustomMasks=Adds an option to define mask in the product card +SerialNumberAlreadyInUse=Серийный номер %s уже используется для продукта %s +TooManyQtyForSerialNumber=У вас может быть только один продукт %s для серийного номера %s +BatchLotNumberingModules=Опции для автоматического создания серийной продукции по партиям +BatchSerialNumberingModules=Опции для автоматического создания серийной продукции по серийным номерам +ManageLotMask=Пользовательская маска +CustomMasks=Добавляет возможность определения маски в карточке товара LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask -QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - +QtyToAddAfterBarcodeScan=Кол-во для добавления для каждого отсканированного штрих-кода / партии / серийного номера diff --git a/htdocs/langs/ru_RU/products.lang b/htdocs/langs/ru_RU/products.lang index fca1501a90e..25425e698b6 100644 --- a/htdocs/langs/ru_RU/products.lang +++ b/htdocs/langs/ru_RU/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Услуги только для продажи ServicesOnPurchaseOnly=Услуги только для покупки ServicesNotOnSell=Услуги не для продажи, а не для покупки ServicesOnSellAndOnBuy=Услуга для продажи и покупки -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Последние %sзарегистрированные продукты LastRecordedServices=Последние %sзарегистрированные услуги CardProduct0=Товар @@ -73,12 +73,12 @@ SellingPrice=Продажная цена SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Продажная цена (вкл. налоги) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Это значение может использоваться для расчета маржи. SoldAmount=Сумма продажи PurchasedAmount=Сумма покупки NewPrice=Новая цена -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Изменить ярлык цены продажи CantBeLessThanMinPrice=Продажная цена не может быть ниже минимальной для этого товара (%s без налогов). Это сообщение также возникает, если вы задаёте слишком большую скидку. ContractStatusClosed=Закрытые @@ -157,11 +157,11 @@ ListServiceByPopularity=Перечень услуг по популярност Finished=Произведено продукции RowMaterial=Первый материал ConfirmCloneProduct=Вы действительно хотите клонировать продукт или услугу %s ? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Клонирование цен -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Клонирование вариантов продукта +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Этот продукт используется NewRefForClone=Ссылка нового продукта / услуги SellingPrices=Цены на продажу @@ -170,12 +170,12 @@ CustomerPrices=Цены клиентов SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Страна происхождения -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Короткая метка Unit=Единица p=u. diff --git a/htdocs/langs/ru_RU/projects.lang b/htdocs/langs/ru_RU/projects.lang index 2ae71da669f..1c0ea89c8c7 100644 --- a/htdocs/langs/ru_RU/projects.lang +++ b/htdocs/langs/ru_RU/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Проект контакты ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Все проекты -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Эта точка зрения представлены все проекты, которые Вы позволили читать. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=Это представление всех проектов и задач, к которым у вас есть доступ. ProjectsDesc=Эта точка зрения представляет все проекты (разрешений пользователей предоставить вам разрешение для просмотра всего). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=Эта точка зрения представляет всех проектов и задач, которые могут читать. TasksDesc=Эта точка зрения представляет всех проектов и задач (разрешений пользователей предоставить вам разрешение для просмотра всего). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Новый проект @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/ru_RU/recruitment.lang b/htdocs/langs/ru_RU/recruitment.lang index 71fa83a3e38..29b7874b6ee 100644 --- a/htdocs/langs/ru_RU/recruitment.lang +++ b/htdocs/langs/ru_RU/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/ru_RU/sendings.lang b/htdocs/langs/ru_RU/sendings.lang index 8f423ba15d8..568dcf4572f 100644 --- a/htdocs/langs/ru_RU/sendings.lang +++ b/htdocs/langs/ru_RU/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Модель A5 WarningNoQtyLeftToSend=Внимание, нет товаров ожидающих отправки. -StatsOnShipmentsOnlyValidated=Статистика собирается только на утверждённые поставки. Используемая дата - дата утверждения поставки (планируемая дата доставки не всегда известна) +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Планируемая дата доставки RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/ru_RU/stocks.lang b/htdocs/langs/ru_RU/stocks.lang index 5b0fc6b9aaf..b117c151467 100644 --- a/htdocs/langs/ru_RU/stocks.lang +++ b/htdocs/langs/ru_RU/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Нет предопределенного прод DispatchVerb=Отправка StockLimitShort=Граница предупреждения StockLimit=Граница предупреждения о запасе на складе -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real фондовая RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/ru_RU/supplier_proposal.lang b/htdocs/langs/ru_RU/supplier_proposal.lang index 89ebd3de317..84cacfa5c08 100644 --- a/htdocs/langs/ru_RU/supplier_proposal.lang +++ b/htdocs/langs/ru_RU/supplier_proposal.lang @@ -13,6 +13,7 @@ SupplierProposalArea=Vendor proposals area SupplierProposalShort=Vendor proposal SupplierProposals=Предложения поставщиков SupplierProposalsShort=Предложения поставщиков +AskPrice=Price request NewAskPrice= Новый запрос цены ShowSupplierProposal=Show price request AddSupplierProposal=Create a price request @@ -25,14 +26,14 @@ ValidateAsk=Validate request SupplierProposalStatusDraft=Проект (должно быть подтверждено) SupplierProposalStatusValidated=Validated (request is open) SupplierProposalStatusClosed=Закрыты -SupplierProposalStatusSigned=Accepted +SupplierProposalStatusSigned=Принято SupplierProposalStatusNotSigned=Отклонено SupplierProposalStatusDraftShort=Проект SupplierProposalStatusValidatedShort=Утверждена SupplierProposalStatusClosedShort=Закрыты -SupplierProposalStatusSignedShort=Accepted +SupplierProposalStatusSignedShort=Принято SupplierProposalStatusNotSignedShort=Отклонено -CopyAskFrom=Create price request by copying existing a request +CopyAskFrom=Create a price request by copying an existing request CreateEmptyAsk=Create blank request ConfirmCloneAsk=Are you sure you want to clone the price request %s? ConfirmReOpenAsk=Are you sure you want to open back the price request %s? @@ -52,3 +53,6 @@ SupplierProposalsToClose=Vendor proposals to close SupplierProposalsToProcess=Vendor proposals to process LastSupplierProposals=Latest %s price requests AllPriceRequests=All requests +TypeContact_supplier_proposal_external_SHIPPING=Vendor contact for delivery +TypeContact_supplier_proposal_external_BILLING=Vendor contact for billing +TypeContact_supplier_proposal_external_SERVICE=Представитель следующие меры предложение diff --git a/htdocs/langs/ru_RU/users.lang b/htdocs/langs/ru_RU/users.lang index b4072589ddc..b638815e56a 100644 --- a/htdocs/langs/ru_RU/users.lang +++ b/htdocs/langs/ru_RU/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Пароль изменен на: %s SubjectNewPassword=Ваш новый пароль для %s GroupRights=Права доступа группы UserRights=Права доступа пользователя +Credentials=Credentials UserGUISetup=Внешний вид (для пользователя) DisableUser=Выключать DisableAUser=Отключить пользователя @@ -105,7 +106,7 @@ UseTypeFieldToChange=Использьзуйте поле Тип для изме OpenIDURL=OpenID URL LoginUsingOpenID=Использовать OpenID для входа WeeklyHours=Отработанные часы (в неделю) -ExpectedWorkedHours=Ожидаемое отработанное время за неделю +ExpectedWorkedHours=Expected hours worked per week ColorUser=Цвет пользователя DisabledInMonoUserMode=Отключено в режиме обслуживания UserAccountancyCode=Код учета пользователя @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Дата начала трудоустройства DateEmploymentEnd=Дата окончания занятости -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=Вы не можете отключить свою собственную запись пользователя ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/ru_RU/website.lang b/htdocs/langs/ru_RU/website.lang index 8637448b60d..4e0840138f3 100644 --- a/htdocs/langs/ru_RU/website.lang +++ b/htdocs/langs/ru_RU/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/ru_UA/admin.lang b/htdocs/langs/ru_UA/admin.lang deleted file mode 100644 index cac0d063f48..00000000000 --- a/htdocs/langs/ru_UA/admin.lang +++ /dev/null @@ -1,2 +0,0 @@ -# Dolibarr language file - Source file is en_US - admin -ShowBugTrackLink=Show link "%s" diff --git a/htdocs/langs/ru_UA/cron.lang b/htdocs/langs/ru_UA/cron.lang new file mode 100644 index 00000000000..67ecfc77567 --- /dev/null +++ b/htdocs/langs/ru_UA/cron.lang @@ -0,0 +1,2 @@ +# Dolibarr language file - Source file is en_US - cron +CronTaskInactive=This job is disabled diff --git a/htdocs/langs/sk_SK/accountancy.lang b/htdocs/langs/sk_SK/accountancy.lang index fb708cba3c6..49176f22261 100644 --- a/htdocs/langs/sk_SK/accountancy.lang +++ b/htdocs/langs/sk_SK/accountancy.lang @@ -202,7 +202,7 @@ Docref=referencie LabelAccount=Značkový účet LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=časopis @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=Zoznam produktov, ktoré nie sú viazané na žiadny účtovný účet ChangeBinding=Zmeňte väzbu Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Nezlúčené WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/sk_SK/admin.lang b/htdocs/langs/sk_SK/admin.lang index 9a671606ef1..238bebf040b 100644 --- a/htdocs/langs/sk_SK/admin.lang +++ b/htdocs/langs/sk_SK/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Bezpečnostné nastavenia PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Chyba, tento modul vyžaduje PHP verzia %s alebo vyššia ErrorModuleRequireDolibarrVersion=Chyba, tento modul vyžaduje Dolibarr verzie %s alebo vyššia @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Nenaznačujú NoActiveBankAccountDefined=Žiadny aktívny bankový účet definovaný OwnerOfBankAccount=Majiteľ %s bankových účtov BankModuleNotActive=Účty v bankách modul nie je povolený, -ShowBugTrackLink=Zobraziť odkaz "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Upozornenie DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Je nutné spustiť tento príka YourPHPDoesNotHaveSSLSupport=SSL funkcia nie je k dispozícii vo vašom PHP DownloadMoreSkins=Ďalšie skiny k stiahnutiu SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Čiastočný preklad @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/sk_SK/banks.lang b/htdocs/langs/sk_SK/banks.lang index 0cea1cfce0f..dcc321b5360 100644 --- a/htdocs/langs/sk_SK/banks.lang +++ b/htdocs/langs/sk_SK/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Platba sociálnej/fiškálnej dane BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Interný prevod -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Z TransferTo=Na TransferFromToDone=Transfer z %s na %s %s %s zo bol zaznamenaný. -CheckTransmitter=Vysielač +CheckTransmitter=Odosielateľ ValidateCheckReceipt=Overiť túto potvrdenku ? -ConfirmValidateCheckReceipt=Určite chcete overiť túto potvrdenku ? Po tejto akcií nebudu ďalšie zmeny možné. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Zmazať túto potvrdenku ? ConfirmDeleteCheckReceipt=Určite chcete zmazať túto potvrdenku ? BankChecks=Bankové šeky @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Pohyby PlannedTransactions=Planned entries -Graph=Grafika +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Doklad o vklade TransactionOnTheOtherAccount=Transakcie na iný účet @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Späť na účte ShowAllAccounts=Zobraziť pre všetky účty FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Zvoľte výpis z účtu potrebný pre náhľad. Zoraďťe podľa číselnej hodnoty YYYYMM alebo YYYYMMDD EventualyAddCategory=Nakoniec určiť kategóriu, v ktorej chcete klasifikovať záznamy ToConciliate=Na zlúčenie ? diff --git a/htdocs/langs/sk_SK/bills.lang b/htdocs/langs/sk_SK/bills.lang index 34636cf7302..15c80cbb0ce 100644 --- a/htdocs/langs/sk_SK/bills.lang +++ b/htdocs/langs/sk_SK/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Zadajte platby, ktoré obdržal od zákazníka EnterPaymentDueToCustomer=Vykonať platbu zo strany zákazníka DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Cena základnej +PriceBase=Base price BillStatus=Stav faktúry StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Návrh (musí byť overená) @@ -454,7 +454,7 @@ RegulatedOn=Regulované ChequeNumber=Skontrolujte N ° ChequeOrTransferNumber=Skontrolujte / Prenos č ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Kontrola NetToBePaid=Net má byť zaplatená diff --git a/htdocs/langs/sk_SK/boxes.lang b/htdocs/langs/sk_SK/boxes.lang index 9d0739d199a..dc27e1a08ea 100644 --- a/htdocs/langs/sk_SK/boxes.lang +++ b/htdocs/langs/sk_SK/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Najstarší aktívny vypršala služby BoxLastExpiredServices=Najnovšie %s najstaršie zmluvy s aktívnym expirovaním služby BoxTitleLastActionsToDo=Najnovšie %s úlohy na dokončenie -BoxTitleLastContracts=Najnovšie %s upravené zmluvy -BoxTitleLastModifiedDonations=Najnovšie %s upravené príspevky -BoxTitleLastModifiedExpenses=Najnovšie %s upravené správy o výdavkoch -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Globálna aktivita (faktúry, návrhy, objednávky) BoxGoodCustomers=Top zákazníci diff --git a/htdocs/langs/sk_SK/cashdesk.lang b/htdocs/langs/sk_SK/cashdesk.lang index 0c85aa44b53..3f6316410ff 100644 --- a/htdocs/langs/sk_SK/cashdesk.lang +++ b/htdocs/langs/sk_SK/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Príjem Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Prehliadač BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/sk_SK/categories.lang b/htdocs/langs/sk_SK/categories.lang index 3fcf110da7f..4af13ecc0f3 100644 --- a/htdocs/langs/sk_SK/categories.lang +++ b/htdocs/langs/sk_SK/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Štítky / Kategórie RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=V AddIn=Pridajte modify=upraviť Classify=Klasifikovať CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/sk_SK/companies.lang b/htdocs/langs/sk_SK/companies.lang index 513a5cb3ce9..a87c62bdf3e 100644 --- a/htdocs/langs/sk_SK/companies.lang +++ b/htdocs/langs/sk_SK/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Názov spoločnosti %s už existuje. Vyberte si inú. ErrorSetACountryFirst=Nastavenie krajiny prvý SelectThirdParty=Vyberte tretiu stranu -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Odstránenie kontaktu / adresa -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Telefón Skype=Skype Call=Volanie Chat=Chat -PhonePro=Prof telefón +PhonePro=Bus. phone PhonePerso=Os. telefón PhoneMobile=Mobilné No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Poštové smerovacie číslo Town=Mesto Web=Web Poste= Pozícia -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Požadované, ak tretia osoba zákazníka alebo perspektíva RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect kontaktovať CompanyDeleted=Spoločnosť "%s" vymazaný z databázy. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Otvorení ActivityCeased=Zatvorené ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. za vynikajúce účet OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Kód je zadarmo. Tento kód je možné kedykoľvek zmeni ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/sk_SK/compta.lang b/htdocs/langs/sk_SK/compta.lang index c9e2fc18a94..c8df634a8d6 100644 --- a/htdocs/langs/sk_SK/compta.lang +++ b/htdocs/langs/sk_SK/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nová zľava NewCheckDeposit=Nová kontrola záloha NewCheckDepositOn=Vytvorte potvrdenie o vklade na účet: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Skontrolujte dátum príjmu +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/sk_SK/ecm.lang b/htdocs/langs/sk_SK/ecm.lang index 690a626db44..42fca8f3efa 100644 --- a/htdocs/langs/sk_SK/ecm.lang +++ b/htdocs/langs/sk_SK/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/sk_SK/errors.lang b/htdocs/langs/sk_SK/errors.lang index 2cd5196ebaf..ca0536031e6 100644 --- a/htdocs/langs/sk_SK/errors.lang +++ b/htdocs/langs/sk_SK/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Žiadna chyba sa zaväzujeme # Errors ErrorButCommitIsDone=Boli nájdené chyby, ale my overiť aj cez to -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s je zle +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Prihlásenie %s už existuje. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Nepodarilo sa zapísať do adresára %s ErrorFoundBadEmailInFile=Našiel nesprávne email syntaxe %s riadkov v súbore (%s príklad súlade s emailom = %s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Niektoré požadované pole sa nevypĺňa. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Nepodarilo sa vytvoriť adresár. Uistite sa, že webový server má užívateľ oprávnenie na zápis do adresára dokumentov Dolibarr. Ak je parameter safe_mode je povolené na tomto PHP, skontrolujte, či Dolibarr php súbory, vlastné pre užívateľa webového servera (alebo skupina). ErrorNoMailDefinedForThisUser=Žiadna pošta definované pre tohto používateľa ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Návrh +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Hotový +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/sk_SK/knowledgemanagement.lang b/htdocs/langs/sk_SK/knowledgemanagement.lang new file mode 100644 index 00000000000..78652570279 --- /dev/null +++ b/htdocs/langs/sk_SK/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = O +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Článok +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/sk_SK/mails.lang b/htdocs/langs/sk_SK/mails.lang index 5ee7e05f1ca..b310258f2de 100644 --- a/htdocs/langs/sk_SK/mails.lang +++ b/htdocs/langs/sk_SK/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Kopírovať do MailToCCUsers=Copy to users(s) MailCCC=Cached kópiu -MailTopic=Email topic +MailTopic=Email subject MailText=Správa MailFile=Priložené súbory MailMessage=E-mail telo @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/sk_SK/main.lang b/htdocs/langs/sk_SK/main.lang index d5521db463a..f56b3a0104c 100644 --- a/htdocs/langs/sk_SK/main.lang +++ b/htdocs/langs/sk_SK/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Skúšobné pripojenie ToClone=Klon ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Žiadne údaje nie sú k klonovať definovaný. Of=z Go=Ísť @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Udalosť About=O Number=Číslo -NumberByMonth=Číslo podľa mesiaca +NumberByMonth=Total reports by month AmountByMonth=Suma podľa mesiaca Numero=Číslo Limit=Obmedzenie @@ -341,8 +341,8 @@ KiloBytes=Kilobajty MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabajtov -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Podľa From=Z FromDate=Z FromLocation=Z -at=at to=na To=na +ToDate=na +ToLocation=na +at=at and=a or=alebo Other=Ostatné @@ -843,7 +845,7 @@ XMoreLines=%s riadk(y/ov) skrytých ShowMoreLines=Show more/less lines PublicUrl=Verejné URL AddBox=Pridať box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Vytlačiť súbor %s ShowTransaction=Show entry on bank account ShowIntervention=Zobraziť zásah @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Ostatné ViewList=Zobrazenie zoznamu ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/sk_SK/members.lang b/htdocs/langs/sk_SK/members.lang index 30d4aeab7e3..c427849d17d 100644 --- a/htdocs/langs/sk_SK/members.lang +++ b/htdocs/langs/sk_SK/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Ďalší člen (meno: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=Z bezpečnostných dôvodov musí byť udelené povolenie na úpravu, aby všetci užívatelia mohli spojiť člena užívateľa, ktorá nie je vaša. SetLinkToUser=Odkaz na užívateľovi Dolibarr SetLinkToThirdParty=Odkaz na Dolibarr tretej osobe -MembersCards=Členovia vizitky +MembersCards=Business cards for members MembersList=Zoznam členov MembersListToValid=Zoznam návrhov členov (má byť overený) MembersListValid=Zoznam platných členov @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Členovia s predplatným dostávať MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Vstupné dáta DateEndSubscription=Zasielanie noviniek dátum ukončenia -EndSubscription=Koniec predplatné +EndSubscription=Subscription Ends SubscriptionId=ID predplatného WithoutSubscription=Without subscription MemberId=ID člena @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Predplatné vyžadovalo DeleteType=Odstrániť VoteAllowed=Hlasovať povolená -Physical=Fyzikálne -Moral=Morálna -MorAndPhy=Moral and Physical -Reenable=Znovu povoliť +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Členovia Štatistiky podľa krajiny MembersStatisticsByState=Členovia štatistika štát / provincia MembersStatisticsByTown=Členovia štatistika podľa mesta MembersStatisticsByRegion=Štatistiky užívateľov podľa regiónu -NbOfMembers=Počet členov -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Žiadne overené členmi nájdených -MembersByCountryDesc=Táto obrazovka vám ukáže štatistiku členov jednotlivých krajinách. Grafika však závisí od Google on-line služby grafu a je k dispozícii iba v prípade, je pripojenie k internetu funguje. -MembersByStateDesc=Táto obrazovka vám ukáže štatistiku členov podľa štátu / provincie / Canton. -MembersByTownDesc=Táto obrazovka vám ukáže štatistiku členom mesta. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Zvoľte štatistík, ktoré chcete čítať ... MenuMembersStats=Štatistika -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Informácie sú verejné +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Nový užívateľ pridaný. Čaká na schválenie NewMemberForm=Nový člen forma -SubscriptionsStatistics=Štatistiky o predplatné +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Počet odberov -AmountOfSubscriptions=Suma úpisov +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Obrat (pre firmu), alebo rozpočet (pre nadáciu) DefaultAmount=Východisková suma predplatného CanEditAmount=Návštevník si môže vybrať / upraviť výšku svojho upísaného MEMBER_NEWFORM_PAYONLINE=Prejsť na integrované on-line platobné stránky ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=Tento pohľad zobrazuje štatistiky používateľov podľa krajiny -MembersByRegion=Tento pohľad zobrazuje štatistiky používateľov podľa regiónu VATToUseForSubscriptions=Sadzba DPH sa má použiť pre predplatné NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkt použitý pre riadok predplatného vo faktúre %s diff --git a/htdocs/langs/sk_SK/modulebuilder.lang b/htdocs/langs/sk_SK/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/sk_SK/modulebuilder.lang +++ b/htdocs/langs/sk_SK/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/sk_SK/other.lang b/htdocs/langs/sk_SK/other.lang index 98646eb50a8..03ba1f168c7 100644 --- a/htdocs/langs/sk_SK/other.lang +++ b/htdocs/langs/sk_SK/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s je informácia v závislosti na tretích strán krajiny.
Napríklad pre krajiny %s, je to kód %s. DolibarrDemo=Dolibarr ERP / CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/sk_SK/partnership.lang b/htdocs/langs/sk_SK/partnership.lang new file mode 100644 index 00000000000..46da9502212 --- /dev/null +++ b/htdocs/langs/sk_SK/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Dátum začatia +DatePartnershipEnd=Dátum ukončenia + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Návrh +PartnershipAccepted = Akceptované +PartnershipRefused = Odmietol +PartnershipCanceled = Zrušený + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/sk_SK/productbatch.lang b/htdocs/langs/sk_SK/productbatch.lang index c2af074a693..adf023644b1 100644 --- a/htdocs/langs/sk_SK/productbatch.lang +++ b/htdocs/langs/sk_SK/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/sk_SK/products.lang b/htdocs/langs/sk_SK/products.lang index d4db52e208b..0e8c49a9b28 100644 --- a/htdocs/langs/sk_SK/products.lang +++ b/htdocs/langs/sk_SK/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Služba na predaj a kúpu -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Naposledy %s uložené produkty LastRecordedServices=Naposledy %s uložené služby CardProduct0=Produkt @@ -73,12 +73,12 @@ SellingPrice=Predajná cena SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Predajná cena (s DPH) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Predané množstvo PurchasedAmount=Kúpené množstvo NewPrice=Nová cena -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=Predajná cena nesmie byť nižšia ako minimálna povolená pre tento produkt (%s bez dane). Toto hlásenie sa môže tiež zobrazí, ak zadáte príliš dôležitú zľavu. ContractStatusClosed=Zatvorené @@ -157,11 +157,11 @@ ListServiceByPopularity=Zoznam služieb podľa obľúbenosti Finished=Výrobca produktu RowMaterial=Surovina ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Tento produkt sa používa NewRefForClone=Ref nového produktu / služby SellingPrices=Predajné ceny @@ -170,12 +170,12 @@ CustomerPrices=Zákaznícka cena SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Krajina pôvodu -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Krátky názov Unit=Jednotka p=u. diff --git a/htdocs/langs/sk_SK/projects.lang b/htdocs/langs/sk_SK/projects.lang index 112e55c7285..b37e00ee7eb 100644 --- a/htdocs/langs/sk_SK/projects.lang +++ b/htdocs/langs/sk_SK/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projekt kontakty ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Všetky projekty -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Tento názor predstavuje všetky projekty, ktoré sú prístupné pre čítanie. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=Tento názor predstavuje všetky projekty a úlohy, ktoré sú prístupné pre čítanie. ProjectsDesc=Tento názor predstavuje všetky projekty (užívateľského oprávnenia udeliť oprávnenie k nahliadnutiu všetko). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=Tento názor predstavuje všetky projekty a úlohy, ktoré sú prístupné pre čítanie. TasksDesc=Tento názor predstavuje všetky projekty a úlohy (vaše užívateľské oprávnenia udeliť oprávnenie k nahliadnutiu všetko). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Nový projekt @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/sk_SK/recruitment.lang b/htdocs/langs/sk_SK/recruitment.lang index 321f949aa39..1d3931dc484 100644 --- a/htdocs/langs/sk_SK/recruitment.lang +++ b/htdocs/langs/sk_SK/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/sk_SK/sendings.lang b/htdocs/langs/sk_SK/sendings.lang index 76606f60e53..42c34680fc0 100644 --- a/htdocs/langs/sk_SK/sendings.lang +++ b/htdocs/langs/sk_SK/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Určite chcete overiť túto zásielku s odkazom %s0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Skutočné Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/sk_SK/users.lang b/htdocs/langs/sk_SK/users.lang index 4a3baedf95d..77cc52980da 100644 --- a/htdocs/langs/sk_SK/users.lang +++ b/htdocs/langs/sk_SK/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Heslo bolo zmenené na: %s SubjectNewPassword=Your new password for %s GroupRights=Skupinové oprávnenia UserRights=Užívateľské oprávnenia +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Zakázať DisableAUser=Zakázať užívateľa @@ -105,7 +106,7 @@ UseTypeFieldToChange=Použite pole Typ pre zmenu OpenIDURL=OpenID URL LoginUsingOpenID=Použiť OpenID pre prihlásenie WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Farba priradená užívateľovi DisabledInMonoUserMode=Vypnuté v údržbovom móde UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/sk_SK/website.lang b/htdocs/langs/sk_SK/website.lang index e962c91d16e..8612aecf711 100644 --- a/htdocs/langs/sk_SK/website.lang +++ b/htdocs/langs/sk_SK/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/sl_SI/accountancy.lang b/htdocs/langs/sl_SI/accountancy.lang index 7e9490abb5e..5d8ff3b552b 100644 --- a/htdocs/langs/sl_SI/accountancy.lang +++ b/htdocs/langs/sl_SI/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Račun Label LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Revija @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/sl_SI/admin.lang b/htdocs/langs/sl_SI/admin.lang index 801722cc765..c131906e958 100644 --- a/htdocs/langs/sl_SI/admin.lang +++ b/htdocs/langs/sl_SI/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Varnostne nastavitve PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Napaka, ta modul zahteva PHP različico %s ali višjo ErrorModuleRequireDolibarrVersion=Napaka, Ta modul zahteva Dolibarr različico %s ali višjo @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Ne predlagaj NoActiveBankAccountDefined=Ni definiran aktivni bančni račun OwnerOfBankAccount=Lastnik bančnega računa %s BankModuleNotActive=Modul za bančne račune ni omogočen -ShowBugTrackLink=Prikaži povezavo "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Opozorila DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Ta ukaz morate pognati iz ukazn YourPHPDoesNotHaveSSLSupport=SSL funkcije niso na voljo v vašem PHP DownloadMoreSkins=Prenos dodatnih preoblek SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Delni prevod @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/sl_SI/banks.lang b/htdocs/langs/sl_SI/banks.lang index 7a25b6f14c3..6bf993564d0 100644 --- a/htdocs/langs/sl_SI/banks.lang +++ b/htdocs/langs/sl_SI/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Plačilo socialnega/fiskalnega davka BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Od TransferTo=Na TransferFromToDone=Zabeležen je bil transfer od %s na %s v znesku %s %s. -CheckTransmitter=Oddajnik +CheckTransmitter=Od ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bančni čeki @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Prenosi PlannedTransactions=Planned entries -Graph=Grafika +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Potrdilo o avansu TransactionOnTheOtherAccount=Transakcija na drug račun @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Nazaj na račun ShowAllAccounts=Prikaži vse račune FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Izberi bančni izpisek, povezan s posredovanjem. Uporabi numerično vrednost, ki se lahko sortira: YYYYMM ali YYYYMMDD EventualyAddCategory=Eventuelno določi kategorijo, v katero se razvrsti zapis ToConciliate=To reconcile? diff --git a/htdocs/langs/sl_SI/bills.lang b/htdocs/langs/sl_SI/bills.lang index f2991ee9dc1..72715833296 100644 --- a/htdocs/langs/sl_SI/bills.lang +++ b/htdocs/langs/sl_SI/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Pretvori presežek plačila v razpoložljiv popust EnterPaymentReceivedFromCustomer=Vnesi prejem plačila kupca EnterPaymentDueToCustomer=Vnesi rok plačila za kupca DisabledBecauseRemainderToPayIsZero=Onemogočeno, ker je neplačan znesek enak nič -PriceBase=Osnova cene +PriceBase=Base price BillStatus=Stanje fakture StatusOfGeneratedInvoices=Stanja ustvarjenih faktur BillStatusDraft=Osnutek (potrebna potrditev) @@ -454,7 +454,7 @@ RegulatedOn=Urejen dne ChequeNumber=Ček N° ChequeOrTransferNumber=Ček/Prenos N° ChequeBordereau=Check schedule -ChequeMaker=Oddajnik čekov/prenosov +ChequeMaker=Check/Transfer sender ChequeBank=Banka izdajalka čeka CheckBank=Ček NetToBePaid=Neto za plačilo diff --git a/htdocs/langs/sl_SI/boxes.lang b/htdocs/langs/sl_SI/boxes.lang index f0d05cd02f3..2b07e2fe81f 100644 --- a/htdocs/langs/sl_SI/boxes.lang +++ b/htdocs/langs/sl_SI/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Najstarejši dejavni potekla storitve BoxLastExpiredServices=Zadnji %s najstarejših stikov z aktivnimi zapadlimi storitvami BoxTitleLastActionsToDo=Zadnja %s odprta opravila -BoxTitleLastContracts=Zadnje %s spremenjene pogodbe -BoxTitleLastModifiedDonations=Zadnje %s spremenjene donacije -BoxTitleLastModifiedExpenses=Zadnja %s poročila o stroških -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Globalna aktivnost (računi, ponudbe, naročila) BoxGoodCustomers=Dobri kupci diff --git a/htdocs/langs/sl_SI/cashdesk.lang b/htdocs/langs/sl_SI/cashdesk.lang index 90b364f16d4..f298b47be4d 100644 --- a/htdocs/langs/sl_SI/cashdesk.lang +++ b/htdocs/langs/sl_SI/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Potrdilo Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Iskalnik BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/sl_SI/categories.lang b/htdocs/langs/sl_SI/categories.lang index 34c34fcd4f2..3a6604f4407 100644 --- a/htdocs/langs/sl_SI/categories.lang +++ b/htdocs/langs/sl_SI/categories.lang @@ -3,20 +3,20 @@ Rubrique=Značka/kategorija Rubriques=Značke/kategorije RubriquesTransactions=Tags/Categories of transactions categories=značke/kategorije -NoCategoryYet=Ni kreirana nobena značka/kategorija te vrste +NoCategoryYet=No tag/category of this type has been created In=V AddIn=Dodaj v modify=spremeni Classify=Razvrsti CategoriesArea=Področje značk/kategorij -ProductsCategoriesArea=Področje značk/kategorij proizvodov/storitev -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Področje značk/kategorij kupcev -MembersCategoriesArea=Področje značk/kategorij članov -ContactsCategoriesArea=Področje značk/kategorij kontaktov -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=Seznam značk/kategorij CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/sl_SI/companies.lang b/htdocs/langs/sl_SI/companies.lang index 0bfae25b4a8..b8d1576d7d7 100644 --- a/htdocs/langs/sl_SI/companies.lang +++ b/htdocs/langs/sl_SI/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Ime podjetja %s že obstaja. Izberite drugačno ime. ErrorSetACountryFirst=Najprej izberite državo SelectThirdParty=Izberite partnerja -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Izbrišite kontakt -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Kliči Chat=Klepetaj -PhonePro=Službeni telefon +PhonePro=Bus. phone PhonePerso=Osebni telefon PhoneMobile=Mobilni telefon No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Poštna številka Town=Mesto Web=Spletna stran Poste= Položaj -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Obvezno, če je partner kupec ali možna stranka RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Možna stranka v kontakt CompanyDeleted=Podjetje "%s" izbrisano iz baze. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Odprt ActivityCeased=Neaktiven ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=Seznam proizvodov/storitev v %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Trenutni neplačan račun OutstandingBill=Max. za neplačan račun OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Koda kupca / dobavitelja po želji. Lahko jo kadarkoli sp ManagingDirectors=Ime direktorja(ev) (CEO, direktor, predsednik...) MergeOriginThirdparty=Podvojen partner (partner, ki ga želite zbrisati) MergeThirdparties=Združi partnerje -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/sl_SI/compta.lang b/htdocs/langs/sl_SI/compta.lang index 41861379acc..2e0fc02ef29 100644 --- a/htdocs/langs/sl_SI/compta.lang +++ b/htdocs/langs/sl_SI/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Nov popust NewCheckDeposit=Nova kontrola depozita NewCheckDepositOn=Nova kontrola depozita na račun: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Vnos datuma prejema čeka +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/sl_SI/ecm.lang b/htdocs/langs/sl_SI/ecm.lang index 36cc2a6fce7..27b9058d148 100644 --- a/htdocs/langs/sl_SI/ecm.lang +++ b/htdocs/langs/sl_SI/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/sl_SI/errors.lang b/htdocs/langs/sl_SI/errors.lang index a212d74fcf3..5e8037ba1ed 100644 --- a/htdocs/langs/sl_SI/errors.lang +++ b/htdocs/langs/sl_SI/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s je napačen +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Uporabniško ime %s že obstaja. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Napaka pri pisanju v mapo %s ErrorFoundBadEmailInFile=Napačna email sintaksa v vrstici %s v datoteki (naprimer vrstica %s z emailom=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Nekatera zahtevana polja niso izpolnjena. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Kreiranje mape ni uspelo. Preverite, če ima uporabnik internetne strani dovoljenje za pisanje v mapo z Dolibarr dokumenti. Če je parameter safe_mode v tem PHP omogočen, preverite če je lastnik Dolibarr php datotek uporabnik web strežnika (ali skupina). ErrorNoMailDefinedForThisUser=Ta uporabnik nima določenega Email naslova ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Osnutek +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Izvršene +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/sl_SI/knowledgemanagement.lang b/htdocs/langs/sl_SI/knowledgemanagement.lang new file mode 100644 index 00000000000..3d95eaacf2c --- /dev/null +++ b/htdocs/langs/sl_SI/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = O programu +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artikel +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/sl_SI/mails.lang b/htdocs/langs/sl_SI/mails.lang index e87e6b2b66a..80d2dd4ac02 100644 --- a/htdocs/langs/sl_SI/mails.lang +++ b/htdocs/langs/sl_SI/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Kopija MailToCCUsers=Copy to users(s) MailCCC=Skrita kopija -MailTopic=Email topic +MailTopic=Email subject MailText=Sporočilo MailFile=Priloge MailMessage=Vsebina Email-a @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Konfiguracij pošiljanja e-pošte je bila nastavljena na '%s'. Ta način ne more biti uporabljen za masovno pošiljanje. MailSendSetupIs2=Najprej morate kot administrator preko menija %sDomov - Nastavitve - E-pošta%s spremeniti parameter '%s' za uporabo načina '%s'. V tem načinu lahko odprete nastavitve SMTP strežnika, ki vam jih omogoča vaš spletni oprerater in uporabite masovno pošiljanje. MailSendSetupIs3=Če imate vprašanja o nastavitvi SMTP strežnika, lahko vprašate %s. diff --git a/htdocs/langs/sl_SI/main.lang b/htdocs/langs/sl_SI/main.lang index 696fca76795..93dfbe3cf76 100644 --- a/htdocs/langs/sl_SI/main.lang +++ b/htdocs/langs/sl_SI/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test povezave ToClone=Kloniraj ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Ni definiranih podatkov za kloniranje. Of=od Go=Pojdi @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Aktivnost About=O programu Number=Številka -NumberByMonth=Številka po mesecih +NumberByMonth=Total reports by month AmountByMonth=Znesek po mesecih Numero=Številka Limit=Omejitev @@ -341,8 +341,8 @@ KiloBytes=Kilobyti MegaBytes=Megabyti GigaBytes=Gigabyti TeraBytes=Terabyti -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Z From=Od FromDate=Izdajatelj FromLocation=Izdajatelj -at=at to=do To=do +ToDate=do +ToLocation=do +at=at and=in or=ali Other=ostalo @@ -843,7 +845,7 @@ XMoreLines=%s zasenčena(ih) vrstic ShowMoreLines=Show more/less lines PublicUrl=Javni URL AddBox=Dodaj okvir -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Natisni datoteko %s ShowTransaction=Show entry on bank account ShowIntervention=Prikaži intervencijo @@ -854,8 +856,8 @@ Denied=Zavrnjen ListOf=List of %s ListOfTemplates=Seznam predlog Gender=Spol -Genderman=Moški -Genderwoman=Ženska +Genderman=Male +Genderwoman=Female Genderother=Ostalo ViewList=Glej seznam ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/sl_SI/members.lang b/htdocs/langs/sl_SI/members.lang index f98d2483e3c..7e9544e82f1 100644 --- a/htdocs/langs/sl_SI/members.lang +++ b/htdocs/langs/sl_SI/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Drug član (ime: %s, uporabni ErrorUserPermissionAllowsToLinksToItselfOnly=Zaradi varnostnih razlogov, morate imeti dovoljenje za urejanje vseh uporabnikov, če želite povezati člana z uporabnikom, ki ni vaš. SetLinkToUser=Povezava z Dolibarr uporabnikom SetLinkToThirdParty=Povezava z Dolibarr partnerjem -MembersCards=Tiskane kartice članov +MembersCards=Business cards for members MembersList=Seznam članov MembersListToValid=Seznam predlaganih članov (potrebna potrditev) MembersListValid=Seznam potrjenih članov @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Člani, ki morajo plačati članarino MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Datum vpisa DateEndSubscription=Datum zadnje članarine -EndSubscription=Veljavnost članarine +EndSubscription=Subscription Ends SubscriptionId=ID članarine WithoutSubscription=Without subscription MemberId=ID člana @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Zahtevana včlanitev DeleteType=Izbriši VoteAllowed=Dovoljeno glasovanje -Physical=Fizično -Moral=Moralno -MorAndPhy=Moral and Physical -Reenable=Ponovno omogoči +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Statistika članov po državah MembersStatisticsByState=Statistika članov po deželah MembersStatisticsByTown=Statistika članov po mestih MembersStatisticsByRegion=Statistika članov po regijah -NbOfMembers=Število članov -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Najdeni so nepotrjeni člani -MembersByCountryDesc=Na tem zaslonu je prikazana statistika članov po državah. Grafika je odvisna od Google storitve in je na voljo samo pri delujoči internetni povezavi. -MembersByStateDesc=Na tem zaslonu je prikazana statistika članov po državah/deželah/kantonih. -MembersByTownDesc=Na tem zaslonu je prikazana statistika članov po mestih. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Izberite statistiko, ki jo želite prebrati... MenuMembersStats=Statistika -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Informacija je javna (ne=zasebno) +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Dodan je nov član. Čaka potrditev. NewMemberForm=Obrazec za nove člane -SubscriptionsStatistics=Statistika članarin +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Število članarin -AmountOfSubscriptions=Znesek članarin +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Obseg prodaje (za podjetje) ali proračun (za fundacijo) DefaultAmount=Privzeti znesek za članarine CanEditAmount=Obiskovalec lahko izbere/ureja znesek svoje članarine MEMBER_NEWFORM_PAYONLINE=Skoči na integrirano stran za online plačila ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=Na tem zaslonu je prikazana statistika članov po lastnostih. -MembersByRegion=Na tem zaslonu je prikazana statistika članov po regijah. VATToUseForSubscriptions=Stopnja DDV za naročnine NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Proizvod uporabljen za naročniško vrstico v računu: %s diff --git a/htdocs/langs/sl_SI/modulebuilder.lang b/htdocs/langs/sl_SI/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/sl_SI/modulebuilder.lang +++ b/htdocs/langs/sl_SI/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/sl_SI/other.lang b/htdocs/langs/sl_SI/other.lang index 1ead2e7ba58..cb3cc1b03b3 100644 --- a/htdocs/langs/sl_SI/other.lang +++ b/htdocs/langs/sl_SI/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s je informacija, odvisna od države partnerja.
Na primer za državo %s, je koda %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/sl_SI/partnership.lang b/htdocs/langs/sl_SI/partnership.lang new file mode 100644 index 00000000000..48ce3b3b779 --- /dev/null +++ b/htdocs/langs/sl_SI/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Začetni datum +DatePartnershipEnd=Končni datum + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Osnutek +PartnershipAccepted = Accepted +PartnershipRefused = Zavrnjeno +PartnershipCanceled = Preklicano + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/sl_SI/productbatch.lang b/htdocs/langs/sl_SI/productbatch.lang index 5f2d0d4391a..051f10a5a9f 100644 --- a/htdocs/langs/sl_SI/productbatch.lang +++ b/htdocs/langs/sl_SI/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/sl_SI/products.lang b/htdocs/langs/sl_SI/products.lang index 80844772fa8..0aecf1c0922 100644 --- a/htdocs/langs/sl_SI/products.lang +++ b/htdocs/langs/sl_SI/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Storitve za prodajo ali za nabavo -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Proizvod @@ -73,12 +73,12 @@ SellingPrice=Prodajna cena SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Prodajne cene (z DDV) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=Nova cena -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=Prodajna cena ne more biti nižja od minimalne za ta proizvod (%s brez DDV). To sporočilo se pojavi lahko tudi, če vnesete prevelik popust ContractStatusClosed=Zaprta @@ -157,11 +157,11 @@ ListServiceByPopularity=Seznam storitev po priljubljenosti Finished=Končni izdelek RowMaterial=Osnovni material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Ta proizvod je rabljen NewRefForClone=Ref. novega proizvoda/storitve SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Cene za kupce SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Država porekla -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Kratek naziv Unit=Enota p=e. diff --git a/htdocs/langs/sl_SI/projects.lang b/htdocs/langs/sl_SI/projects.lang index 369419c4bd9..42d248f93e8 100644 --- a/htdocs/langs/sl_SI/projects.lang +++ b/htdocs/langs/sl_SI/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Kontakti za projekt ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Vsi projekti -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=To pogled predstavlja vse projekte, za katere imate dovoljenje za branje. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=Ta pogled predstavlja vse projekte in naloge, za katere imate dovoljenje za branje. ProjectsDesc=Ta pogled predstavlja vse projekte (vaše uporabniško dovoljenje vam omogoča ogled vseh). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=Ta pogled predstavlja vse projekte in naloge, za katere imate dovoljenje za branje. TasksDesc=Ta pogled predstavlja vse projekte in naloge (vaše uporabniško dovoljenje vam omogoča ogled vseh). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Nov projekt @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/sl_SI/recruitment.lang b/htdocs/langs/sl_SI/recruitment.lang index 9c84e4c01d8..fab155f38a6 100644 --- a/htdocs/langs/sl_SI/recruitment.lang +++ b/htdocs/langs/sl_SI/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/sl_SI/sendings.lang b/htdocs/langs/sl_SI/sendings.lang index 928c2e0f03c..d3d9e563977 100644 --- a/htdocs/langs/sl_SI/sendings.lang +++ b/htdocs/langs/sl_SI/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Vzorec dokumenta Merou A5 WarningNoQtyLeftToSend=Pozor, noben proizvod ne čaka na pošiljanje. -StatsOnShipmentsOnlyValidated=Statistika na osnovi potrjenih pošiljk. Uporabljen je datum potrditve pošiljanja (planiran datum dobave ni vedno znan) +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/sl_SI/stocks.lang b/htdocs/langs/sl_SI/stocks.lang index 5ba283a55d1..b8357c5ed52 100644 --- a/htdocs/langs/sl_SI/stocks.lang +++ b/htdocs/langs/sl_SI/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Za ta objekt ni preddefiniranih proizvodov. Zato n DispatchVerb=Odprema StockLimitShort=Omejitev za opozorilo StockLimit=Omejitev zaloge za opozorilo -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Dejanska zaloga RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/sl_SI/users.lang b/htdocs/langs/sl_SI/users.lang index c972ea9c230..e911348ef47 100644 --- a/htdocs/langs/sl_SI/users.lang +++ b/htdocs/langs/sl_SI/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Geslo spremenjeno v: %s SubjectNewPassword=Your new password for %s GroupRights=Dovoljenja skupine UserRights=Dovoljenja uporabnika +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Onemogoči DisableAUser=Onemogoči @@ -105,7 +106,7 @@ UseTypeFieldToChange=Uporabi polje "Vnos" za spremembo OpenIDURL=Spletni naslov OpenID LoginUsingOpenID=Uporabi OpenID za prijavo WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Barve uporabnika DisabledInMonoUserMode=Izklopljeno v načinu vzdrževanja UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/sl_SI/website.lang b/htdocs/langs/sl_SI/website.lang index 73e092221d8..9d3d0faab74 100644 --- a/htdocs/langs/sl_SI/website.lang +++ b/htdocs/langs/sl_SI/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/sq_AL/accountancy.lang b/htdocs/langs/sq_AL/accountancy.lang index cf63cf33a99..5a1fba1c58e 100644 --- a/htdocs/langs/sq_AL/accountancy.lang +++ b/htdocs/langs/sq_AL/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/sq_AL/admin.lang b/htdocs/langs/sq_AL/admin.lang index ce7acbd1055..a2945323299 100644 --- a/htdocs/langs/sq_AL/admin.lang +++ b/htdocs/langs/sq_AL/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Konfigurimet e sigurisё PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Gabim, ky modul kërkon PHP version %s ose më të lartë ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/sq_AL/banks.lang b/htdocs/langs/sq_AL/banks.lang index 550abf21df5..dd5f1ca63b1 100644 --- a/htdocs/langs/sq_AL/banks.lang +++ b/htdocs/langs/sq_AL/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Dërguesi ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/sq_AL/bills.lang b/htdocs/langs/sq_AL/bills.lang index 8445a107298..35e97554290 100644 --- a/htdocs/langs/sq_AL/bills.lang +++ b/htdocs/langs/sq_AL/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/sq_AL/boxes.lang b/htdocs/langs/sq_AL/boxes.lang index ac4d7487c63..ce0cd6dc236 100644 --- a/htdocs/langs/sq_AL/boxes.lang +++ b/htdocs/langs/sq_AL/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Blerës të mirë diff --git a/htdocs/langs/sq_AL/cashdesk.lang b/htdocs/langs/sq_AL/cashdesk.lang index 1c7c73155f2..1cdcbe50666 100644 --- a/htdocs/langs/sq_AL/cashdesk.lang +++ b/htdocs/langs/sq_AL/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/sq_AL/categories.lang b/htdocs/langs/sq_AL/categories.lang index a5d69cc6d3c..16fb4d619ee 100644 --- a/htdocs/langs/sq_AL/categories.lang +++ b/htdocs/langs/sq_AL/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=Modifiko Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/sq_AL/companies.lang b/htdocs/langs/sq_AL/companies.lang index 067cf0318cf..299604640b2 100644 --- a/htdocs/langs/sq_AL/companies.lang +++ b/htdocs/langs/sq_AL/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Fshij një kontakt/adresë -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Celular No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Kodi postar Town=Qyteti Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Hapur ActivityCeased=Mbyllur ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/sq_AL/compta.lang b/htdocs/langs/sq_AL/compta.lang index 2a67833777f..85982e65958 100644 --- a/htdocs/langs/sq_AL/compta.lang +++ b/htdocs/langs/sq_AL/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/sq_AL/ecm.lang b/htdocs/langs/sq_AL/ecm.lang index 29f3fa1f5bf..a9e073c8991 100644 --- a/htdocs/langs/sq_AL/ecm.lang +++ b/htdocs/langs/sq_AL/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/sq_AL/errors.lang b/htdocs/langs/sq_AL/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/sq_AL/errors.lang +++ b/htdocs/langs/sq_AL/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/sq_AL/knowledgemanagement.lang b/htdocs/langs/sq_AL/knowledgemanagement.lang new file mode 100644 index 00000000000..0d309f02677 --- /dev/null +++ b/htdocs/langs/sq_AL/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artikull +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/sq_AL/mails.lang b/htdocs/langs/sq_AL/mails.lang index a79dff4badb..bdf92f0b2e9 100644 --- a/htdocs/langs/sq_AL/mails.lang +++ b/htdocs/langs/sq_AL/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/sq_AL/main.lang b/htdocs/langs/sq_AL/main.lang index 7dab8226cc8..c8c0a25e494 100644 --- a/htdocs/langs/sq_AL/main.lang +++ b/htdocs/langs/sq_AL/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Tjetër @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gjinia -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Tjetër ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/sq_AL/members.lang b/htdocs/langs/sq_AL/members.lang index a6d98ca17c5..e10f9fa14c4 100644 --- a/htdocs/langs/sq_AL/members.lang +++ b/htdocs/langs/sq_AL/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Fshi VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/sq_AL/modulebuilder.lang b/htdocs/langs/sq_AL/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/sq_AL/modulebuilder.lang +++ b/htdocs/langs/sq_AL/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/sq_AL/other.lang b/htdocs/langs/sq_AL/other.lang index afd043c5f78..1975223f19c 100644 --- a/htdocs/langs/sq_AL/other.lang +++ b/htdocs/langs/sq_AL/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/sq_AL/partnership.lang b/htdocs/langs/sq_AL/partnership.lang new file mode 100644 index 00000000000..89c29157803 --- /dev/null +++ b/htdocs/langs/sq_AL/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refuzuar +PartnershipCanceled = Anulluar + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/sq_AL/productbatch.lang b/htdocs/langs/sq_AL/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/sq_AL/productbatch.lang +++ b/htdocs/langs/sq_AL/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/sq_AL/products.lang b/htdocs/langs/sq_AL/products.lang index 807f8af9cd0..ff733168095 100644 --- a/htdocs/langs/sq_AL/products.lang +++ b/htdocs/langs/sq_AL/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Mbyllur @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/sq_AL/projects.lang b/htdocs/langs/sq_AL/projects.lang index 87655a4d973..495ef8c0330 100644 --- a/htdocs/langs/sq_AL/projects.lang +++ b/htdocs/langs/sq_AL/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/sq_AL/recruitment.lang b/htdocs/langs/sq_AL/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/sq_AL/recruitment.lang +++ b/htdocs/langs/sq_AL/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/sq_AL/sendings.lang b/htdocs/langs/sq_AL/sendings.lang index cea753bf79b..64806d1c467 100644 --- a/htdocs/langs/sq_AL/sendings.lang +++ b/htdocs/langs/sq_AL/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/sq_AL/stocks.lang b/htdocs/langs/sq_AL/stocks.lang index 87aa4916cc9..64b66cea86f 100644 --- a/htdocs/langs/sq_AL/stocks.lang +++ b/htdocs/langs/sq_AL/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/sq_AL/users.lang b/htdocs/langs/sq_AL/users.lang index 736243e4ee5..f0310710974 100644 --- a/htdocs/langs/sq_AL/users.lang +++ b/htdocs/langs/sq_AL/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Çaktivizo DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/sq_AL/website.lang b/htdocs/langs/sq_AL/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/sq_AL/website.lang +++ b/htdocs/langs/sq_AL/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/sr_RS/accountancy.lang b/htdocs/langs/sr_RS/accountancy.lang index c95be506b7a..a80c056d536 100644 --- a/htdocs/langs/sr_RS/accountancy.lang +++ b/htdocs/langs/sr_RS/accountancy.lang @@ -202,7 +202,7 @@ Docref=Referenca LabelAccount=Oznaka računa LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Izveštaj @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/sr_RS/admin.lang b/htdocs/langs/sr_RS/admin.lang index 8e44e169e68..47438a037f4 100644 --- a/htdocs/langs/sr_RS/admin.lang +++ b/htdocs/langs/sr_RS/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/sr_RS/banks.lang b/htdocs/langs/sr_RS/banks.lang index 9d4798fc10e..e1d59217844 100644 --- a/htdocs/langs/sr_RS/banks.lang +++ b/htdocs/langs/sr_RS/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Uplate poreza/doprinosa BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Od TransferTo=Za TransferFromToDone=Prenos od %s to %s of %s %s je zabeležen. -CheckTransmitter=Otpremnik +CheckTransmitter=Pošiljalac ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bankovni ček @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Promene PlannedTransactions=Planned entries -Graph=Grafike +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Depozitni isečak TransactionOnTheOtherAccount=Transakcije na drugom računu @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Nazad na račun ShowAllAccounts=Prikaži za sve račune FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Odaberi izvod iz banke povezan sa poravnanjem. Upotrebi sledeću numeričku vrednost: YYYYMM or YYYYMMDD EventualyAddCategory=Na kraju, definišite kategoriju u koju želite da klasifikujete izveštaje ToConciliate=To reconcile? diff --git a/htdocs/langs/sr_RS/bills.lang b/htdocs/langs/sr_RS/bills.lang index 495c4c104d7..df00b3c8612 100644 --- a/htdocs/langs/sr_RS/bills.lang +++ b/htdocs/langs/sr_RS/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Unesi prijem uplate kupca EnterPaymentDueToCustomer=Uplatiti zbog kupca DisabledBecauseRemainderToPayIsZero=Onemogući jer je preostali iznos nula -PriceBase=Osnovna cena +PriceBase=Base price BillStatus=Status računa StatusOfGeneratedInvoices=Status generisanih računa BillStatusDraft=Nacrt (treba da se potvrdi) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Proveri raspored -ChequeMaker=Izdavač čeka/transfera +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/sr_RS/boxes.lang b/htdocs/langs/sr_RS/boxes.lang index 9970ca505c7..e593f6e30fc 100644 --- a/htdocs/langs/sr_RS/boxes.lang +++ b/htdocs/langs/sr_RS/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Najstarije aktivne istekle usluge BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Opšta aktivnost (fakture, ponude, narudžbine) BoxGoodCustomers=Dobri kupci diff --git a/htdocs/langs/sr_RS/cashdesk.lang b/htdocs/langs/sr_RS/cashdesk.lang index 75b0acd39a2..31e585226cf 100644 --- a/htdocs/langs/sr_RS/cashdesk.lang +++ b/htdocs/langs/sr_RS/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Prijemnica Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/sr_RS/categories.lang b/htdocs/langs/sr_RS/categories.lang index 1799529dde1..eb103af3374 100644 --- a/htdocs/langs/sr_RS/categories.lang +++ b/htdocs/langs/sr_RS/categories.lang @@ -3,20 +3,20 @@ Rubrique=Naziv/Kategorija Rubriques=Naziv/Kategorije RubriquesTransactions=Tags/Categories of transactions categories=nazivi/kategorije -NoCategoryYet=Naziv/kategorija nije kreirana za ovaj tip +NoCategoryYet=No tag/category of this type has been created In=U AddIn=Dodaj u modify=izmeni Classify=Klasifikuj CategoriesArea=Oblast naziva/kategorije -ProductsCategoriesArea=Oblast naziva/kategorije proizvoda/usluge -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Oblast naziva/kategorije dobavljača -MembersCategoriesArea=Oblast naziva/kategorije članova -ContactsCategoriesArea=Oblast naziva/kategorija kontakata -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=Lista naziva/kategorija CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/sr_RS/companies.lang b/htdocs/langs/sr_RS/companies.lang index 4a1049a918d..7834550d3c4 100644 --- a/htdocs/langs/sr_RS/companies.lang +++ b/htdocs/langs/sr_RS/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Ime kompanije %s već postoji. Izaberite drugo ime. ErrorSetACountryFirst=Prvo izaberi državu SelectThirdParty=Izaberi subjekat -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Obriši kontakt/adresu -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Poziv Chat=Chat -PhonePro=Poslovni telefon +PhonePro=Bus. phone PhonePerso=Lični telefon PhoneMobile=Mobilni No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Poštanski broj Town=Grad Web=Web Poste= Pozicija -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Obavezno ako je subjekt klijent ili kandidat RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Kandidat za kontaktiranje CompanyDeleted=Kompanija "%s" je obrisana iz baze. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Otvoreno ActivityCeased=Zatvoreno ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=Lista proizvoda/usluga u %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Ime menadžera (CEO, direktor, predsednik...) MergeOriginThirdparty=Duplirani subjekt (subjekt kojeg želite obrisati) MergeThirdparties=Spoji subjekte -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/sr_RS/compta.lang b/htdocs/langs/sr_RS/compta.lang index 64e0a53d9d9..7af3218a6ab 100644 --- a/htdocs/langs/sr_RS/compta.lang +++ b/htdocs/langs/sr_RS/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Novi popust NewCheckDeposit=Novi unovčen ček NewCheckDepositOn=Kreiraj račun za uplatu : %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Datum prijema čeka +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Uplati porez/doprinose PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/sr_RS/ecm.lang b/htdocs/langs/sr_RS/ecm.lang index 7ced4e58d7f..2a5ad209408 100644 --- a/htdocs/langs/sr_RS/ecm.lang +++ b/htdocs/langs/sr_RS/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/sr_RS/errors.lang b/htdocs/langs/sr_RS/errors.lang index b52a21dbc85..b8cac5689b3 100644 --- a/htdocs/langs/sr_RS/errors.lang +++ b/htdocs/langs/sr_RS/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Nema greške, commit. # Errors ErrorButCommitIsDone=Bilo je grešaka, ali potvrđujemo uprkos tome -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=URL %s je pogrešan +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s već postoji @@ -46,8 +46,8 @@ ErrorWrongDate=Datum nije ispravan! ErrorFailedToWriteInDir=Greška prilikom pisanja u folder %s ErrorFoundBadEmailInFile=Pronađeni su mailovi sa pogrešnom sintaksom za %s linija u fajlu (primer linija %s sa mailom %s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Neka obavezna polja nisu popunjena -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Greška prilikom kreacije foldera. Proverite da li Web server nalog ima prava da piše u Dolibarr documents folderu. Ako je parametar safe_mode aktivan u PHP-u, proverite da li Dolibarr php fajlovi pripadaju korisniku (ili grupi) Web server naloga. ErrorNoMailDefinedForThisUser=Mail nije definisan za ovog korisnika ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Nacrt +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Završeno +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/sr_RS/knowledgemanagement.lang b/htdocs/langs/sr_RS/knowledgemanagement.lang new file mode 100644 index 00000000000..d24fee49c0a --- /dev/null +++ b/htdocs/langs/sr_RS/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = O +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artikal +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/sr_RS/mails.lang b/htdocs/langs/sr_RS/mails.lang index a37342806c3..9c20f761fc1 100644 --- a/htdocs/langs/sr_RS/mails.lang +++ b/htdocs/langs/sr_RS/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=CC MailToCCUsers=Copy to users(s) MailCCC=BCC -MailTopic=Email topic +MailTopic=Email subject MailText=Poruka MailFile=Prilozi MailMessage=Sadržaj maila @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Konfiguracija slanja mailova je podešena na "%s". Ovaj mod ne može slati masovne mailove. MailSendSetupIs2=Prvo morate sa admin nalogom otvoriti meni %sHome - Setup - EMails%s da biste promenili parametar '%s' i prešli u mod '%s'. U ovom modu, možete uneti podešavanja SMTP servera Vašeg provajdera i koristiti funkcionalnost masovnog emailinga. MailSendSetupIs3=Ukoliko imate pitanja oko podešavanja SMTP servera, možete pitati %s. diff --git a/htdocs/langs/sr_RS/main.lang b/htdocs/langs/sr_RS/main.lang index 76649f882eb..1ae893b7059 100644 --- a/htdocs/langs/sr_RS/main.lang +++ b/htdocs/langs/sr_RS/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Testiraj konekciju ToClone=Kloniraj ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Podaci za dupliranje nisu definisani: Of=od Go=Kreni @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Događaj About=O Number=Broj -NumberByMonth=Broj po mesecu +NumberByMonth=Total reports by month AmountByMonth=Svota po mesecu Numero=Broj Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Do From=Od FromDate=Od FromLocation=Od -at=at to=do To=do +ToDate=do +ToLocation=do +at=at and=i or=ili Other=Drugo @@ -843,7 +845,7 @@ XMoreLines=%s linija skrivena(o) ShowMoreLines=Show more/less lines PublicUrl=Javni UR AddBox=Dodaj box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Štampaj fajl %s ShowTransaction=Show entry on bank account ShowIntervention=Prikaži intervenciju @@ -854,8 +856,8 @@ Denied=Odbijeno ListOf=List of %s ListOfTemplates=Lista templejtova Gender=Pol -Genderman=Muško -Genderwoman=Žensko +Genderman=Male +Genderwoman=Female Genderother=Drugo ViewList=Prikaz liste ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/sr_RS/members.lang b/htdocs/langs/sr_RS/members.lang index 9999a186486..9e2876f3fa8 100644 --- a/htdocs/langs/sr_RS/members.lang +++ b/htdocs/langs/sr_RS/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Drugi član (ime: %s, login: < ErrorUserPermissionAllowsToLinksToItselfOnly=Iz sigurnosnih razloga, morate imati dozvole za izmenu svih korisnika kako biste mogli da povežete člana sa korisnikom koji nije Vaš. SetLinkToUser=Link sa Dolibarr korisnikom SetLinkToThirdParty=Link sa Dolibarr subjektom -MembersCards=Članske poslovne kartice +MembersCards=Business cards for members MembersList=Lista članova MembersListToValid=Lista draft članova (za potvrdu) MembersListValid=Lista potvrđenih članova @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Članovi koji treba da prime pretplatu MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Datum pretplate DateEndSubscription=Kraj pretplate -EndSubscription=Kraj pretplate +EndSubscription=Subscription Ends SubscriptionId=ID pretplate WithoutSubscription=Without subscription MemberId=ID člana @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Potrebna pretplata DeleteType=Obriši VoteAllowed=Glasanje dozvoljeno -Physical=Fizičko -Moral=Pravno -MorAndPhy=Moral and Physical -Reenable=Ponovo aktiviraj +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Statistike članova po zemlji MembersStatisticsByState=Statistike članova po regionu MembersStatisticsByTown=Statistike članova po gradu MembersStatisticsByRegion=Statistike članova po regionu -NbOfMembers=Broj članova -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Nema potvrđenih članova -MembersByCountryDesc=Ovaj ekran pokazuje statistike članove po zemljama. Koristi se Google online graph service koji je dostupan samo ukoliko imate aktivnu internet konekciju. -MembersByStateDesc=Ovaj ekran pokazuje statistike članova po regionu. -MembersByTownDesc=Ovaj ekran pokazuje statistike članova po gradu. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Izaberite statistike koje želite da konsultujete... MenuMembersStats=Statistike -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Datum najnovije pretplate -MemberNature=Nature of member -MembersNature=Nature of members -Public=Javne informacije +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Novi član je dodat. Čeka se odobrenje. NewMemberForm=Forma za nove članove -SubscriptionsStatistics=Statistike pretplata +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Broj pretplata -AmountOfSubscriptions=Iznos pretplata +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Obrt (za kompaniju) ili budžet (za fondaciju) DefaultAmount=Default iznos pretplate CanEditAmount=Posetilac može da izabere/izmeni iznos svoje pretplate MEMBER_NEWFORM_PAYONLINE=Pređi na integrisanu online stranicu uplate ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=Ovaj ekran prikazuje statistike članova po prirodi. -MembersByRegion=Ovaj ekran prikazuje statistike članova po regionu. VATToUseForSubscriptions=PDV stopa za pretplate NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Proizvod korišćen za liniju pretplate u fakturi: %s diff --git a/htdocs/langs/sr_RS/modulebuilder.lang b/htdocs/langs/sr_RS/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/sr_RS/modulebuilder.lang +++ b/htdocs/langs/sr_RS/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/sr_RS/other.lang b/htdocs/langs/sr_RS/other.lang index f3d16baa5b7..a2023128b0b 100644 --- a/htdocs/langs/sr_RS/other.lang +++ b/htdocs/langs/sr_RS/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s je infomacija koja zavisi od zemlje subjekta.
Na primer, za zemlju %s, to je kod %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/sr_RS/partnership.lang b/htdocs/langs/sr_RS/partnership.lang new file mode 100644 index 00000000000..82c90ae3244 --- /dev/null +++ b/htdocs/langs/sr_RS/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Datum početka +DatePartnershipEnd=Datum završetka + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Nacrt +PartnershipAccepted = Prihvaćen +PartnershipRefused = Odbijen +PartnershipCanceled = Poništeno + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/sr_RS/productbatch.lang b/htdocs/langs/sr_RS/productbatch.lang index 01d589671dc..7aa007fe4c4 100644 --- a/htdocs/langs/sr_RS/productbatch.lang +++ b/htdocs/langs/sr_RS/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/sr_RS/products.lang b/htdocs/langs/sr_RS/products.lang index a55e635e9d7..5b59d29e0c4 100644 --- a/htdocs/langs/sr_RS/products.lang +++ b/htdocs/langs/sr_RS/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Usluge za prodaju i nabavku -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Proizvod @@ -73,12 +73,12 @@ SellingPrice=Prodajna cena SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Prodajna cena (sa PDV-om) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=Nova cena -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=Prodajna cena ne može biti niža od dozvoljenog minimuma za ovaj proizvod (%s neto). Ova poruka se takođe može pojaviti ukoliko ste uneli preveliki popust. ContractStatusClosed=Zatvoren @@ -157,11 +157,11 @@ ListServiceByPopularity=Lista usluga po popularnosti Finished=Proizvedeni proizvod RowMaterial=Sirovina ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Ovaj proizvod je u upotrebi NewRefForClone=Ref. novog proizvoda/usluge SellingPrices=Prodajne cene @@ -170,12 +170,12 @@ CustomerPrices=Cene klijenta SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Zemlja porekla -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Kratak naziv Unit=Jedinica p=j. diff --git a/htdocs/langs/sr_RS/projects.lang b/htdocs/langs/sr_RS/projects.lang index e50f21a77c8..f29a10b6685 100644 --- a/htdocs/langs/sr_RS/projects.lang +++ b/htdocs/langs/sr_RS/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Kontakti projekta ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Svi projekti -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Ovaj ekran prikazuje sve projekte za koje imate pravo pregleda. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=Ovaj ekran prikazuje sve projekte ili zadatke za koje imate pravo pregleda. ProjectsDesc=Ovaj ekran prikazuje sve projekte (Vaš korisnik ima pravo pregleda svih informacija) TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Vidljivi su samo otvoreni projekti (draft i zatvoreni projekti nisu vidljivi) ClosedProjectsAreHidden=Zatvoreni projekti nisu vidljivi TasksPublicDesc=Ovaj ekran prikazuje sve projekte ili zadatke za koje imate pravo pregleda. TasksDesc=Ovaj ekran prikazuje sve projekte i zadatke (Vaš korisnik ima pravo pregleda svih informacija) AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Novi projekat @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Nije dodeljen zadatku NoUserAssignedToTheProject=No users assigned to this project TimeSpentBy=Time spent by TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Dodeli zadatak meni +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Dodeli diff --git a/htdocs/langs/sr_RS/recruitment.lang b/htdocs/langs/sr_RS/recruitment.lang index ae1eb5feb23..4a53daa7854 100644 --- a/htdocs/langs/sr_RS/recruitment.lang +++ b/htdocs/langs/sr_RS/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/sr_RS/sendings.lang b/htdocs/langs/sr_RS/sendings.lang index 25672b23d46..8248b852787 100644 --- a/htdocs/langs/sr_RS/sendings.lang +++ b/htdocs/langs/sr_RS/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Upozorenje, nema proizvoda koji čekaju na isporuku. -StatsOnShipmentsOnlyValidated=Statistike se vrše samo na potvrđenim isporukama. Datum koji se koristi je datum potvrde isporuke (planirani datum isporuke nije uvek poznat) +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planirani datum isporuke RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/sr_RS/stocks.lang b/htdocs/langs/sr_RS/stocks.lang index c5c04628b64..0a9085093f9 100644 --- a/htdocs/langs/sr_RS/stocks.lang +++ b/htdocs/langs/sr_RS/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Nema predefinisanih proizvoda za ovaj objekat. Sto DispatchVerb=Raspodela StockLimitShort=Limit za alertiranje StockLimit=Limit zalihe za alertiranje -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Realna zaliha RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/sr_RS/users.lang b/htdocs/langs/sr_RS/users.lang index e68094fa8e9..3f49f99fdb0 100644 --- a/htdocs/langs/sr_RS/users.lang +++ b/htdocs/langs/sr_RS/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Lozinka izmenjena u: %s SubjectNewPassword=Your new password for %s GroupRights=Prava grupe UserRights=Prava korisnika +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Deaktiviraj DisableAUser=Deaktiviraj korisnika @@ -105,7 +106,7 @@ UseTypeFieldToChange=Koristi polje tip za promenu OpenIDURL=OpenID UR LoginUsingOpenID=Uloguj se sa OpenID-em WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Boja korisnika DisabledInMonoUserMode=Onemogućeno u modu održavanja UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/sr_RS/website.lang b/htdocs/langs/sr_RS/website.lang index 95a950372c2..a51d5cffc41 100644 --- a/htdocs/langs/sr_RS/website.lang +++ b/htdocs/langs/sr_RS/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/sv_SE/accountancy.lang b/htdocs/langs/sv_SE/accountancy.lang index 38747956cd0..5fbb22248bf 100644 --- a/htdocs/langs/sv_SE/accountancy.lang +++ b/htdocs/langs/sv_SE/accountancy.lang @@ -202,7 +202,7 @@ Docref=Referens LabelAccount=Etikett konto LabelOperation=Etikettoperation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Brevkod Lettering=Lettering Codejournal=Loggbok @@ -297,7 +297,7 @@ NoNewRecordSaved=Inga flera linjer att bokföra ListOfProductsWithoutAccountingAccount=Förteckning över produkter som inte är kopplade till något kontokonto ChangeBinding=Ändra bindningen Accounted=Redovisas i huvudbok -NotYetAccounted=Ännu inte redovisad i huvudbok +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Inte avstämd WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/sv_SE/admin.lang b/htdocs/langs/sv_SE/admin.lang index 75f460ddcd6..358b96c76ad 100644 --- a/htdocs/langs/sv_SE/admin.lang +++ b/htdocs/langs/sv_SE/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Ta bort / byt namn på filen %s om den existerar, för att t RestoreLock=Återställ fil %s , endast med läsbehörighet, för att inaktivera ytterligare användning av Update / Install-verktyget. SecuritySetup=Säkerhets inställning PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Definiera här alternativ relaterade till säkerhet om uppladdning av filer. ErrorModuleRequirePHPVersion=Fel, kräver denna modul PHP version %s eller högre ErrorModuleRequireDolibarrVersion=Fel, kräver denna modul Dolibarr version %s eller högre @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Pekar inte NoActiveBankAccountDefined=Inga aktiva bankkonto definierade OwnerOfBankAccount=Ägare till %s bankkonto BankModuleNotActive=Bankkonton modulen inte aktiverad -ShowBugTrackLink=Visa länken "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Varningar DelaysOfToleranceBeforeWarning=Fördröjning innan du visar en varningsvarsel för: DelaysOfToleranceDesc=Ställ in fördröjningen innan en varningsikon %s visas på skärmen för det sena elementet. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=Du måste köra det här komman YourPHPDoesNotHaveSSLSupport=SSL-funktioner inte är tillgängliga i din PHP DownloadMoreSkins=Mer skinn att ladda ner SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Visa professionellt id med adresser ShowVATIntaInAddress=Dölj momsnumret inom gemenskapen med adresser TranslationUncomplete=Partiell översättning @@ -2062,7 +2064,7 @@ UseDebugBar=Använd felsökningsfältet DEBUGBAR_LOGS_LINES_NUMBER=Antal sista logglinjer för att hålla i konsolen WarningValueHigherSlowsDramaticalyOutput=Varning, högre värden sänker dramaticaly-utgången ModuleActivated=Module %s is activated and slows the interface -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/sv_SE/banks.lang b/htdocs/langs/sv_SE/banks.lang index 3252d7fcc2e..d77b1f8f068 100644 --- a/htdocs/langs/sv_SE/banks.lang +++ b/htdocs/langs/sv_SE/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Sociala och skattemässiga betalningar BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Intern överföring -TransferDesc=Överföring från ett konto till ett annat, Dolibarr kommer att skriva två poster (en debit i källkonto och en kredit i målkontot). Samma mängd (förutom tecken), etikett och datum kommer att användas för denna transaktion) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Från TransferTo=För att TransferFromToDone=En överföring från %s till %s av %s %s har registrerats. -CheckTransmitter=Sändare +CheckTransmitter=Avsändare ValidateCheckReceipt=Bekräfta detta check-kvitto? -ConfirmValidateCheckReceipt=Är du säker på att du vill bekräfta detta kvitto, kommer ingen ändring att vara möjlig när det här är gjort? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Ta bort detta kvitto? ConfirmDeleteCheckReceipt=Är du säker på att du vill radera detta kvitto? BankChecks=Bankcheckar @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Är du säker på att du vill radera den här posten? ThisWillAlsoDeleteBankRecord=Detta kommer även att ta bort genererad bankpost BankMovements=Rörelser PlannedTransactions=Planerade poster -Graph=Grafiken +Graph=Graphs ExportDataset_banque_1=Bankposter och kontoutdrag ExportDataset_banque_2=Insättningsblankett TransactionOnTheOtherAccount=Transaktionen på det andra kontot @@ -142,7 +142,7 @@ AllAccounts=Alla bank- och kontonkonton BackToAccount=Tillbaka till konto ShowAllAccounts=Visa för alla konton FutureTransaction=Framtida transaktion. Det gick inte att förena. -SelectChequeTransactionAndGenerate=Välj / filtrera kontroller för att inkludera i kontokortet och klicka på "Skapa". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Välj kontoutdrag relaterat till förlikningen. Använd ett sorterbart numeriskt värde: YYYYMM or YYYYMMDD EventualyAddCategory=Så småningom, ange en kategori då för att märka posterna ToConciliate=Att avstämma? diff --git a/htdocs/langs/sv_SE/bills.lang b/htdocs/langs/sv_SE/bills.lang index 0059f11c2af..e6936e23379 100644 --- a/htdocs/langs/sv_SE/bills.lang +++ b/htdocs/langs/sv_SE/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Konvertera överskott betalt till ledig rabatt EnterPaymentReceivedFromCustomer=Skriv in avgifter från kunderna EnterPaymentDueToCustomer=Gör betalning till kunden DisabledBecauseRemainderToPayIsZero=Inaktiverad pga återstående obetalt är noll -PriceBase=Prisbasbelopp +PriceBase=Base price BillStatus=Faktura status StatusOfGeneratedInvoices=Status för genererade fakturor BillStatusDraft=Utkast (måste bekräftas) @@ -454,7 +454,7 @@ RegulatedOn=Regleras ChequeNumber=Kontrollera nr ChequeOrTransferNumber=Kontrollera / Transfer nr ChequeBordereau=Kontrollera schema -ChequeMaker=Kontrollera / överför sändare +ChequeMaker=Check/Transfer sender ChequeBank=Bank av Check CheckBank=Check NetToBePaid=Netto som skall betalas diff --git a/htdocs/langs/sv_SE/boxes.lang b/htdocs/langs/sv_SE/boxes.lang index db762d25692..69369c2cd7f 100644 --- a/htdocs/langs/sv_SE/boxes.lang +++ b/htdocs/langs/sv_SE/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bokmärken: senaste %s BoxOldestExpiredServices=Äldsta aktiva passerat tjänster BoxLastExpiredServices=Senaste %s äldsta kontakterna med aktiva utgåttjänster BoxTitleLastActionsToDo=Senaste %s åtgärderna att göra -BoxTitleLastContracts=Senaste %s modifierade kontrakten -BoxTitleLastModifiedDonations=Senast %s ändrade donationer -BoxTitleLastModifiedExpenses=Senaste %s modifierade kostnadsrapporterna -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global aktivitet (fakturor, förslag, order) BoxGoodCustomers=Bra kunder diff --git a/htdocs/langs/sv_SE/cashdesk.lang b/htdocs/langs/sv_SE/cashdesk.lang index 96ea227c941..30700e123e5 100644 --- a/htdocs/langs/sv_SE/cashdesk.lang +++ b/htdocs/langs/sv_SE/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Golv AddTable=Lägg till tabell Place=Plats TakeposConnectorNecesary='TakePOS Connector' krävs -OrderPrinters=Beställ skrivare +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Sök produkt Receipt=Kvitto Header=Rubrik @@ -56,8 +57,9 @@ Paymentnumpad=Typ av kudde för att komma in i betalningen Numberspad=Numbers Pad BillsCoinsPad=Mynt och sedlar Pad DolistorePosCategory=TakePOS-moduler och andra POS-lösningar för Dolibarr -TakeposNeedsCategories=TakePOS behöver produktkategorier för att fungera -OrderNotes=Beställ anteckningar +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Standardkonto som ska användas för betalningar i NoPaimementModesDefined=Inget paimentläge definierat i TakePOS-konfiguration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Webbläsare BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/sv_SE/categories.lang b/htdocs/langs/sv_SE/categories.lang index c890dddefa5..b4d7278f0e6 100644 --- a/htdocs/langs/sv_SE/categories.lang +++ b/htdocs/langs/sv_SE/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag / Kategori Rubriques=Taggar/Kategorier RubriquesTransactions=Taggar / Kategorier av transaktioner categories=taggar / kategorier -NoCategoryYet=Ingen tagg / kategori av denna typ skapad +NoCategoryYet=No tag/category of this type has been created In=I AddIn=Lägg till i modify=modifiera Classify=Märk CategoriesArea=Taggar / kategorier område -ProductsCategoriesArea=Produkter / Tjänster taggar / kategorier område -SuppliersCategoriesArea=Leverantörer tags / kategorier område -CustomersCategoriesArea=Kunder taggar / kategorier område -MembersCategoriesArea=Medlemmar taggar / kategorier område -ContactsCategoriesArea=Kontakter taggar / kategorier område -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projektets taggar / kategorier område -UsersCategoriesArea=Användare taggar / kategorier område +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Underkategorier CatList=Lista med taggar / kategorier CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Välj kategori StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/sv_SE/companies.lang b/htdocs/langs/sv_SE/companies.lang index 2dc085dac75..7e32ab3ac3c 100644 --- a/htdocs/langs/sv_SE/companies.lang +++ b/htdocs/langs/sv_SE/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Företagets namn %s finns redan. Välj en annan en. ErrorSetACountryFirst=Välj land först SelectThirdParty=Välj en tredje part -ConfirmDeleteCompany=Är du säker på att du vill radera detta företag och all ärftlig information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Radera en kontakt -ConfirmDeleteContact=Är du säker på att du vill radera den här kontakten och all ärftlig information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Ny tredjepart MenuNewCustomer=Ny kund MenuNewProspect=Nytt perspektiv @@ -69,7 +69,7 @@ PhoneShort=Telefonen Skype=Skype Call=Ring upp Chat=Chat -PhonePro=Prof. telefon +PhonePro=Bus. phone PhonePerso=Pers. telefon PhoneMobile=Mobil No_Email=Avvisa bulk emailings @@ -78,7 +78,7 @@ Zip=Postnummer Town=Stad Web=Webb Poste= Position -DefaultLang=Språk standard +DefaultLang=Default language VATIsUsed=Försäljningsskatt används VATIsUsedWhenSelling=Detta definierar om den här tredjeparten inkluderar en försäljningsskatt eller inte när den fakturerar sina egna kunder VATIsNotUsed=Försäljningsskatt används inte @@ -331,7 +331,7 @@ CustomerCodeDesc=Kundkod, unik för alla kunder SupplierCodeDesc=Leverantörskod, unik för alla leverantörer RequiredIfCustomer=Krävs om tredje part är en kund eller möjlig kund RequiredIfSupplier=Krävs om tredjepart är en leverantör -ValidityControledByModule=Giltighetskontrollerad av modulen +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Regler för denna modul ProspectToContact=Möjlig kund att kontakta CompanyDeleted=Företaget "%s" raderad från databasen. @@ -439,12 +439,12 @@ ListSuppliersShort=Förteckning över leverantörer ListProspectsShort=Förteckning över utsikter ListCustomersShort=Förteckning över kunder ThirdPartiesArea=Tredjeparter / Kontakter -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Summa tredjeparter +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Öppen ActivityCeased=Stängt ThirdPartyIsClosed=Tredjepart är stängd -ProductsIntoElements=Lista över produkter / tjänster i %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Obetalda fakturor OutstandingBill=Max för obetald faktura OutstandingBillReached=Max. för enastående räkning uppnådd @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Kund / leverantör-nummer är ledig. Denna kod kan ändra ManagingDirectors=Företagledares namn (vd, direktör, ordförande ...) MergeOriginThirdparty=Duplicera tredjepart (tredjepart du vill ta bort) MergeThirdparties=Sammanfoga tredjepart -ConfirmMergeThirdparties=Är du säker på att du vill slå samman den här tredjeparten till den nuvarande? Alla länkade objekt (fakturor, order, ...) kommer att flyttas till aktuell tredjepart, så kommer tredjeparten att raderas. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Tredjepart har blivit fusionerad SaleRepresentativeLogin=Inloggning av försäljare SaleRepresentativeFirstname=Förnamn på försäljningsrepresentant diff --git a/htdocs/langs/sv_SE/compta.lang b/htdocs/langs/sv_SE/compta.lang index 2b141e51eb7..b7fc9b2eb22 100644 --- a/htdocs/langs/sv_SE/compta.lang +++ b/htdocs/langs/sv_SE/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Ny rabatt NewCheckDeposit=Nya kontrollera insättning NewCheckDepositOn=Skapa kvitto för insättning på konto: %s NoWaitingChecks=Inga kontroller väntar på insättning. -DateChequeReceived=Kontrollera datum mottagning ingång +DateChequeReceived=Check receiving date NbOfCheques=Antal kontroller PaySocialContribution=Betala en social / skattemässig skatt PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/sv_SE/ecm.lang b/htdocs/langs/sv_SE/ecm.lang index 795137d4020..3882a163842 100644 --- a/htdocs/langs/sv_SE/ecm.lang +++ b/htdocs/langs/sv_SE/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/sv_SE/errors.lang b/htdocs/langs/sv_SE/errors.lang index 21a4bc7c8f0..15b18a8e5ba 100644 --- a/htdocs/langs/sv_SE/errors.lang +++ b/htdocs/langs/sv_SE/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Inget fel # Errors ErrorButCommitIsDone=Fel hittades men vi bekräfta trots detta -ErrorBadEMail=E-post %s är fel -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s är fel +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Dåligt värde för din parameter. Det lägger till i allmänhet när översättning saknas. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Logga %s finns redan. @@ -46,8 +46,8 @@ ErrorWrongDate=Datum är inte korrekt! ErrorFailedToWriteInDir=Misslyckades med att skriva i katalogen %s ErrorFoundBadEmailInFile=Hittade felaktig e-syntax för %s rader i filen (t.ex. linje %s med email = %s) ErrorUserCannotBeDelete=Användaren kan inte raderas. Kanske är det associerat med Dolibarr-enheter. -ErrorFieldsRequired=Vissa obligatoriska fält inte fylls. -ErrorSubjectIsRequired=E-postämnet krävs +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Misslyckades med att skapa en katalog. Kontrollera att webbservern användaren har rättigheter att skriva till Dolibarr dokument katalogen. Om parametern safe_mode är aktiv på PHP, kontrollera att Dolibarr php-filer äger till webbserver användare (eller grupp). ErrorNoMailDefinedForThisUser=Ingen post definierats för denna användare ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Sidan / behållaren %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = inställningar +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Utkast +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Klar +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/sv_SE/knowledgemanagement.lang b/htdocs/langs/sv_SE/knowledgemanagement.lang new file mode 100644 index 00000000000..89be844c39f --- /dev/null +++ b/htdocs/langs/sv_SE/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = inställningar +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Om +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Artikel +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/sv_SE/mails.lang b/htdocs/langs/sv_SE/mails.lang index d7d01c9a7eb..0dd05d68d23 100644 --- a/htdocs/langs/sv_SE/mails.lang +++ b/htdocs/langs/sv_SE/mails.lang @@ -15,7 +15,7 @@ MailToUsers=Till användare MailCC=Kopiera till MailToCCUsers=Kopiera till användare (er) MailCCC=Cachad kopia till -MailTopic=E-postämne +MailTopic=Email subject MailText=Meddelande MailFile=Bifogade filer MailMessage=E-organ @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Konfiguration av e-post att skicka har ställts in till "% s". Detta läge kan inte användas för att skicka massutskick. MailSendSetupIs2=Du måste först gå, med ett administratörskonto, i meny% Shome - Setup - e-post% s för att ändra parameter '% s' för att använda läget "% s". Med det här läget kan du ange inställningar för SMTP-servern från din internetleverantör och använda Mass mejla funktionen. MailSendSetupIs3=Om du har några frågor om hur man ställer in din SMTP-server, kan du be att% s. diff --git a/htdocs/langs/sv_SE/main.lang b/htdocs/langs/sv_SE/main.lang index 3753cd93d14..5f21b6ef52b 100644 --- a/htdocs/langs/sv_SE/main.lang +++ b/htdocs/langs/sv_SE/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Testa anslutning ToClone=Klon ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Välj data du vill klona: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Inga uppgifter att klona definierade. Of=av Go=Gå @@ -246,7 +246,7 @@ DefaultModel=Standard doksmall Action=Händelse About=Om Number=Antal -NumberByMonth=Antal per månad +NumberByMonth=Total reports by month AmountByMonth=Belopp per månad Numero=Antal Limit=Gräns @@ -341,8 +341,8 @@ KiloBytes=Kilobyte MegaBytes=Megabyte GigaBytes=Gigabyte TeraBytes=Terabyte -UserAuthor=Användare av skapandet -UserModif=Användare av senaste uppdateringen +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Genom att From=Från FromDate=Från FromLocation=Från -at=at to=till To=till +ToDate=till +ToLocation=till +at=at and=och or=eller Other=Andra @@ -843,7 +845,7 @@ XMoreLines=%s rader osynliga ShowMoreLines=Visa fler / mindre rader PublicUrl=Offentlig webbadress AddBox=Lägg till låda -SelectElementAndClick=Markera ett element och klicka %s +SelectElementAndClick=Select an element and click on %s PrintFile=Skriv ut fil %s ShowTransaction=Visa post på bankkonto ShowIntervention=Visar ingripande @@ -854,8 +856,8 @@ Denied=Nekad ListOf=Lista över %s ListOfTemplates=Lista över mallar Gender=Kön -Genderman=Man -Genderwoman=Kvinna +Genderman=Male +Genderwoman=Female Genderother=Andra ViewList=Visa lista ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/sv_SE/members.lang b/htdocs/langs/sv_SE/members.lang index 6e0adfe91f2..07cf2cf7249 100644 --- a/htdocs/langs/sv_SE/members.lang +++ b/htdocs/langs/sv_SE/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=En annan ledamot (namn: %s, lo ErrorUserPermissionAllowsToLinksToItselfOnly=Av säkerhetsskäl måste du beviljas behörighet att redigera alla användare att kunna koppla en medlem till en användare som inte är din. SetLinkToUser=Koppla till en Dolibarr användare SetLinkToThirdParty=Koppla till en Dolibarr tredje part -MembersCards=Medlemmars visitkort +MembersCards=Business cards for members MembersList=Förteckning över medlemmar MembersListToValid=Förteckning över förslag till medlemmar (att bekräftas) MembersListValid=Förteckning över giltiga medlemmar @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Medlemmar med abonnemang för att ta emot MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Teckningsdag DateEndSubscription=Prenumeration slutdatum -EndSubscription=Avsluta prenumeration +EndSubscription=Subscription Ends SubscriptionId=Prenumeration id WithoutSubscription=Utan prenumeration MemberId=Medlem id @@ -83,10 +83,10 @@ WelcomeEMail=Välkommen e-post SubscriptionRequired=Prenumeration krävs DeleteType=Ta bort VoteAllowed=Röstning tillåten -Physical=Fysisk -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Återaktivera +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Avsluta en medlem @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Medlemmar statistik per land MembersStatisticsByState=Medlemmar statistik från stat / provins MembersStatisticsByTown=Medlemmar statistik per kommun MembersStatisticsByRegion=Medlemsstatistik på region -NbOfMembers=Antal medlemmar -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Inga bekräftada medlemmar hittades -MembersByCountryDesc=Denna skärm visar statistik om medlemmar med länder. Grafisk beror dock på Google online grafen service och är tillgänglig endast om en Internet-anslutning fungerar. -MembersByStateDesc=Denna skärm visar dig statistik över ledamöter av stat / län / Canton. -MembersByTownDesc=Denna skärm visar statistik om medlemmar med stan. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Välj statistik du vill läsa ... MenuMembersStats=Statistik -LastMemberDate=Senaste medlemsdatum +LastMemberDate=Latest membership date LatestSubscriptionDate=Senaste prenumerationsdatum -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information är offentliga +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Ny ledamot till. Väntar på godkännande NewMemberForm=Ny medlem formen -SubscriptionsStatistics=Statistik om prenumerationer +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Antal prenumerationer -AmountOfSubscriptions=Mängd prenumeration +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Omsättning (för ett företag) eller Budget (för en stiftelse) DefaultAmount=Standard mängd av abonnemang CanEditAmount=Besökare kan välja / redigera del av sin teckning MEMBER_NEWFORM_PAYONLINE=Hoppa på integrerad online-betalning sidan ByProperties=Efter egenskaper MembersStatisticsByProperties=Medlemsstatistik efter egenskaper -MembersByNature=Denna skärm visar statistik om medlemmar av natur. -MembersByRegion=Denna skärm visar statistik om medlemmar efter region. VATToUseForSubscriptions=Moms-sats för prenumeration NoVatOnSubscription=Ingen moms för prenumerationer ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Produkt som används för abonnemangslinjen till faktura: %s diff --git a/htdocs/langs/sv_SE/modulebuilder.lang b/htdocs/langs/sv_SE/modulebuilder.lang index 5a6e5f84a0e..4c303356c41 100644 --- a/htdocs/langs/sv_SE/modulebuilder.lang +++ b/htdocs/langs/sv_SE/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/sv_SE/other.lang b/htdocs/langs/sv_SE/other.lang index b62c35eb549..0b01a9faaee 100644 --- a/htdocs/langs/sv_SE/other.lang +++ b/htdocs/langs/sv_SE/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Installera eller aktivera GD-biblioteket på din PHP-install ProfIdShortDesc=Prof Id %s är en information är beroende av tredje part land.
Till exempel för landets %s, det är kod %s. DolibarrDemo=Dolibarr ERP / CRM-demo StatsByNumberOfUnits=Statistik för summan av produkter / tjänster -StatsByNumberOfEntities=Statistik i antal hänvisande enheter (faktura nummer, eller order ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Antal förslag NumberOfCustomerOrders=Antal försäljningsorder NumberOfCustomerInvoices=Antal kundfakturor @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/sv_SE/partnership.lang b/htdocs/langs/sv_SE/partnership.lang new file mode 100644 index 00000000000..250df79034a --- /dev/null +++ b/htdocs/langs/sv_SE/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Startdatum +DatePartnershipEnd=Slutdatum + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Utkast +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Annullerad + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/sv_SE/productbatch.lang b/htdocs/langs/sv_SE/productbatch.lang index f0af71b91fd..926e1126664 100644 --- a/htdocs/langs/sv_SE/productbatch.lang +++ b/htdocs/langs/sv_SE/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/sv_SE/products.lang b/htdocs/langs/sv_SE/products.lang index 2d55fe3f896..c495fd0ed3f 100644 --- a/htdocs/langs/sv_SE/products.lang +++ b/htdocs/langs/sv_SE/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Endast tjänster till salu ServicesOnPurchaseOnly=Endast tjänster för inköp ServicesNotOnSell=Tjänster som inte är till salu och inte för köp ServicesOnSellAndOnBuy=Tjänster till försäljning och inköp -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Senaste %s inspelade produkterna LastRecordedServices=Senaste %s inspelade tjänsterna CardProduct0=Produkt @@ -73,12 +73,12 @@ SellingPrice=Försäljningspris SellingPriceHT=Försäljningspris (exkl. Moms) SellingPriceTTC=Försäljningspris (inkl. moms) SellingMinPriceTTC=Minsta försäljningspris (inkl. Skatt) -CostPriceDescription=Detta prisfält (exkl. Moms) kan användas för att lagra det genomsnittliga beloppet denna produkt kostar för ditt företag. Det kan vara vilket pris du beräknar dig, till exempel från det genomsnittliga köpeskillingen plus genomsnittlig produktion och distributionskostnad. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Detta värde kan användas för marginalberäkning. SoldAmount=Sålt belopp PurchasedAmount=Inköpt antal NewPrice=Nytt pris -MinPrice=Min. försäljningspris +MinPrice=Min. selling price EditSellingPriceLabel=Redigera försäljningsprisetikett CantBeLessThanMinPrice=Försäljningspriset kan inte vara lägre än lägsta tillåtna för denna bok (%s utan skatt) ContractStatusClosed=Stängt @@ -157,11 +157,11 @@ ListServiceByPopularity=Lista över tjänster efter popularitet Finished=Tillverkade produkten RowMaterial=Första material ConfirmCloneProduct=Är du säker på att du vill klona produkten eller tjänsten %s ? -CloneContentProduct=Klona all viktig information om produkt / tjänst +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Klonpriser -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtuell produkt / tjänst -CloneCombinationsProduct=Klonproduktvarianter +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Denna produkt används NewRefForClone=Ref. av ny produkt / tjänst SellingPrices=Försäljningspriser @@ -170,12 +170,12 @@ CustomerPrices=Kundpriser SuppliersPrices=Leverantörspriser SuppliersPricesOfProductsOrServices=Leverantörspriser (av produkter eller tjänster) CustomCode=Customs|Commodity|HS code -CountryOrigin=Ursprungsland -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Kort etikett Unit=Enhet p=u. diff --git a/htdocs/langs/sv_SE/projects.lang b/htdocs/langs/sv_SE/projects.lang index b7710e22be7..0ffdf7a0821 100644 --- a/htdocs/langs/sv_SE/projects.lang +++ b/htdocs/langs/sv_SE/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Projekt kontakter ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Allt projekt jag kan läsa (min + offentliga) AllProjects=Alla projekt -MyProjectsDesc=Denna vy är begränsad till projekt du är kontakt med +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Denna uppfattning presenterar alla projekt du har rätt att läsa. TasksOnProjectsPublicDesc=Denna vy presenterar alla uppgifter på projekt som du får läsa. ProjectsPublicTaskDesc=Denna uppfattning presenterar alla projekt och uppgifter som du får läsa. ProjectsDesc=Denna uppfattning presenterar alla projekt (din användarbehörighet tillåta dig att visa allt). TasksOnProjectsDesc=Denna vy presenterar alla uppgifter på alla projekt (dina användarbehörigheter ger dig tillstånd att se allt). -MyTasksDesc=Denna åsikt är begränsad till projekt eller uppgifter som du är kontakt med +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Endast öppna projekt är synliga (projekt i utkast eller stängt status är inte synliga). ClosedProjectsAreHidden=Avslutade projekt är inte synliga. TasksPublicDesc=Denna uppfattning presenterar alla projekt och uppgifter som du får läsa. TasksDesc=Denna uppfattning presenterar alla projekt och uppgifter (din användarbehörighet tillåta dig att visa allt). AllTaskVisibleButEditIfYouAreAssigned=Alla uppgifter för kvalificerade projekt är synliga, men du kan bara ange tid för uppgift som är tilldelad till vald användare. Tilldela uppgiften om du behöver ange tid på den. -OnlyYourTaskAreVisible=Endast uppgifter som tilldelats dig är synliga. Tilldela uppgiften själv om den inte är synlig och du måste ange tid på den. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Uppgifter av projekt ProjectCategories=Projektetiketter / kategorier NewProject=Nytt projekt @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Ej tilldelad uppgiften NoUserAssignedToTheProject=Inga användare tilldelade detta projekt TimeSpentBy=Tid spenderad av TasksAssignedTo=Uppgifter som är tilldelade till -AssignTaskToMe=Tilldela uppgift åt mig +AssignTaskToMe=Assign task to myself AssignTaskToUser=Tilldela uppgiften till %s SelectTaskToAssign=Välj uppgift att tilldela ... AssignTask=Tilldela diff --git a/htdocs/langs/sv_SE/recruitment.lang b/htdocs/langs/sv_SE/recruitment.lang index cc983d2e347..5e9b7a83e0e 100644 --- a/htdocs/langs/sv_SE/recruitment.lang +++ b/htdocs/langs/sv_SE/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/sv_SE/sendings.lang b/htdocs/langs/sv_SE/sendings.lang index c11320eba55..4f0b467d2ab 100644 --- a/htdocs/langs/sv_SE/sendings.lang +++ b/htdocs/langs/sv_SE/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Är du säker på att du vill validera denna försändels ConfirmCancelSending=Är du säker på att du vill avbryta denna leverans? DocumentModelMerou=Merou A5-modellen WarningNoQtyLeftToSend=Varning, att inga produkter väntar sändas. -StatsOnShipmentsOnlyValidated=Statistik utförda på försändelser endast bekräftas. Datum som används är datum för bekräftandet av leveransen (planerat leveransdatum är inte alltid känt). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planerat leveransdatum RefDeliveryReceipt=Ref leverans kvitto StatusReceipt=Status leverans kvitto diff --git a/htdocs/langs/sv_SE/stocks.lang b/htdocs/langs/sv_SE/stocks.lang index 6ecacfe6a99..f35ce300791 100644 --- a/htdocs/langs/sv_SE/stocks.lang +++ b/htdocs/langs/sv_SE/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Inga fördefinierade produkter för det här objek DispatchVerb=Sändning StockLimitShort=Gräns ​​för varning StockLimit=Stock gräns för larm -StockLimitDesc=(tom) betyder ingen varning.
0 kan användas för varning så fort lagret är tomt. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Fysikaliskt lager RealStock=Real Stock RealStockDesc=Fysisk / reell lager är beståndet för närvarande i lagerlokalerna. diff --git a/htdocs/langs/sv_SE/users.lang b/htdocs/langs/sv_SE/users.lang index 6b883607b99..f15100a9f65 100644 --- a/htdocs/langs/sv_SE/users.lang +++ b/htdocs/langs/sv_SE/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Lösenord ändras till: %s SubjectNewPassword=Ditt nya lösenord för %s GroupRights=Gruppbehörigheter UserRights=Användarbehörighet +Credentials=Credentials UserGUISetup=Användarskärmsinställning DisableUser=Inaktivera DisableAUser=Inaktivera en användare @@ -105,7 +106,7 @@ UseTypeFieldToChange=Använd fält Typ för att ändra OpenIDURL=OpenID URL LoginUsingOpenID=Logga in med OpenID WeeklyHours=Timmar arbetade (per vecka) -ExpectedWorkedHours=Förväntad arbetstid per vecka +ExpectedWorkedHours=Expected hours worked per week ColorUser=Färg på användaren DisabledInMonoUserMode=Inaktiverad i underhållsläge UserAccountancyCode=Användarkonto @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Anställningens slutdatum -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=Du kan inte inaktivera din egen användarrekord ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/sv_SE/website.lang b/htdocs/langs/sv_SE/website.lang index b3c08a3f786..713f5c37332 100644 --- a/htdocs/langs/sv_SE/website.lang +++ b/htdocs/langs/sv_SE/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/sw_SW/accountancy.lang b/htdocs/langs/sw_SW/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/sw_SW/accountancy.lang +++ b/htdocs/langs/sw_SW/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/sw_SW/admin.lang b/htdocs/langs/sw_SW/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/sw_SW/admin.lang +++ b/htdocs/langs/sw_SW/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/sw_SW/banks.lang b/htdocs/langs/sw_SW/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/sw_SW/banks.lang +++ b/htdocs/langs/sw_SW/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/sw_SW/bills.lang b/htdocs/langs/sw_SW/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/sw_SW/bills.lang +++ b/htdocs/langs/sw_SW/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/sw_SW/boxes.lang b/htdocs/langs/sw_SW/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/sw_SW/boxes.lang +++ b/htdocs/langs/sw_SW/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/sw_SW/cashdesk.lang b/htdocs/langs/sw_SW/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/sw_SW/cashdesk.lang +++ b/htdocs/langs/sw_SW/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/sw_SW/categories.lang b/htdocs/langs/sw_SW/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/sw_SW/categories.lang +++ b/htdocs/langs/sw_SW/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/sw_SW/companies.lang b/htdocs/langs/sw_SW/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/sw_SW/companies.lang +++ b/htdocs/langs/sw_SW/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/sw_SW/compta.lang b/htdocs/langs/sw_SW/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/sw_SW/compta.lang +++ b/htdocs/langs/sw_SW/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/sw_SW/ecm.lang b/htdocs/langs/sw_SW/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/sw_SW/ecm.lang +++ b/htdocs/langs/sw_SW/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/sw_SW/errors.lang b/htdocs/langs/sw_SW/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/sw_SW/errors.lang +++ b/htdocs/langs/sw_SW/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/sw_SW/knowledgemanagement.lang b/htdocs/langs/sw_SW/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/sw_SW/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/sw_SW/mails.lang b/htdocs/langs/sw_SW/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/sw_SW/mails.lang +++ b/htdocs/langs/sw_SW/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/sw_SW/main.lang b/htdocs/langs/sw_SW/main.lang index dc2a83f2015..13793aad13f 100644 --- a/htdocs/langs/sw_SW/main.lang +++ b/htdocs/langs/sw_SW/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/sw_SW/members.lang b/htdocs/langs/sw_SW/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/sw_SW/members.lang +++ b/htdocs/langs/sw_SW/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/sw_SW/modulebuilder.lang b/htdocs/langs/sw_SW/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/sw_SW/modulebuilder.lang +++ b/htdocs/langs/sw_SW/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/sw_SW/other.lang b/htdocs/langs/sw_SW/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/sw_SW/other.lang +++ b/htdocs/langs/sw_SW/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/sw_SW/partnership.lang b/htdocs/langs/sw_SW/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/sw_SW/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/sw_SW/productbatch.lang b/htdocs/langs/sw_SW/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/sw_SW/productbatch.lang +++ b/htdocs/langs/sw_SW/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/sw_SW/products.lang b/htdocs/langs/sw_SW/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/sw_SW/products.lang +++ b/htdocs/langs/sw_SW/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/sw_SW/projects.lang b/htdocs/langs/sw_SW/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/sw_SW/projects.lang +++ b/htdocs/langs/sw_SW/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/sw_SW/recruitment.lang b/htdocs/langs/sw_SW/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/sw_SW/recruitment.lang +++ b/htdocs/langs/sw_SW/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/sw_SW/sendings.lang b/htdocs/langs/sw_SW/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/sw_SW/sendings.lang +++ b/htdocs/langs/sw_SW/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/sw_SW/stocks.lang b/htdocs/langs/sw_SW/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/sw_SW/stocks.lang +++ b/htdocs/langs/sw_SW/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/sw_SW/users.lang b/htdocs/langs/sw_SW/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/sw_SW/users.lang +++ b/htdocs/langs/sw_SW/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/sw_SW/website.lang b/htdocs/langs/sw_SW/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/sw_SW/website.lang +++ b/htdocs/langs/sw_SW/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/th_TH/accountancy.lang b/htdocs/langs/th_TH/accountancy.lang index 19154161e69..b1831be4744 100644 --- a/htdocs/langs/th_TH/accountancy.lang +++ b/htdocs/langs/th_TH/accountancy.lang @@ -202,7 +202,7 @@ Docref=การอ้างอิง LabelAccount=บัญชีฉลาก LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=วารสาร @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/th_TH/admin.lang b/htdocs/langs/th_TH/admin.lang index 90629c0f393..7718a6b1db0 100644 --- a/htdocs/langs/th_TH/admin.lang +++ b/htdocs/langs/th_TH/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=การตั้งค่าการรักษาความปลอดภัย PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=ข้อผิดพลาดนี้ต้องใช้โมดูล PHP รุ่น% s หรือสูงกว่า ErrorModuleRequireDolibarrVersion=ข้อผิดพลาดในโมดูลนี้ต้อง s Dolibarr รุ่น% หรือสูงกว่า @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=ไม่แนะนำ NoActiveBankAccountDefined=ไม่มีบัญชีธนาคารที่ใช้งานที่กำหนดไว้ OwnerOfBankAccount=เจ้าของบัญชีธนาคารของ% s BankModuleNotActive=โมดูลบัญชีธนาคารไม่ได้เปิดใช้ -ShowBugTrackLink=แสดงการเชื่อมโยง "% s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=การแจ้งเตือน DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=คุณต้องเร YourPHPDoesNotHaveSSLSupport=ฟังก์ชั่น SSL ไม่สามารถใช้ได้ใน PHP ของคุณ DownloadMoreSkins=กินมากขึ้นในการดาวน์โหลด SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=แปลบางส่วน @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/th_TH/banks.lang b/htdocs/langs/th_TH/banks.lang index ec66bfbaf1b..9cc2fcbf33a 100644 --- a/htdocs/langs/th_TH/banks.lang +++ b/htdocs/langs/th_TH/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=สังคม / ชำระภาษีการค BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=จาก TransferTo=ไปยัง TransferFromToDone=การถ่ายโอนจาก% s% s% s% s ได้รับการบันทึก -CheckTransmitter=เครื่องส่ง +CheckTransmitter=ผู้ส่ง ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=เช็คธนาคาร @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=การเคลื่อนไหว PlannedTransactions=Planned entries -Graph=กราฟิก +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=ใบนำฝากเงิน TransactionOnTheOtherAccount=การทำธุรกรรมในบัญชีอื่น ๆ @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=กลับไปที่บัญชี ShowAllAccounts=แสดงสำหรับบัญชีทั้งหมด FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=เลือกบัญชีธนาคารที่เกี่ยวข้องกับการเจรจาต่อรอง ใช้ค่าตัวเลขจัดเรียง: YYYYMM หรือ YYYYMMDD EventualyAddCategory=ในที่สุดระบุหมวดหมู่ในการที่จะจำแนกบันทึก ToConciliate=To reconcile? diff --git a/htdocs/langs/th_TH/bills.lang b/htdocs/langs/th_TH/bills.lang index 5976d3100e4..583cd85d1ef 100644 --- a/htdocs/langs/th_TH/bills.lang +++ b/htdocs/langs/th_TH/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=ป้อนการชำระเงินที่ได้รับจากลูกค้า EnterPaymentDueToCustomer=ชำระเงินเนื่องจากลูกค้า DisabledBecauseRemainderToPayIsZero=ปิดใช้งานเนื่องจากค้างชำระที่เหลือเป็นศูนย์ -PriceBase=ฐานราคา +PriceBase=Base price BillStatus=สถานะใบแจ้งหนี้ StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=ร่าง (จะต้องมีการตรวจสอบ) @@ -454,7 +454,7 @@ RegulatedOn=ในการควบคุม ChequeNumber=ตรวจสอบไม่มี° ChequeOrTransferNumber=ตรวจสอบ / โอนไม่มี° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=ธนาคารแห่งตรวจสอบ CheckBank=ตรวจสอบ NetToBePaid=สุทธิที่จะต้องจ่าย diff --git a/htdocs/langs/th_TH/boxes.lang b/htdocs/langs/th_TH/boxes.lang index 304e06b4448..cb54d2fbf5d 100644 --- a/htdocs/langs/th_TH/boxes.lang +++ b/htdocs/langs/th_TH/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=ที่เก่าแก่ที่สุดที่หมดอายุการใช้งานบริการ BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=กิจกรรมทั่วโลก (ใบแจ้งหนี้, ข้อเสนอ, การสั่งซื้อ) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/th_TH/cashdesk.lang b/htdocs/langs/th_TH/cashdesk.lang index 7dee305ab80..6ec140d41ce 100644 --- a/htdocs/langs/th_TH/cashdesk.lang +++ b/htdocs/langs/th_TH/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=ใบเสร็จรับเงิน Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=เบราว์เซอร์ BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/th_TH/categories.lang b/htdocs/langs/th_TH/categories.lang index d03372dacbc..d945058995d 100644 --- a/htdocs/langs/th_TH/categories.lang +++ b/htdocs/langs/th_TH/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag / หมวดหมู่ Rubriques=แท็ก / หมวดหมู่ RubriquesTransactions=Tags/Categories of transactions categories=แท็ก / ประเภท -NoCategoryYet=ไม่มีแท็ก / หมวดหมู่ของประเภทนี้สร้างขึ้น +NoCategoryYet=No tag/category of this type has been created In=ใน AddIn=เพิ่มใน modify=แก้ไข Classify=แยกประเภท CategoriesArea=แท็ก / พื้นที่หมวดหมู่ -ProductsCategoriesArea=สินค้า / บริการแท็ก / พื้นที่ประเภท -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=ลูกค้าแท็ก / พื้นที่ประเภท -MembersCategoriesArea=แท็กสมาชิก / พื้นที่ประเภท -ContactsCategoriesArea=แท็กติดต่อ / พื้นที่ประเภท -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=รายการของแท็ก / ประเภท CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/th_TH/companies.lang b/htdocs/langs/th_TH/companies.lang index 27b693be2e4..e263ca788ec 100644 --- a/htdocs/langs/th_TH/companies.lang +++ b/htdocs/langs/th_TH/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=ชื่อ% s บริษัท มีอยู่แล้ว ให้เลือกอีกหนึ่ง ErrorSetACountryFirst=ตั้งประเทศเป็นครั้งแรก SelectThirdParty=เลือกบุคคลที่สาม -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=ลบรายชื่อ / ที่อยู่ -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=โทรศัพท์ Skype=Skype Call=โทรศัพท์ Chat=พูดคุย -PhonePro=โทรศัพท์ศ. +PhonePro=Bus. phone PhonePerso=Pers โทรศัพท์ PhoneMobile=มือถือ No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=รหัสไปรษณีย์ Town=เมือง Web=เว็บ Poste= ตำแหน่ง -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=จำเป็นต้องใช้ถ้าบุคคลที่สามเป็นลูกค้าหรือโอกาส RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect ที่จะติดต่อ CompanyDeleted=บริษัท "% s" ลบออกจากฐานข้อมูล @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=เปิด ActivityCeased=ปิด ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=การเรียกเก็บเงินในปัจจุบันที่โดดเด่น OutstandingBill=แม็กซ์ สำหรับการเรียกเก็บเงินที่โดดเด่น OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=รหัสที่เป็นอิสระ รห ManagingDirectors=ผู้จัดการ (s) ชื่อ (ซีอีโอผู้อำนวยการประธาน ... ) MergeOriginThirdparty=ซ้ำของบุคคลที่สาม (บุคคลที่สามต้องการลบ) MergeThirdparties=ผสานบุคคลที่สาม -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/th_TH/compta.lang b/htdocs/langs/th_TH/compta.lang index e6f46facdf1..80f555eef67 100644 --- a/htdocs/langs/th_TH/compta.lang +++ b/htdocs/langs/th_TH/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=ใหม่ส่วนลด NewCheckDeposit=ฝากเช็คใหม่ NewCheckDepositOn=สร้างใบเสร็จรับเงินสำหรับการฝากเงินในบัญชี:% s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=ตรวจสอบวันที่แผนกต้อนรับส่วนหน้า +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=จ่ายทางสังคม / ภาษีการคลัง PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/th_TH/ecm.lang b/htdocs/langs/th_TH/ecm.lang index 9e0495720b4..08855af3eec 100644 --- a/htdocs/langs/th_TH/ecm.lang +++ b/htdocs/langs/th_TH/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/th_TH/errors.lang b/htdocs/langs/th_TH/errors.lang index 7803f91686e..a6a8cadcfef 100644 --- a/htdocs/langs/th_TH/errors.lang +++ b/htdocs/langs/th_TH/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=ไม่มีข้อผิดพลาดที่เรากระทำ # Errors ErrorButCommitIsDone=พบข้อผิดพลาด แต่เราตรวจสอบอย่างไรก็ตามเรื่องนี้ -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=% s url ที่ไม่ถูกต้อง +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=เข้าสู่ระบบ% s อยู่แล้ว @@ -46,8 +46,8 @@ ErrorWrongDate=วันที่ไม่ถูกต้อง! ErrorFailedToWriteInDir=ไม่สามารถเขียนในไดเรกทอรี% s ErrorFoundBadEmailInFile=พบไวยากรณ์อีเมลไม่ถูกต้องสำหรับ% s บรรทัดในไฟล์ (เช่นสาย% s ด้วยอีเมล =% s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=ฟิลด์ที่จำเป็นบางคนไม่เต็ม -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=ล้มเหลวในการสร้างไดเรกทอรี ตรวจสอบการใช้เว็บเซิร์ฟเวอร์ที่มีสิทธิ์ในการเขียนลงในไดเรกทอรีเอกสาร Dolibarr หาก safe_mode พารามิเตอร์เปิดใช้งานบน PHP นี้ตรวจสอบว่า php ไฟล์ Dolibarr เป็นเจ้าของให้กับผู้ใช้เว็บเซิร์ฟเวอร์ (หรือกลุ่ม) ErrorNoMailDefinedForThisUser=จดหมายไม่มีกำหนดไว้สำหรับผู้ใช้นี้ ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = ร่าง +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = เสร็จสิ้น +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/th_TH/knowledgemanagement.lang b/htdocs/langs/th_TH/knowledgemanagement.lang new file mode 100644 index 00000000000..7a13161b2b9 --- /dev/null +++ b/htdocs/langs/th_TH/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = เกี่ยวกับ +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = บทความ +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/th_TH/mails.lang b/htdocs/langs/th_TH/mails.lang index ae8e8b52f85..16ab255fce2 100644 --- a/htdocs/langs/th_TH/mails.lang +++ b/htdocs/langs/th_TH/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=คัดลอกไป MailToCCUsers=Copy to users(s) MailCCC=คัดลอกเก็บไว้เพื่อ -MailTopic=Email topic +MailTopic=Email subject MailText=ข่าวสาร MailFile=ไฟล์ที่แนบมา MailMessage=ร่างกายอีเมล์ @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=การกำหนดค่าของการส่งอีเมล์ที่ได้รับการติดตั้งเพื่อ '% s' โหมดนี้ไม่สามารถใช้ในการส่งการส่งอีเมลมวล MailSendSetupIs2=ก่อนอื่นคุณต้องไปกับบัญชีผู้ดูแลระบบลงไปในเมนู% sHome - การติดตั้ง - อีเมล์% s จะเปลี่ยนพารามิเตอร์ '% s' เพื่อใช้โหมด '% s' ด้วยโหมดนี้คุณสามารถเข้าสู่การตั้งค่าของเซิร์ฟเวอร์ที่ให้บริการโดยผู้ให้บริการอินเทอร์เน็ตของคุณและใช้คุณลักษณะการส่งอีเมลมวล MailSendSetupIs3=หากคุณมีคำถามใด ๆ เกี่ยวกับวิธีการติดตั้งเซิร์ฟเวอร์ของคุณคุณสามารถขอให้% s diff --git a/htdocs/langs/th_TH/main.lang b/htdocs/langs/th_TH/main.lang index 6934a6e98eb..0da49f6d444 100644 --- a/htdocs/langs/th_TH/main.lang +++ b/htdocs/langs/th_TH/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=ทดสอบการเชื่อมต่อ ToClone=โคลน ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=ไม่มีข้อมูลที่จะโคลนที่กำหนดไว้ Of=ของ Go=ไป @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=เหตุการณ์ About=เกี่ยวกับ Number=จำนวน -NumberByMonth=จำนวนเดือน +NumberByMonth=Total reports by month AmountByMonth=จํานวนเงินตามเดือน Numero=จำนวน Limit=จำกัด @@ -341,8 +341,8 @@ KiloBytes=กิโลไบต์ MegaBytes=เมกะไบต์ GigaBytes=กิกะไบต์ TeraBytes=เทราไบต์ -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=ข Kb=กิโลไบต์ Mb=Mb @@ -503,9 +503,11 @@ By=โดย From=จาก FromDate=จาก FromLocation=จาก -at=at to=ไปยัง To=ไปยัง +ToDate=ไปยัง +ToLocation=ไปยัง +at=at and=และ or=หรือ Other=อื่น ๆ @@ -843,7 +845,7 @@ XMoreLines=% s สาย (s) ซ่อน ShowMoreLines=Show more/less lines PublicUrl=URL ที่สาธารณะ AddBox=เพิ่มกล่อง -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=พิมพ์ไฟล์% s ShowTransaction=Show entry on bank account ShowIntervention=การแทรกแซงการแสดง @@ -854,8 +856,8 @@ Denied=ปฏิเสธ ListOf=List of %s ListOfTemplates=รายชื่อของแม่แบบ Gender=Gender -Genderman=คน -Genderwoman=หญิง +Genderman=Male +Genderwoman=Female Genderother=อื่น ๆ ViewList=มุมมองรายการ ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/th_TH/members.lang b/htdocs/langs/th_TH/members.lang index cb702593656..6615ab0d20c 100644 --- a/htdocs/langs/th_TH/members.lang +++ b/htdocs/langs/th_TH/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=สมาชิกอีกคนห ErrorUserPermissionAllowsToLinksToItselfOnly=ด้วยเหตุผลด้านความปลอดภัยคุณต้องได้รับสิทธิ์ในการแก้ไขผู้ใช้ทุกคนที่จะสามารถที่จะเชื่อมโยงสมาชิกให้กับผู้ใช้ที่ไม่ได้เป็นของคุณ SetLinkToUser=เชื่อมโยงไปยังผู้ใช้ Dolibarr SetLinkToThirdParty=เชื่อมโยงไปยัง Dolibarr ของบุคคลที่สาม -MembersCards=สมาชิกบัตรธุรกิจ +MembersCards=Business cards for members MembersList=รายชื่อสมาชิก MembersListToValid=รายชื่อสมาชิกร่าง (ที่จะถูกตรวจสอบ) MembersListValid=รายชื่อสมาชิกที่ถูกต้อง @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=สมาชิกที่มีการส MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=วันที่สมัครสมาชิก DateEndSubscription=วันที่สิ้นสุดการสมัครสมาชิก -EndSubscription=สมัครสมาชิก End +EndSubscription=Subscription Ends SubscriptionId=รหัสการจองซื้อ WithoutSubscription=Without subscription MemberId=รหัสสมาชิก @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=ต้องสมัครสมาชิก DeleteType=ลบ VoteAllowed=โหวตที่ได้รับอนุญาต -Physical=กายภาพ -Moral=ศีลธรรม -MorAndPhy=Moral and Physical -Reenable=reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=สถิติสมาชิกตามประ MembersStatisticsByState=สถิติสมาชิกโดยรัฐ / จังหวัด MembersStatisticsByTown=สถิติสมาชิกโดยเมือง MembersStatisticsByRegion=สถิติสมาชิกตามภูมิภาค -NbOfMembers=จำนวนสมาชิก -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=ไม่มีสมาชิกตรวจสอบพบว่า -MembersByCountryDesc=แสดงหน้าจอนี้คุณสถิติเกี่ยวกับประเทศสมาชิก กราฟฟิค แต่ขึ้นอยู่กับบริการของ Google กราฟออนไลน์และสามารถใช้ได้เฉพาะในกรณีที่การเชื่อมต่ออินเทอร์เน็ตจะเป็นคนที่ทำงาน -MembersByStateDesc=แสดงหน้าจอนี้คุณสถิติเกี่ยวกับสมาชิกโดยรัฐ / จังหวัด / ตำบล -MembersByTownDesc=แสดงหน้าจอนี้คุณสถิติเกี่ยวกับสมาชิกเมือง +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=เลือกสถิติที่คุณต้องการอ่าน ... MenuMembersStats=สถิติ -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=ข้อมูลเป็นสาธารณะ +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=สมาชิกใหม่ที่เพิ่ม รอการอนุมัติ NewMemberForm=แบบฟอร์มการสมัครสมาชิกใหม่ -SubscriptionsStatistics=สถิติเกี่ยวกับการสมัครสมาชิก +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=จำนวนการสมัครสมาชิก -AmountOfSubscriptions=จำนวนเงินของการสมัคร +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=มูลค่าการซื้อขาย (สำหรับ บริษัท ) หรืองบประมาณ (มูลนิธิ) DefaultAmount=จำนวนเงินที่เริ่มต้นของการสมัครสมาชิก CanEditAmount=ผู้เข้าชมสามารถเลือก / แก้ไขจำนวนเงินของการสมัครสมาชิก MEMBER_NEWFORM_PAYONLINE=กระโดดขึ้นไปบนหน้าการชำระเงินออนไลน์แบบบูรณาการ ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=แสดงหน้าจอนี้คุณสถิติเกี่ยวกับสมาชิกโดยธรรมชาติ -MembersByRegion=แสดงหน้าจอนี้คุณสถิติเกี่ยวกับสมาชิกตามภูมิภาค VATToUseForSubscriptions=อัตราภาษีมูลค่าเพิ่มที่จะใช้สำหรับการสมัครสมาชิก NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=ผลิตภัณฑ์ที่ใช้สำหรับสายการสมัครสมาชิกเข้าไปในใบแจ้งหนี้:% s diff --git a/htdocs/langs/th_TH/modulebuilder.lang b/htdocs/langs/th_TH/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/th_TH/modulebuilder.lang +++ b/htdocs/langs/th_TH/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/th_TH/other.lang b/htdocs/langs/th_TH/other.lang index aa3544a88b1..b4170631c63 100644 --- a/htdocs/langs/th_TH/other.lang +++ b/htdocs/langs/th_TH/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=ศ 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...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/th_TH/partnership.lang b/htdocs/langs/th_TH/partnership.lang new file mode 100644 index 00000000000..35ad7a84d83 --- /dev/null +++ b/htdocs/langs/th_TH/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=วันที่เริ่มต้น +DatePartnershipEnd=วันที่สิ้นสุด + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = ร่าง +PartnershipAccepted = Accepted +PartnershipRefused = ปฏิเสธ +PartnershipCanceled = ยกเลิก + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/th_TH/productbatch.lang b/htdocs/langs/th_TH/productbatch.lang index 72ff7f7a24f..cf0ca364246 100644 --- a/htdocs/langs/th_TH/productbatch.lang +++ b/htdocs/langs/th_TH/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/th_TH/products.lang b/htdocs/langs/th_TH/products.lang index 0884e8e05aa..cb46ebae258 100644 --- a/htdocs/langs/th_TH/products.lang +++ b/htdocs/langs/th_TH/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=บริการสำหรับการขายและการซื้อ -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=สินค้า @@ -73,12 +73,12 @@ SellingPrice=ราคาขาย SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=ราคาขาย (รวมภาษี). 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=ราคาใหม่ -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=ราคาขายไม่สามารถจะต่ำกว่าขั้นต่ำที่ได้รับอนุญาตสำหรับสินค้านี้ (% s โดยไม่มีภาษี) ข้อความนี้ยังสามารถปรากฏขึ้นถ้าคุณพิมพ์ส่วนลดสำคัญมากเกินไป ContractStatusClosed=ปิด @@ -157,11 +157,11 @@ ListServiceByPopularity=รายการของการบริการ Finished=ผลิตภัณฑ์ที่ผลิต RowMaterial=วัตถุดิบ ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=ผลิตภัณฑ์นี้ถูกนำมาใช้ NewRefForClone=อ้าง ของผลิตภัณฑ์ / บริการใหม่ SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=ราคาของลูกค้า SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=ประเทศแหล่งกำเนิดสินค้า -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=ป้ายสั้น Unit=หน่วย p=ยู diff --git a/htdocs/langs/th_TH/projects.lang b/htdocs/langs/th_TH/projects.lang index 80f1d602be7..3b133a68f69 100644 --- a/htdocs/langs/th_TH/projects.lang +++ b/htdocs/langs/th_TH/projects.lang @@ -10,19 +10,19 @@ PrivateProject=รายชื่อโครงการ ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=ทุกโครงการ -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=มุมมองนี้จะนำเสนอโครงการทั้งหมดที่คุณได้รับอนุญาตให้อ่าน TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=มุมมองนี้นำเสนอทุกโครงการและงานที่คุณได้รับอนุญาตในการอ่าน ProjectsDesc=มุมมองนี้นำเสนอทุกโครงการ (สิทธิ์ผู้ใช้ของคุณอนุญาตให้คุณสามารถดูทุกอย่าง) TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=เฉพาะโครงการที่เปิดจะมองเห็นได้ (โครงการในร่างหรือสถานะปิดจะมองไม่เห็น) ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=มุมมองนี้นำเสนอทุกโครงการและงานที่คุณได้รับอนุญาตในการอ่าน TasksDesc=มุมมองนี้นำเสนอทุกโครงการและงาน (สิทธิ์ผู้ใช้ของคุณอนุญาตให้คุณสามารถดูทุกอย่าง) AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=โครงการใหม่ @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Not assigned to the task NoUserAssignedToTheProject=No users assigned to this project TimeSpentBy=Time spent by TasksAssignedTo=Tasks assigned to -AssignTaskToMe=มอบหมายงานให้ฉัน +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=กำหนด diff --git a/htdocs/langs/th_TH/recruitment.lang b/htdocs/langs/th_TH/recruitment.lang index fafd8a9a580..844a3bd49c3 100644 --- a/htdocs/langs/th_TH/recruitment.lang +++ b/htdocs/langs/th_TH/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/th_TH/sendings.lang b/htdocs/langs/th_TH/sendings.lang index f5e201c2f33..c7a2b68bdec 100644 --- a/htdocs/langs/th_TH/sendings.lang +++ b/htdocs/langs/th_TH/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 รูปแบบ WarningNoQtyLeftToSend=คำเตือนผลิตภัณฑ์ไม่มีการรอคอยที่จะส่ง -StatsOnShipmentsOnlyValidated=สถิติดำเนินการในการตรวจสอบการจัดส่งเท่านั้น วันที่นำมาใช้คือวันของการตรวจสอบการจัดส่งของ (วันที่ส่งมอบวางแผนไม่เป็นที่รู้จักเสมอ) +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=วันที่มีการวางแผนในการส่งสินค้า RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/th_TH/stocks.lang b/htdocs/langs/th_TH/stocks.lang index 15a6bdae356..c2d4b2e180a 100644 --- a/htdocs/langs/th_TH/stocks.lang +++ b/htdocs/langs/th_TH/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=ไม่มีสินค้าที่กำ DispatchVerb=ฆ่า StockLimitShort=จำกัด สำหรับการแจ้งเตือน StockLimit=ขีด จำกัด ของสต็อกสำหรับการแจ้งเตือน -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=หุ้นจริง RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/th_TH/users.lang b/htdocs/langs/th_TH/users.lang index 68e1691f8bf..d67563b1b1c 100644 --- a/htdocs/langs/th_TH/users.lang +++ b/htdocs/langs/th_TH/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=เปลี่ยนรหัสผ่านในการ:% SubjectNewPassword=รหัสผ่านใหม่ของคุณ %s GroupRights=สิทธิ์ของกลุ่ม UserRights=สิทธิ์ของผู้ใช้ +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=ปิดการใช้งาน DisableAUser=ปิดการใช้งานของผู้ใช้ @@ -105,7 +106,7 @@ UseTypeFieldToChange=ใช้ประเภทเพื่อเปลี่ OpenIDURL=URL OpenID LoginUsingOpenID=ใช้ OpenID เข้าสู่ระบบ WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=สีของผู้ใช้ DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/th_TH/website.lang b/htdocs/langs/th_TH/website.lang index 0110af84a4b..a33a6c95dca 100644 --- a/htdocs/langs/th_TH/website.lang +++ b/htdocs/langs/th_TH/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/tr_TR/accountancy.lang b/htdocs/langs/tr_TR/accountancy.lang index 5568b64c0fa..b04d8c3dd4c 100644 --- a/htdocs/langs/tr_TR/accountancy.lang +++ b/htdocs/langs/tr_TR/accountancy.lang @@ -202,7 +202,7 @@ Docref=Referans LabelAccount=Hesap etiketi LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Günlük @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Bağlamayı değiştir Accounted=Accounted in ledger -NotYetAccounted=Büyük defterde henüz muhasebeleştirilmemiş +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Uzlaştırılmadı WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/tr_TR/admin.lang b/htdocs/langs/tr_TR/admin.lang index 0486dee99fc..1ae5be5bfa3 100644 --- a/htdocs/langs/tr_TR/admin.lang +++ b/htdocs/langs/tr_TR/admin.lang @@ -37,9 +37,9 @@ UnlockNewSessions=Bağlantı kilidini kaldır YourSession=Oturumunuz Sessions=Kullanıcı Oturumları WebUserGroup=Web sunucusu kullanıcısı/grubu -PermissionsOnFiles=Permissions on files -PermissionsOnFilesInWebRoot=Permissions on files in web root directory -PermissionsOnFile=Permissions on file %s +PermissionsOnFiles=Dosyalarla ilgili izinler +PermissionsOnFilesInWebRoot=Web kök dizinindeki dosyalar üzerindeki izinler +PermissionsOnFile=%s dosyasındaki izinler NoSessionFound=PHP yapılandırmanız aktif oturumların listelenmesine izin vermiyor gibi görünüyor. Oturumları kaydetmek için kullanılan dizin (%s) korunuyor olabilir (örneğin, İşletim Sistemi izinleri veya open_basedir PHP direkti tarafından). DBStoringCharset=Veri depolamak için veri tabanı karakter seti DBSortingCharset=Veri sıralamak için veri tabanı karakter seti @@ -57,13 +57,14 @@ GUISetup=Ekran SetupArea=Ayarlar UploadNewTemplate=Yeni şablon(lar) yükleyin FormToTestFileUploadForm=Dosya yükleme deneme formu (ayarlara göre) -ModuleMustBeEnabled=The module/application %s must be enabled -ModuleIsEnabled=The module/application %s has been enabled +ModuleMustBeEnabled=%s uygulaması/modülü etkinleştirilmelidir +ModuleIsEnabled=b>%s
uygulaması/modülü etkinleştirildi IfModuleEnabled=Not: yalnızca %s modülü etkinleştirildiğinde evet etkilidir. RemoveLock=%s dosyası mevcutsa, Güncelleme/Yükleme aracının kullanımına izin vermek için kaldırın veya yeniden adlandırın. RestoreLock=Güncelleme/Yükleme aracının daha sonraki kullanımlarına engel olmak için %s dosyasını, sadece okuma iznine sahip olacak şekilde geri yükleyin. SecuritySetup=Güvenlik ayarları -PHPSetup=PHP setup +PHPSetup=PHP kurulumu +OSSetup=OS setup SecurityFilesDesc=Burada dosya yükleme konusunda güvenlikle ilgili seçenekleri tanımlayın. ErrorModuleRequirePHPVersion=Hata, bu modül %s veya daha yüksek PHP sürümü gerektirir ErrorModuleRequireDolibarrVersion=Hata, bu modül %s veya daha yüksek Dolibarr sürümü gerektirir @@ -77,7 +78,7 @@ DisableJavascriptNote=Not: Test veya hata ayıklama amaçlıdır. Görme engelli UseSearchToSelectCompanyTooltip=Ayrıca çok fazla sayıda üçüncü partiye sahipseniz (>100.000), Ayarlar->Diğer Ayarlar menüsünden COMPANY_DONOTSEARCH_ANYWHERE sabitini 1 olarak ayarlayarak hızı arttırabilirsiniz. Bu durumda, arama dizenin başlangıcıyla sınırlı olacaktır. UseSearchToSelectContactTooltip=Ayrıca çok fazla sayıda üçüncü partiye sahipseniz (>100.000), Ayarlar->Diğer Ayarlar menüsünden CONTACT_DONOTSEARCH_ANYWHERE sabitini 1 olarak ayarlayarak hızı arttırabilirsiniz. Bu durumda, arama dizenin başlangıcıyla sınırlı olacaktır. DelaiedFullListToSelectCompany=Aşağı açılır listeden Üçüncü Parti içeriği listelemeden önce bir tuşa basarak arama yapmanızı bekler.
Çok sayıda üçüncü parti mevcutsa bu performansı artırabilir, fakat daha az kullanışlıdır -DelaiedFullListToSelectContact=Wait until a key is pressed before loading content of Contact combo list.
This may increase performance if you have a large number of contacts, but it is less convenient. +DelaiedFullListToSelectContact=Kişi listesi içeriğini yüklemeden önce bir tuşa basılıncaya kadar bekleyin.
Bu, çok sayıda kişiniz varsa performansı artırabilir, ancak daha az kullanışlıdır. NumberOfKeyToSearch=Aramayı tetikleyecek karakter sayısı: %s NumberOfBytes=Bayt Sayısı SearchString=Arama dizisi @@ -86,7 +87,7 @@ AllowToSelectProjectFromOtherCompany=Bir üçüncü parti belgesinde, başka bir JavascriptDisabled=JavaScript devre dışı UsePreviewTabs=Önizleme sekmelerini kullan ShowPreview=Önizleme göster -ShowHideDetails=Show-Hide details +ShowHideDetails=Ayrıntıları Göster-Gizle PreviewNotAvailable=Önizleme yok ThemeCurrentlyActive=Geçerli etkin tema MySQLTimeZone=MySql Saat Dilimi (veritabanı) @@ -106,9 +107,9 @@ NoMaxSizeByPHPLimit=Not: PHP yapılandırmanızda hiç sınır ayarlanmamış MaxSizeForUploadedFiles=Yüklenen dosyalar için maksimum boyut (herhangi bir yüklemeye izin vermemek için 0 olarak ayarlayın) UseCaptchaCode=Oturum açma sayfasında grafiksel kod (CAPTCHA) kullan AntiVirusCommand=Antivirüs komutu tam yolu -AntiVirusCommandExample=ClamAv Daemon örneği (clamav-daemon gerektirir): / usr / bin / clamdscan
ClamWin örneği (çok çok yavaş): c: \\ Progra ~ 1 \\ ClamWin \\ bin \\ clamscan.exe +AntiVirusCommandExample=ClamAv Daemon örneği (clamav-daemon gerektirir):/usr/bin/clamdscan
ClamWin örneği (çok çok yavaş): c:\\Progra ~ 1\\ClamWin\\bin\\clamscan.exe AntiVirusParam= Komut satırında daha çok parametre -AntiVirusParamExample=ClamAv Daemon örneği: --fdpass
ClamWin örneği: --database = "C: \\ Program Files (x86) \\ ClamWin \\ lib" +AntiVirusParamExample=ClamAv Daemon örneği: --fdpass
ClamWin örneği: --database = "C:\\Program Files (x86)\\ClamWin\\lib" ComptaSetup=Muhasebe modülü ayarları UserSetup=Kullanıcı yönetimi ayarları MultiCurrencySetup=Çoklu para birimi ayarları @@ -156,8 +157,8 @@ SystemToolsAreaDesc=Bu alan yönetim işlevlerini sunar. İstenilen özelliği s Purge=Temizleme PurgeAreaDesc=Bu sayfa Dolibarr tarafından oluşturulan veya depolanan tüm dosyaları silmenizi sağlar (%s dizinindeki geçici veya tüm dosyalar). Bu özelliğin kullanılması normalde gerekli değildir. Bu araç, Dolibarr yazılımı web sunucusu tarafından oluşturulan dosyaların silinmesine izin vermeyen bir sağlayıcı tarafından barındırılan kullanıcılar için geçici bir çözüm olarak sunulur. PurgeDeleteLogFile=Syslog modülü için tanımlı %s dosyası da dahil olmak üzere günlük dosyalarını sil (veri kaybetme riskiniz yoktur) -PurgeDeleteTemporaryFiles=Delete all log and temporary files (no risk of losing data). Parameter can be 'tempfilesold', 'logfiles' or both 'tempfilesold+logfiles'. Note: Deletion of temporary files is done only if the temp directory was created more than 24 hours ago. -PurgeDeleteTemporaryFilesShort=Delete log and temporary files +PurgeDeleteTemporaryFiles=Tüm günlük ve geçici dosyaları silin (veri kaybı riski yoktur). Parametre 'tempfilesold', 'logfiles' veya her ikisi 'tempfilesold + logfiles' olabilir. Not: Geçici dosyaların silinmesi yalnızca temp dizini 24 saatten daha uzun süre önce oluşturulmuşsa yapılır. +PurgeDeleteTemporaryFilesShort=Günlüğü(log) ve geçici dosyaları silin PurgeDeleteAllFilesInDocumentsDir=%s dizinindeki bütün dosyaları sil.
Bu işlem, öğelerle (üçüncü partiler, faturalar, v.s.) ilgili oluşturulan tüm dosyaları, ECM modülüne yüklenen dosyaları, veritabanı yedekleme dökümlerini ve geçici dosyaları silecektir. PurgeRunNow=Şimdi temizle PurgeNothingToDelete=Silinecek dizin ya da dosya yok. @@ -215,14 +216,14 @@ ModulesDevelopDesc=Ayrıca kendi modülünüzü geliştirebilir veya sizin için DOLISTOREdescriptionLong=Harici bir modül bulmak için www.dolistore.com web sitesini açmak yerine, dış pazarda sizin için arama yapacak bu gömülü aracı kullanabilirsiniz (yavaş olabilir, internet erişimine ihtiyacınız olabilir) ... NewModule=Yeni modül FreeModule=Serbest -CompatibleUpTo=%ssürümü ile uyumlu +CompatibleUpTo=%ssürümü ile uyumlu NotCompatible=Bu modül Dolibarr'ınızla uyumlu görünmüyor %s (Min %s - Maks %s). CompatibleAfterUpdate=Bu modül, Dolibarr %s (Min %s - Maks %s) için bir güncelleme gerektirir. SeeInMarkerPlace=Market place alanına bakın SeeSetupOfModule=%s modülü kurulumuna bak Updated=Güncellendi Nouveauté=Yenilik -AchatTelechargement=Satın Al / Yükle +AchatTelechargement=Satın Al/Yükle GoModuleSetupArea=Yeni bir modül almak/yüklemek için, %s Modül ayar alanına gidin. DoliStoreDesc=DoliStore, Dolibarr ERP/CRM dış modülleri için resmi pazar yeri DoliPartnersDesc=İstek üzerine modüller veya özellikler geliştiren firmaların listesi.
Not: Dolibarr açık kaynaklı bir uygulama olduğu için PHP programlamada deneyimli herhangi biri bir modül geliştirebilir. @@ -234,7 +235,7 @@ BoxesAvailable=Mevcut ekran etiketleri BoxesActivated=Etkin ekran etiketleri ActivateOn=Etkinleştirme açık ActiveOn=Etkinlik açık -ActivatableOn=Activatable on +ActivatableOn=Etkinleştirilebilir SourceFile=Kaynak dosyası AvailableOnlyIfJavascriptAndAjaxNotDisabled=Yalnızca JavaScript ve Ajax devre dışı değilse vardır Required=Gerekli @@ -246,13 +247,13 @@ MainDbPasswordFileConfEncrypted=conf.php içinde depolanan veritabanı parolası InstrucToEncodePass=Parolayı conf.php dosyasına kodlamak için
$dolibarr_main_db_pass="...";
by
$dolibarr_main_db_pass="crypted:%s"; satırını değiştirin InstrucToClearPass=Parolayı conf.php dosyasına kodlamak (temiz) için
$dolibarr_main_db_pass="crypted:...";
by
$dolibarr_main_db_pass="%s"; satırını değiştirin ProtectAndEncryptPdfFiles=Oluşturulan PDF dosyalarını koruyun. Toplu PDF oluşturulmasını bozduğu için bu ÖNERİLMEZ. -ProtectAndEncryptPdfFilesDesc=Bir PDF belgesinin korunması dosyanın herhangi bir PDF tarayıcısında okunmasını ve yazdırılmasını sağlar. Bundan düzenleme ve kopyalama yapmak olanaksızdır. Bu özelliği kulanmanın çalışmayan genel kümülatif pdf oluşturduğuna dikkat edin. +ProtectAndEncryptPdfFilesDesc=Bir PDF belgesinin korunması dosyanın herhangi bir PDF tarayıcısında okunmasını ve yazdırılmasını sağlar. Bundan düzenleme ve kopyalama yapmak imkansızdır. Bu özelliği kulanmanın çalışmayan genel kümülatif pdf oluşturduğuna dikkat edin. Feature=Özellik DolibarrLicense=Lisans Developpers=Geliştiriciler/katılımcılar OfficialWebSite=Dolibarr resmi web sitesi OfficialWebSiteLocal=Yerel web sitesi (%s) -OfficialWiki=Dolibarr dokümantasyonu / Wiki +OfficialWiki=Dolibarr dokümantasyonu/Wiki OfficialDemo=Dolibarr çevrimiçi demo OfficialMarketPlace=Dış modüller/eklentiler için resmi Pazar yeri OfficialWebHostingService=Önerilen web barındırma servisleri (bulut barındırma) @@ -260,7 +261,7 @@ ReferencedPreferredPartners=Tercihli Ortaklar OtherResources=Diğer kaynaklar ExternalResources=Dış Kaynaklar SocialNetworks=Sosyal Ağlar -SocialNetworkId=Social Network ID +SocialNetworkId=Sosyal Ağ Kimliği ForDocumentationSeeWiki=Kullanıcıların ve geliştiricilerin belgeleri (Doc, FAQs…),
Dolibarr Wiki ye bir göz atın:
%s ForAnswersSeeForum=Herhangi bir başka soru/yardım için Dolibarr forumunu kullanabilirsiniz:
%s HelpCenterDesc1=Burada Dolibar ile ilgili yardım ve destek almak için bazı kaynaklar bulabilirsiniz. @@ -279,13 +280,13 @@ NoticePeriod=Bildirim dönemi NewByMonth=Aya göre yeni Emails=E-postalar EMailsSetup=E-posta kurulumları -EMailsDesc=This page allows you to set parameters or options for email sending. +EMailsDesc=Bu sayfa, e-posta gönderimi için parametreleri veya seçenekleri belirlemenize imkan tanır. EmailSenderProfiles=E-posta gönderici profilleri EMailsSenderProfileDesc=Bu bölümü boş bırakabilirsiniz. Buraya gireceğiniz e-posta adresleri, yeni bir e-posta adresi yazdığınızda comboboxtaki olası gönderenler listesine eklenecekler. -MAIN_MAIL_SMTP_PORT=SMTP/SMTPS Portu (php.ini içinde varsayılan değer: %s) -MAIN_MAIL_SMTP_SERVER=SMTP/SMTPS Sunucusu (php.ini içinde varsayılan değer: %s) -MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP/SMTPS Portu (Unix benzeri sistemlerdeki PHP'de tanımlanmamış) -MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP/SMTPS Sunucusu (Unix benzeri sistemlerdeki PHP'de tanımlanmamış) +MAIN_MAIL_SMTP_PORT=SMTP Portu (php.ini içinde varsayılan değer: %s) +MAIN_MAIL_SMTP_SERVER=SMTP Sunucusu (php.ini içinde varsayılan değer: %s) +MAIN_MAIL_SMTP_PORT_NotAvailableOnLinuxLike=SMTP Portu (Unix benzeri sistemlerdeki PHP'de tanımlanmamış) +MAIN_MAIL_SMTP_SERVER_NotAvailableOnLinuxLike=SMTP Sunucusu (Unix benzeri sistemlerdeki PHP'de tanımlanmamış) MAIN_MAIL_EMAIL_FROM=Otomatik e-postalar için gönderen E-Posta adresi (php.ini içindeki varsayılan değer: %s) MAIN_MAIL_ERRORS_TO=Geri dönen hatalı mailler için kullanılacak e-posta adresi (gönderilen maillerdeki 'Hatalar-buraya' alanı) MAIN_MAIL_AUTOCOPY_TO= Gönderilen tüm maillerin kopyasının (Bcc) gönderileceği e-posta adresi @@ -297,7 +298,7 @@ MAIN_MAIL_SMTPS_ID=SMTP ID (gönderme sunucusu kimlik doğrulama gerektiriyorsa) MAIN_MAIL_SMTPS_PW=SMTP Şifresi (gönderme sunucusu kimlik doğrulama gerektiriyorsa) MAIN_MAIL_EMAIL_TLS=TLS (SSL) şifreleme kullan MAIN_MAIL_EMAIL_STARTTLS=TLS (STARTTLS) şifreleme kullan -MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Authorise les certificats auto-signés +MAIN_MAIL_EMAIL_SMTP_ALLOW_SELF_SIGNED=Sertifika otomatik imzalarını yetkilendirin MAIN_MAIL_EMAIL_DKIM_ENABLED=E-posta imzası oluşturmak için DKIM kullan MAIN_MAIL_EMAIL_DKIM_DOMAIN=Dkim ile kullanım için Eposta Alan adı MAIN_MAIL_EMAIL_DKIM_SELECTOR=Dkim seçicinin adı @@ -315,9 +316,9 @@ SubmitTranslationENUS=Bu dil için çeviri tamamlanmamışsa ya da hatalar buluy ModuleSetup=Modül kurulumu ModulesSetup=Modül/Uygulama kurulumu ModuleFamilyBase=Sistem -ModuleFamilyCrm=Müşteri İlişkileri Yönetimi (CRM) -ModuleFamilySrm=Tedarikçi İlişkileri Yönetimi (SRM) -ModuleFamilyProducts=Ürün Yönetimi (PM) +ModuleFamilyCrm=Müşteri İlişkileri Yönetimi (MİY) +ModuleFamilySrm=Tedarikçi İlişkileri Yönetimi (TİY) +ModuleFamilyProducts=Ürün Yönetimi (ÜY) ModuleFamilyHr=İnsan Kaynakları Yönetimi (İK) ModuleFamilyProjects=Projeler/Ortak çalışma ModuleFamilyOther=Diğer @@ -350,10 +351,10 @@ LastActivationAuthor=En son aktivasyon yazarı LastActivationIP=En son aktivasyon IP'si UpdateServerOffline=Güncelleme sunucusu çevrimdışı WithCounter=Bir sayacı yönet -GenericMaskCodes=You may enter any numbering mask. In this mask, the following tags can be used:
{000000} corresponds to a number which will be incremented on each %s. Enter as many zeros as the desired length of the counter. The counter will be completed by zeros from the left in order to have as many zeros as the mask.
{000000+000} same as the previous one but an offset corresponding to the number to the right of the + sign is applied starting on the first %s.
{000000@x} same as the previous one but the counter is reset to zero when month x is reached (x between 1 and 12, or 0 to use the early months of fiscal year defined in your configuration, or 99 to reset to zero every month). If this option is used and x is 2 or higher, then the sequence {yy}{mm} or {yyyy}{mm} is also required.
{dd} day (01 to 31).
{mm} month (01 to 12).
{yy}, {yyyy} or {y} year over 2, 4 or 1 numbers.
-GenericMaskCodes2={cccc} the client code on n characters
{cccc000} the client code on n characters is followed by a counter dedicated to the customer. This counter dedicated to customer is reset at same time as the global counter.
{tttt} The code of third party type on n characters (see menu Home - Setup - Dictionary - Types of third parties). If you add this tag, the counter will be different for each type of third party.
+GenericMaskCodes=Herhangi bir numaralandırma maskesi girebilirsiniz. Bu maskede, aşağıdaki etiketler kullanılabilir:
{000000} , her %s'de artırılacak bir sayıya karşılık gelir. Sayacın istenen uzunluğu kadar sıfır girin. Sayaç, maske kadar sıfıra sahip olmak için soldan sıfırlarla tamamlanacaktır.
{000000 + 000} öncekiyle aynı, ancak + işaretinin sağındaki sayıya karşılık gelen ofset ilk %s'den başlayarak uygulandı.
{000000 @ x} öncekiyle aynı ancak x ayına ulaşıldığında sayaç sıfırlanır (x 1 ile 12 arasında veya tanımlanan mali yılın ilk aylarını kullanmak için 0) yapılandırmanızda veya her ay sıfıra sıfırlamak için 99). Bu seçenek kullanılırsa ve x 2 veya daha yüksekse, {yy} {aa} veya {yyyy} {aa} dizisi de gereklidir.
{gg} gün (01 - 31).
{aa} ay (01 - 12).
{yy} , {yyyy} veya {y} 2, 4 veya 1 sayıdan fazla.
+GenericMaskCodes2= {cccc} n karakterli müşteri kodu
{cccc000} n karakterdeki müşteri kodunu müşteriye ayrılmış bir sayaç takip ediyor. Müşteriye ayrılan bu sayaç, genel sayaçla aynı anda sıfırlanır.
{tttt} N karakterdeki cari türünün kodu (Giriş - Ayarlar - Tanımlar - Cari türleri menüsüne bakın ). Bu etiketi eklerseniz, sayaç her cari türü için farklı olacaktır.
GenericMaskCodes3=Maskede diğer tüm karakterler olduğu gibi kalır.
Boşluklara izin verilmez.
-GenericMaskCodes3EAN=All other characters in the mask will remain intact (except * or ? in 13th position in EAN13).
Spaces are not allowed.
In EAN13, the last character after the last } in 13th position should be * or ? . It will be replaced by the calculated key.
+GenericMaskCodes3EAN=Maskedeki diğer tüm karakterler bozulmadan kalacaktır (EAN13'te 13. konumda * veya? Dışında).
Boşluklara izin verilmez.
EAN13'te, 13. konumdaki son} 'dan sonraki son karakter * veya? . Hesaplanan anahtarla değiştirilecektir.
GenericMaskCodes4a= Üçüncü parti TheCompany'nin 2007-01-31 tarihli 99. %s örneği:
GenericMaskCodes4b=2007/03/01 tarihinde oluşturulan üçüncü parti örneği:
GenericMaskCodes4c=2007-03-01 de oluşturulan ürün için örnek:
@@ -380,8 +381,8 @@ LanguageFile=Dil dosyası ExamplesWithCurrentSetup=Tanımladığınız mevcut yapılandırma için örnekler ListOfDirectories=OpenDocument (AçıkBelge) temaları dizin listesi ListOfDirectoriesForModelGenODT=OpenDocument biçimli şablon dosyalarını içeren dizinler listesi.

Buraya tam yol dizinlerini koyun.
Her dizin arasına satır başı ekleyin.
GED modülü dizinini eklemek için buraya ekleyinDOL_DATA_ROOT/ecm/yourdirectoryname.

O dizinlerdeki dosyaların bitiş şekli böyle omalıdır .odt or .ods. -NumberOfModelFilesFound=Bu dizinlerde bulunana ODT/ODS şablon dosyalarının sayısı -ExampleOfDirectoriesForModelGen=Examples of syntax:
c:\\myapp\\mydocumentdir\\mysubdir
/home/myapp/mydocumentdir/mysubdir
DOL_DATA_ROOT/ecm/ecmdir +NumberOfModelFilesFound=Bu dizinlerde bulunana ODT/ODS şablon dosyalarının sayısı +ExampleOfDirectoriesForModelGen=Sözdizimi örnekleri:
c: \\ myapp \\ mydocumentdir \\ mysubdir
/ home/myapp/mydocumentdir/mysubdir
DOL_DATA_ROOT/ecm/ecmdir FollowingSubstitutionKeysCanBeUsed=
Odt belge şablonlarının nasıl oluşturulacağını öğrenmek için o dizinlere kaydetmeden önce, wiki belgelerini okuyun: FullListOnOnlineDocumentation=http://wiki.dolibarr.org/index.php/Create_an_ODT_document_template FirstnameNamePosition=Ad/Soyad konumu @@ -399,10 +400,10 @@ NoSmsEngine=Sitemde hiç bir SMS gönderme yöneticisi mevcut değil. Standart D PDF=PDF PDFDesc=PDF oluşturma için global seçenekler PDFAddressForging=Adres bölümü kuralları -HideAnyVATInformationOnPDF=Satış Vergisi / KDV ile ilgili tüm bilgileri gizle -PDFRulesForSalesTax=Satış Vergisi / KDV için Kurallar -PDFLocaltax=%siçin kurallar -HideLocalTaxOnPDF=Satış Vergisi / KDV sütununda %s oranını gizle +HideAnyVATInformationOnPDF=Satış Vergisi/KDV ile ilgili tüm bilgileri gizle +PDFRulesForSalesTax=Satış Vergisi/KDV için Kurallar +PDFLocaltax=%siçin kurallar +HideLocalTaxOnPDF=Satış Vergisi/KDV sütununda %s oranını gizle HideDescOnPDF=Ürün açıklamasını gizle HideRefOnPDF=Ürün Referans No'sunu gizle HideDetailsOnPDF=Ürün satır detaylarını gizle @@ -412,16 +413,16 @@ UrlGenerationParameters=URL güvenliği için parametreler SecurityTokenIsUnique=Her URL için benzersiz bir güvenlik anahtarı kullan EnterRefToBuildUrl=Nesen %s için hata referansı GetSecuredUrl=Hesaplanan URL al -ButtonHideUnauthorized=Hide unauthorized action buttons also for internal users (just greyed otherwise) +ButtonHideUnauthorized=Yetkisiz işlem düğmelerini dahili kullanıcılar için de gizleyin (aksi takdirde gri renklidir) OldVATRates=Eski KDV oranı NewVATRates=Yeni KDV oranı PriceBaseTypeToChange=Buna göre tanımlanan temel referans değerli fiyatları değiştir MassConvert=Toplu dönüştürmeyi başlat PriceFormatInCurrentLanguage=Geçerli Dilde Fiyat Formatı String=Dizi -String1Line=String (1 line) +String1Line=Dizi (1 satır) TextLong=Uzun metin -TextLongNLines=Long text (n lines) +TextLongNLines=Uzun metin (n satır) HtmlText=HTML metni Int=Tam sayı Float=Kayan @@ -441,19 +442,19 @@ ExtrafieldCheckBox=Onay kutuları ExtrafieldCheckBoxFromList=Tablodan onay kutuları ExtrafieldLink=Bir nesneye bağlantı ComputedFormula=Hesaplanmış alan -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->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital / 5: '-1'

Other example of formula to force load of object and its parent object:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project) > 0)) ? $secondloadedobj->ref: 'Parent project not found' +ComputedFormulaDesc=Dinamik hesaplanmış bir değer elde etmek için nesnenin diğer özelliklerini veya herhangi bir PHP kodlamasını kullanarak buraya bir formül girebilirsiniz. "?" Dahil herhangi bir PHP uyumlu formülü kullanabilirsiniz. koşul operatörü ve aşağıdaki genel nesne: $db, $conf, $langs, $mysoc, $user, $object.
UYARI: $object öğesinin yalnızca bazı özellikleri mevcut olabilir. Yüklenmemiş bir özelliğe ihtiyacınız varsa, ikinci örnekte olduğu gibi kendinize nesneyi formülünüze getirin.
Hesaplanan bir alan kullanmak, arayüzden kendinize herhangi bir değer giremeyeceğiniz anlamına gelir. Ayrıca, bir sözdizimi hatası varsa, formül hiçbir şey döndürmeyebilir.

Formül örneği:
$object-> id <10 ? round($object->id/2, 2): ($object->id + 2 * $user->id) * (int) substr($mysoc->zip, 1, 2)

Nesneyi yeniden yükleme örneği
(($reloadedobj = new Societe($ db)) && ($reloadedobj->fetchNoCompute($obj->id ? $obj->id: ($obj->rowid ? $obj->rowid: $object->id)) > 0)) ? $reloadedobj->array_options['options_extrafieldkey'] * $reloadedobj->capital/5: '-1'

Nesnenin ve onun üst nesnesinin yüklenmesini zorlamak için başka bir formül örneği:
(($reloadedobj = new Task($db)) && ($reloadedobj->fetchNoCompute($object->id) > 0) && ($secondloadedobj = new Project($db)) && ($secondloadedobj->fetchNoCompute($reloadedobj->fk_project ) > 0))? $secondloadedobj->ref: 'Ana proje bulunamadı' Computedpersistent=Hesaplanan alanı sakla -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::filtersql
Example: c_typent:libelle:id::filtersql

- id_field is necessarly a primary int key
- filtersql is a SQL condition. It can be a simple test (eg active=1) to display only active value
You can also use $ID$ in filter which is the current id of current object
To use a SELECT into the filter use the keyword $SEL$ to bypass anti-injection protection.
if you want to filter on extrafields use syntax extra.fieldcode=... (where field code is the code of extrafield)

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

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

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

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

In order to have the list depending on another list:
c_typent:libelle:id:parent_list_code|parent_column:filter -ExtrafieldParamHelplink=Parameters must be ObjectName:Classpath
Syntax: ObjectName:Classpath -ExtrafieldParamHelpSeparator=Keep empty for a simple separator
Set this to 1 for a collapsing separator (open by default for new session, then status is kept for each user session)
Set this to 2 for a collapsing separator (collapsed by default for new session, then status is kept fore each user session) +ComputedpersistentDesc=Hesaplanan fazladan alanlar veritabanında saklanacaktır, ancak değer yalnızca bu alanın nesnesi değiştirildiğinde yeniden hesaplanacaktır. Hesaplanan alan diğer nesnelere veya genel verilere bağlıysa, bu değer yanlış olabilir !! +ExtrafieldParamHelpPassword=Bu alanı boş bırakmak, bu değerin şifreleme olmadan saklanacağı anlamına gelir (alan yalnızca ekranda yıldızla gizlenmelidir).
Parolayı veritabanına kaydetmek için varsayılan şifreleme kuralını kullanmak için 'otomatik'i ayarlayın (daha sonra okunan değer, hash olacaktır yalnızca, orijinal değeri almanın yolu yoktur) +ExtrafieldParamHelpselect=Değerlerin listesi, biçim anahtarı ve değeri olan satırlar olmalıdır (burada anahtar '0' olamaz)

örneğin:
1,value1
2,value2
code3,value3
...

Listenin başka bir tamamlayıcı öznitelik listesine bağlı olması için:
1, değer1|options_parent_list_code:parent_key
2, value2|options_parent_list_code:parent_key

Listenin başka bir listeye bağlı olması için:
1, value1|parent_list_code:parent_key
2,value2|parent_list_code:parent_key +ExtrafieldParamHelpcheckbox=Değerler listesi, biçim anahtarı ve değeri olan satırlar olmalıdır (burada anahtar '0' olamaz)

örneğin:
1, değer1
2,değer2
3,değer3
... +ExtrafieldParamHelpradio=Değerler listesi, biçim anahtarı ve değeri olan satırlar olmalıdır (burada anahtar '0' olamaz)

örneğin:
1,değer1
2,değer2
3,değer3
... +ExtrafieldParamHelpsellist=Değerlerin listesi bir tablodan gelir
Sözdizimi: table_name: label_field: id_field :: filtersql
Örnek: c_typent: libelle: id :: filtersql

- id_field zorunlu olarak bir birincil int anahtarıdır
- filtersql bir SQL koşuludur. Sadece aktif değeri görüntülemek için basit bir test olabilir (örn. active=1)
Filtrede mevcut nesnenin geçerli kimliği olan $ ID $ da kullanabilirsiniz
Filtreye bir SELECT kullanmak için anahtar kelimeyi kullanın Enjeksiyon önleme korumasını atlamak için $SEL$.
dış alanlara filtre uygulamak istiyorsanız, extra.fieldcode=... sözdizimini kullanın (burada alan kodu, extrafield kodudur)

başka bir tamamlayıcı öznitelik listesine bağlı olarak liste:
c_typent:libelle:id:options_ parent_list_code|parent_column: filter

Listenin başka bir listeye bağlı olması için:
c_typent:libelle:id:parent_list_code|parent_column:filter +ExtrafieldParamHelpchkbxlst=Değerlerin listesi bir tablodan gelir
Sözdizimi: table_name: label_field: id_field :: filtersql
Örnek: c_typent: libelle: id :: filtersql

filtre basit bir test olabilir (ör. active=1) sadece aktif değeri görüntülemek için
Ayrıca filtre adı içinde $ID$ kullanabilirsiniz, geçerli nesnenin geçerli kimliğidir
Filtrede SELECT yapmak için, extrafields'da filtrelemek istiyorsanız $SEL$
kullanın sözdizimi extra.fieldcode=... (burada alan kodu extrafield kodudur)

Listenin başka bir tamamlayıcı nitelik listesine bağlı olması için:
c_typent: libelle: id: options_ parent_list_code | parent_column: filter

Listenin başka bir listeye bağlı olması için:
c_typent: libelle: id: parent_list_code | parent_column: filter +ExtrafieldParamHelplink=Parametreler NesneAdı olmalıdır: Sınıfyolu
Sözdizimi:NesneAdı:Sınıfyolu ObjectName:Classpath +ExtrafieldParamHelpSeparator=Basit bir ayırıcı için boş tut
Daraltılan ayırıcı için bunu 1 olarak ayarlayın (yeni oturum için varsayılan olarak açılır, ardından her kullanıcı oturumu için durum tutulur)
Daraltılan ayırıcı için bunu 2 olarak ayarlayın (varsayılan olarak daraltıldı yeni oturum, ardından durum her kullanıcı oturumu için tutulur) LibraryToBuildPDF=PDF oluşturmada kullanılan kütüphane -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) +LocalTaxDesc=Bazı ülkeler, her fatura satırına iki veya üç vergi uygulayabilir. Bu durumda, ikinci ve üçüncü vergi türünü ve oranını seçin. Olası türler şunlardır:
1: kdv'siz ürün ve hizmetlere yerel vergi uygulanır (yerel vergi, vergisiz tutara göre hesaplanır)
2: kdv dahil ürün ve hizmetlere yerel vergi uygulanır (yerel vergi tutar + ana vergi üzerinden hesaplanır )
3: kdv'siz ürünlere yerel vergi uygulanır (yerel vergi, vergisiz tutar üzerinden hesaplanır)
4: kdv dahil ürünlere yerel vergi uygulanır (yerel vergi tutar + ana kdv üzerinden hesaplanır)
5: yerel kdv'siz hizmetler için vergi uygulanır (yerel vergi, vergisiz tutar üzerinden hesaplanır)
6: kdv dahil hizmetlere yerel vergi uygulanır (yerel vergi tutar + vergi üzerinden hesaplanır) SMS=SMS LinkToTestClickToDial=Kullanıcı %s için ClickTodial url denemesi yapmak üzere gösterilecek bağlantıyı aramak için bir telefon numarası gir RefreshPhoneLink=Bağlantıyı yenile @@ -465,7 +466,7 @@ SetAsDefault=Varsayılan olarak ayarla ValueOverwrittenByUserSetup=Uyarı, bu değer kullanıcıya özel kurulum ile üzerine yazılabilir (her kullanıcı kendine ait clicktodial url ayarlayabilir) ExternalModule=Dış modül InstalledInto=%s dizinine yüklendi -BarcodeInitForThirdparties=Üçüncü partiler için toplu barkod girişi +BarcodeInitForThirdparties=Cariler için toplu barkod girişi BarcodeInitForProductsOrServices=Ürünler ve hizmetler için toplu barkod başlatma ve sıfırlama CurrentlyNWithoutBarCode=Şu anda, bazı %s kayıtlarınızda %s %s tanımlı barkod bulunmamaktadır. InitEmptyBarCode=Sonraki %s boş kayıt için ilk değer @@ -479,29 +480,29 @@ NoDetails=Sayfa altığında ilave bilgi yok DisplayCompanyInfo=Firma adresini göster DisplayCompanyManagers=Yönetici isimlerini göster DisplayCompanyInfoAndManagers=Firma adresini ve yönetici isimlerini göster -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. +EnableAndSetupModuleCron=Bu yinelenen faturanın otomatik olarak oluşturulmasını istiyorsanız, *%s* modülü etkinleştirilmeli ve doğru şekilde ayarlanmalıdır. Aksi takdirde, fatura oluşturma işlemi bu şablondan *Oluştur* düğmesi kullanılarak manuel olarak yapılmalıdır. Otomatik oluşturmayı etkinleştirmiş olsanız bile, manuel oluşturmayı yine de güvenli bir şekilde başlatabileceğinizi unutmayın. Aynı dönem için kopyaların oluşturulması mümkün değildir. ModuleCompanyCodeCustomerAquarium=%s ardından bir müşteri muhasebe kodu için gelen müşteri kodu ModuleCompanyCodeSupplierAquarium=%s ardından bir satıcı muhasebe kodu için gelen satıcı kodu ModuleCompanyCodePanicum=Boş bir muhasebe kodu getirir. -ModuleCompanyCodeDigitaria=Üçüncü parti adına göre bileşik bir muhasebe kodu getirir. Kod, birinci konumda tanımlanabilen bir önek ve ardından üçüncü taraf kodunda tanımlanan karakter sayısından oluşur. -ModuleCompanyCodeCustomerDigitaria=%s followed by the truncated customer name by the number of characters: %s for the customer accounting code. -ModuleCompanyCodeSupplierDigitaria=%s followed by the truncated supplier name by the number of characters: %s for the supplier accounting code. +ModuleCompanyCodeDigitaria=Cari adına göre bileşik bir muhasebe kodu getirir. Kod, birinci konumda tanımlanabilen bir önek ve ardından cari kodunda tanımlanan karakter sayısından oluşur. +ModuleCompanyCodeCustomerDigitaria=%s ve ardından karakter sayısı ile kesilmiş müşteri adı: Müşteri muhasebe kodu için %s. +ModuleCompanyCodeSupplierDigitaria=%s ve ardından karakter sayısı ile kesilmiş tedarikçi adı:%s tedarikçi muhasebe kodu için. Use3StepsApproval=Varsayılan olarak, Tedarikçi Siparişlerinin 2 farklı kullanıcı tarafından oluşturulması ve onaylanması gerekir (bir adım/kullanıcı oluşturacak ve bir adım/kullanıcı onaylayacak. Kullanıcının hem oluşturma hem de onaylama izni varsa, bir adım/kullanıcı yeterli olacaktır). Miktar belirli bir değerin üzerindeyse bu seçenekle üçüncü bir adım/kullanıcı onayı vermeyi isteyebilirsiniz (böylece 3 adım zorunlu olacaktır: 1=doğrulama, 2=ilk onay ve 3=miktar yeterli ise ikinci onay).
Tek onay (2 adım) yeterli ise bunu boş olarak ayarlayın, ikinci bir onay (3 adım) her zaman gerekiyorsa çok düşük bir değere ayarlayın (0.1). UseDoubleApproval=Tutar (vergi öncesi) bu tutardan yüksekse 3 aşamalı bir onaylama kullanın... -WarningPHPMail=WARNING: The setup to send emails from the application is using the default generic setup. It is often better to setup outgoing emails to use the email server of your Email Service Provider instead of the default setup for several reasons: -WarningPHPMailA=- Using the server of the Email Service Provider increases the trustability of your email, so it increases the deliverablity without being flagged as SPAM -WarningPHPMailB=- Some Email Service Providers (like Yahoo) do not allow you to send an email from another server than their own server. Your current setup uses the server of the application to send email and not the server of your email provider, so some recipients (the one compatible with the restrictive DMARC protocol), will ask your email provider if they can accept your email and some email providers (like Yahoo) may respond "no" because the server is not theirs, so few of your sent Emails may not be accepted for delivery (be careful also of your email provider's sending quota). -WarningPHPMailC=- Using the SMTP server of your own Email Service Provider to send emails is also interesting so all emails sent from application will also be saved into your "Sent" directory of your mailbox. -WarningPHPMailD=If the method 'PHP Mail' is really the method you would like to use, you can remove this warning by adding the constant MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP to 1 in Home - Setup - Other. -WarningPHPMail2=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. -WarningPHPMailSPF=If the domain name in your sender email address is protected by a SPF record (ask you domain name registar), you must add the following IPs in the SPF record of the DNS of your domain: %s. +WarningPHPMail=UYARI: Uygulamadan e-posta gönderme kurulumu, varsayılan genel kurulumu kullanıyor. Giden e-postaları birkaç nedenden ötürü varsayılan kurulum yerine E-posta Hizmet Sağlayıcınızın e-posta sunucusunu kullanmak üzere ayarlamak genellikle daha iyidir: +WarningPHPMailA=E-posta Hizmet Sağlayıcısının sunucusunu kullanmak, e-postanızın güvenilirliğini artırır, böylece SPAM olarak işaretlenmeden teslim edilebilirliği artırır. +WarningPHPMailB=- Bazı E-posta Servis Sağlayıcıları kendi sunucularından başka bir sunucudan e-posta göndermenize izin vermez. Mevcut kurulumunuz e-posta göndermek için uygulama sunucusunu kullanıyor, e-posta sağlayıcınızın sunucusunu değil, bu nedenle bazı alıcılar (kısıtlayıcı DMARC protokolüyle uyumlu olan) e-posta sağlayıcınıza e-postanızı ve bazı e-posta sağlayıcılarını kabul edip edemeyeceklerini soracaktır. (Yahoo gibi), sunucu kendilerine ait olmadığı için "hayır" yanıtını verebilir, bu nedenle, gönderdiğiniz E-postaların çok azı teslim için kabul edilmeyebilir (e-posta sağlayıcınızın gönderme kotasına da dikkat edin). +WarningPHPMailC=- E-posta göndermek için kendi E-posta Servis Sağlayıcınızın SMTP sunucusunu kullanmak da ilginçtir, bu nedenle uygulamadan gönderilen tüm e-postalar ayrıca posta kutunuzun "Gönderilen" dizinine kaydedilecektir. +WarningPHPMailD='PHP Mail' yöntemi gerçekten kullanmak istediğiniz yöntemse, bu uyarıyı MAIN_HIDE_WARNING_TO_ENCOURAGE_SMTP_SETUP sabitini Ana Sayfa - Kurulum - Diğer bölümünde 1'e ekleyerek kaldırabilirsiniz. +WarningPHPMail2=E-posta SMTP sağlayıcınızın e-posta istemcisini bazı IP adresleriyle kısıtlaması gerekiyorsa (çok nadir), bu, ERP CRM uygulamanız için posta kullanıcı aracısının (MUA) IP adresidir: %s. +WarningPHPMailSPF=Gönderen e-posta adresinizdeki alan adı bir SPF kaydı ile korunuyorsa (alan adı kayıt görevlisine sorun), alan adınızın DNS'sinin SPF kaydına şu IP'leri eklemelisiniz: %s . ClickToShowDescription=Açıklamayı görmek için tıkla -DependsOn=Bu modülün gerektirdiği modül (ler) -RequiredBy=Bu modül, modül (ler) için zorunludur +DependsOn=Bu modülün gerektirdiği modül(ler) +RequiredBy=Bu modül, modül(ler) için zorunludur TheKeyIsTheNameOfHtmlField=Bu, HTML alanının adıdır. Bir alanın anahtar adını almak için HTML sayfasının içeriğini okumada teknik bilgiye ihtiyaç vardır. PageUrlForDefaultValues=Sayfa URL’sinin göreceli yolunu girmelisiniz. Parametreleri URL'ye dahil ederseniz, tüm parametrelerin aynı değere ayarlanması durumunda varsayılan değerler etkili olacaktır. -PageUrlForDefaultValuesCreate=
Örnek:
Yeni bir üçüncü parti oluşturma formu kullanacaksak bu değer %s şeklindedir.
Özel dizinde kurulmuş olan harici modüllerin URL'ne "custom/" eklemeyin, yani custom/mymodule/mypage.php yerine mymodule/mypage.php gibi bir yol kullanın.
Url bazı parametreler içeriyorsa ve sadece varsayılan değeri istiyorsanız %s kullanabilirsiniz. -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=
Örnek:
Yeni bir cari oluşturma formu kullanacaksak bu değer %s şeklindedir.
Özel dizinde kurulmuş olan harici modüllerin URL'ne "custom/" eklemeyin, yani custom/mymodule/mypage.php yerine mymodule/mypage.php gibi bir yol kullanın.
Url bazı parametreler içeriyorsa ve sadece varsayılan değeri istiyorsanız %s kullanabilirsiniz. +PageUrlForDefaultValuesList=
Örnek:
Carileri listeleyen sayfa için, bu %s.
Özel dizine yüklenmiş harici modüllerin URL'si için, "custom/" custom/mymodule /mypagelist.php yerine mymodule/mypagelist.php gibi bir yol kullanın.
Varsayılan değeri yalnızca url'de bir parametre varsa istiyorsanız, %s AlsoDefaultValuesAreEffectiveForActionCreate=Form oluşturmak için varsayılan değerlerin üzerine yazma işleminin sadece doğru bir şekilde tasarlanmış sayfalarda çalışacağını unutmayın (action=create veya presend... parametresi ile) EnableDefaultValues=Varsayılan değerlerin kişiselleştirilmesini etkinleştir EnableOverwriteTranslation=Üzerine yazılabilir çeviri kullanımını etkinleştir @@ -516,16 +517,16 @@ FilesAttachedToEmail=Dosya ekle SendEmailsReminders=Gündem hatırlatıcılarını e-posta ile gönder davDescription=Bir WebDAV sunucusu kurun DAVSetup=DAV modülü kurulumu -DAV_ALLOW_PRIVATE_DIR=Enable the generic private directory (WebDAV dedicated directory named "private" - login required) -DAV_ALLOW_PRIVATE_DIRTooltip=The generic private directory is a WebDAV directory anybody can access with its application login/pass. -DAV_ALLOW_PUBLIC_DIR=Enable the generic public directory (WebDAV dedicated directory named "public" - no login required) -DAV_ALLOW_PUBLIC_DIRTooltip=The generic public directory is a WebDAV directory anybody can access (in read and write mode), with no authorization required (login/password account). -DAV_ALLOW_ECM_DIR=Enable the DMS/ECM private directory (root directory of the DMS/ECM module - login required) -DAV_ALLOW_ECM_DIRTooltip=The root directory where all files are manually uploaded when using the DMS/ECM module. Similarly as access from the web interface, you will need a valid login/password with adecuate permissions to access it. +DAV_ALLOW_PRIVATE_DIR=Genel özel dizini etkinleştirin ("private" adlı WebDAV'a ayrılmış dizin - oturum açma gerekli) +DAV_ALLOW_PRIVATE_DIRTooltip=Jenerik özel dizin, uygulamanın oturum açma/şifresiyle herkesin erişebileceği bir WebDAV dizinidir. +DAV_ALLOW_PUBLIC_DIR=Genel genel dizini etkinleştirin ("public" adlı WebDAV'a ayrılmış dizin - oturum açma gerekmez) +DAV_ALLOW_PUBLIC_DIRTooltip=Genel genel dizin, yetkilendirme gerektirmeden (oturum açma/parola hesabı) herkesin erişebileceği (okuma ve yazma modunda) bir WebDAV dizinidir. +DAV_ALLOW_ECM_DIR=DMS/ECM özel dizinini etkinleştirin (DMS/ECM modülünün kök dizini - oturum açma gerekli) +DAV_ALLOW_ECM_DIRTooltip=DMS/ECM modülü kullanılırken tüm dosyaların manuel olarak yüklendiği kök dizin. Benzer şekilde, web arayüzünden erişimde olduğu gibi, erişmek için yeterli izinlere sahip geçerli bir giriş/şifreye ihtiyacınız olacaktır. # Modules Module0Name=Kullanıcılar ve Gruplar Module0Desc=Kullanıcı / Çalışan ve Grup Yönetimi -Module1Name=Üçüncü Partiler +Module1Name=Cariler Module1Desc=Şirket ve kişilerin yönetimi (müşteriler, adaylar) Module2Name=Ticaret Module2Desc=Ticaret yönetimi @@ -546,7 +547,7 @@ Module40Desc=Satıcılar ve satın alma yönetimi (satınalma siparişleri ve te 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. Module43Name=Hata Ayıklama Çubuğu -Module43Desc=A tool for developper adding a debug bar in your browser. +Module43Desc=Tarayıcınıza bir hata ayıklama çubuğu ekleyen geliştiriciye yönelik bir araç. Module49Name=Düzenleyiciler Module49Desc=Düzenleyici yönetimi Module50Name=Ürünler @@ -562,9 +563,9 @@ Module54Desc=Sözleşmelerin yönetimi (hizmetler veya yinelenen abonelikler) Module55Name=Barkodlar Module55Desc=Barkod yönetimi Module56Name=Kredi transferiyle ödeme -Module56Desc=Management of payment of suppliers by Credit Transfer orders. It includes generation of SEPA file for European countries. -Module57Name=Payments by Direct Debit -Module57Desc=Management of Direct Debit orders. It includes generation of SEPA file for European countries. +Module56Desc=Kredi Transferi siparişleri ile tedarikçilerin ödemelerinin yönetimi. Avrupa ülkeleri için SEPA dosyası oluşturmayı içerir. +Module57Name=Otomatik Ödeme ile Ödemeler +Module57Desc=Otomatik Ödeme emirlerinin yönetimi. Avrupa ülkeleri için SEPA dosyası oluşturmayı içerir. Module58Name=TıklaAra Module58Desc=TıklaAra entegrasyonu Module60Name=Çıkartmalar @@ -607,7 +608,7 @@ Module520Name=Krediler Module520Desc=Borçların yönetimi Module600Name=İş etkinliğine ilişkin bildirimler Module600Desc=Bir iş etkinliği tarafından tetiklenen e-posta bildirimleri gönderin: her kullanıcı için (her bir kullanıcı için tanımlanmış kurulum), her üçüncü parti kişisi için (her bir üçüncü parti için tanımlanmış kurulum) veya belirli e-postalara göre. -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. +Module600Long=Bu modülün, belirli bir iş olayı gerçekleştiğinde gerçek zamanlı olarak e-posta gönderdiğini unutmayın. Gündem etkinlikleri için e-posta hatırlatıcıları göndermek için bir özellik arıyorsanız, Ajanda modülünün kurulumuna gidin. Module610Name=Ürün Değişkenleri Module610Desc=Ürün değişkenlerinin oluşturulması (renk, ebat v.b.) Module700Name=Bağışlar @@ -630,14 +631,14 @@ Module2300Name=Planlı İşler Module2300Desc=Zamanlanmış iş yönetimi (alias cron veya chrono tablosu) Module2400Name=Etkinlik/Gündem Module2400Desc=Etkinlikleri takip edin. İzleme amacıyla otomatik etkinlikleri günlüğe geçirin veya manuel etkinlikleri ya da toplantıları kaydedin. Bu, iyi bir Müşteri veya Tedarikçi İlişkileri Yönetimi için temel modüldür. -Module2500Name=DMS / ECM -Module2500Desc=Belge Yönetim Sistemi / Elektronik İçerik Yönetimi. Oluşturulan veya saklanan belgelerinizin otomatik organizasyonu. İhtiyacınız olduğunda paylaşın. +Module2500Name=DMS/ECM +Module2500Desc=Belge Yönetim Sistemi/Elektronik İçerik Yönetimi. Oluşturulan veya saklanan belgelerinizin otomatik organizasyonu. İhtiyacınız olduğunda paylaşın. Module2600Name=API/Web hizmetleri (SOAP sunucusu) Module2600Desc=API hizmetlerini sağlayan Dolibarr SOAP sunucusunu etkinleştir Module2610Name=API/Web hizmetleri (REST sunucusu) Module2610Desc=API hizmetlerini sağlayan Dolibarr REST sunucusunu etkinleştir Module2660Name=Çağrı Web hizmetleri (SOAP istemcisi) -Module2660Desc=Enable the Dolibarr web services client (Can be used to push data/requests to external servers. Only Purchase orders are currently supported.) +Module2660Desc=Dolibarr web hizmetleri istemcisini etkinleştirin (Dış sunuculara veri/istek göndermek için kullanılabilir. Şu anda yalnızca Satın alma siparişleri desteklenmektedir.) Module2700Name=Gravatar Module2700Desc=Kullanıcıların/üyelerin fotoğrafını göstermek için çevrimiçi Gravatar hizmetini (www.gravatar.com) kullanın (e-postalarıyla bulunur). İnternet erişimi gerekiyor. Module2800Desc=FTP İstemcisi @@ -646,15 +647,15 @@ Module2900Desc=GeoIP Maxmind dönüştürme becerileri Module3200Name=Değiştirilemez Arşivler Module3200Desc=Değiştirilemeyen bir iş etkinlikleri günlüğü etkinleştirin. Etkinlikler gerçek zamanlı olarak arşivlenir. Günlük, dışa aktarılabilen zincirlenmiş etkinliklerin salt okunur bir tablosudur. Bu modül bazı ülkeler için zorunlu olabilir. Module3400Name=Sosyal Ağlar -Module3400Desc=Enable Social Networks fields into third parties and addresses (skype, twitter, facebook, ...). +Module3400Desc=Sosyal Ağ alanlarını Carilere ve adreslere (skype, twitter, facebook, ...) etkinleştirin. Module4000Name=IK Module4000Desc=İnsan kaynakları yönetimi (departman, çalışan sözleşmeleri ve duygu yönetimi) Module5000Name=Çoklu-firma Module5000Desc=Birden çok firmayı yönetmenizi sağlar -Module6000Name=Inter-modules Workflow -Module6000Desc=Workflow management between different modules (automatic creation of object and/or automatic status change) +Module6000Name=Modüller arası İş Akışı +Module6000Desc=Farklı modüller arasında iş akışı yönetimi (otomatik nesne oluşturma ve/veya otomatik durum değişikliği) Module10000Name=Websiteleri -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=Bir WYSIWYG düzenleyiciyle web siteleri oluşturun. Bu, web yöneticisi veya geliştirici odaklı bir CMS'dir (HTML ve CSS dilini bilmek daha iyidir). Web sunucunuzu (Apache, Nginx, ...) kendi alan adınızla internette çevrimiçi olması için özel Dolibarr dizinine yönlendirecek şekilde ayarlayın. Module20000Name=İzin İstekleri Yönetimi Module20000Desc=Çalışan izni isteklerini tanımlayın ve takip edin Module39000Name=Ürün Lotları @@ -662,23 +663,23 @@ Module39000Desc=Ürünler için lot numarası, seri numarası, son tüketim ve s Module40000Name=Çoklu para birimi Module40000Desc=Fiyat ve belgelerde alternatif para birimlerini kullanın Module50000Name=PayBox -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...) +Module50000Desc=Müşterilere bir PayBox çevrimiçi ödeme sayfası (kredi/banka kartları) sunun. Bu, müşterilerinizin belirli bir Dolibarr nesnesiyle (fatura, sipariş vb.) İlgili geçici ödemeler veya ödemeler yapmasına izin vermek için kullanılabilir. Module50100Name=POS BasitPOS Module50100Desc=Satış Noktası modülü BasitPOS (basit POS). Module50150Name=POS TakePOS -Module50150Desc=Point of Sale module TakePOS (touchscreen POS, for shops, bars or restaurants). +Module50150Desc=Satış Noktası Modülü TakePOS (mağazalar veya restoranlar için dokunmatik ekranlı POS). Module50200Name=Paypal -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...) +Module50200Desc=Müşterilere bir PayPal çevrimiçi ödeme sayfası (PayPal hesabı veya kredi/banka kartları) sunun. Bu, müşterilerinizin belirli bir Dolibarr nesnesiyle (fatura, sipariş vb.) İlgili geçici ödemeler veya ödemeler yapmasına izin vermek için kullanılabilir. 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=Müşterilere Stripe çevrimiçi ödeme sayfası (kredi/banka kartları) sunun. Bu, müşterilerinizin belirli bir Dolibarr nesnesiyle (fatura, sipariş vb.) İlgili geçici ödemeler veya ödemeler yapmasına izin vermek için kullanılabilir. Module50400Name=Muhasebe (çift giriş) -Module50400Desc=Accounting management (double entries, support General and Subsidiary Ledgers). Export the ledger in several other accounting software formats. +Module50400Desc=Muhasebe yönetimi (çift giriş, Genel ve Muavin Defterleri destekler). Defteri diğer birçok muhasebe yazılımı biçiminde dışa aktarın. Module54000Name=IPP Yazdır Module54000Desc=Cups IPP arabirimini kullanarak belgeleri açmadan doğrudan yazdırma (Yazıcının sunucudan görünür olması ve CUPS'un sunucuda yüklü olması gerekir). Module55000Name=Anket, Araştırma ya da Oylama Module55000Desc=Çevrimiçi anketler, yoklamalar veya oylamalar oluşturun (Doodle, Studs, RDVz vs. gibi) Module59000Name=Kar Oranları -Module59000Desc=Module to follow margins +Module59000Desc=Kenar boşluklarını takip etmek için modül Module60000Name=Komisyonlar Module60000Desc=Komisyon yönetimi modülü Module62000Name=Uluslararası Ticaret Terimleri @@ -687,7 +688,7 @@ Module63000Name=Kaynaklar Module63000Desc=Etkinliklere tahsis etmek için kaynakları (yazıcılar, arabalar, odalar, ...) yönetin Permission11=Müşteri faturalarını oku Permission12=Müşteri faturaları oluştur/düzenle -Permission13=Invalidate customer invoices +Permission13=Müşteri faturalarını geçersiz kılın Permission14=Müşteri faturalarını doğrula Permission15=Müşteri faturalarını e-posta ile gönder Permission16=Müşteri fatura ödemeleri oluşturun @@ -704,18 +705,18 @@ Permission32=Ürün oluştur/düzenle Permission34=Ürün sil Permission36=Gizli ürünleri gör/yönet Permission38=Ürünleri dışa aktar -Permission39=Ignore minimum price -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 +Permission39=Minimum fiyatı göz ardı et +Permission41=Projeleri ve görevleri okuyun (iletişim kurduğum paylaşılan proje ve projeler). Ayrıca, atanan görevlerde benim veya hiyerarşim için tüketilen zamanı da girebilir (Zaman Çizelgesi) +Permission42=Projeler oluşturun/değiştirin (paylaşılan proje ve iletişim kurduğum projeler). Ayrıca görevler oluşturabilir ve kullanıcıları projeye ve görevlere atayabilir Permission44=Proje sil (paylaşılan proje ve iletişim kurduğum projeler) Permission45=Projeleri dışa aktar Permission61=Müdahale oku Permission62=Müdahale oluştur/düzenle Permission64=Müdahale sil Permission67=Müdahaleleri dışa aktar -Permission68=Send interventions by email -Permission69=Validate interventions -Permission70=Invalidate interventions +Permission68=Müdahaleleri e-posta ile gönderin +Permission69=Müdahaleleri doğrulayın +Permission70=Müdahaleleri geçersiz kılın Permission71=Üye oku Permission72=Üye oluştur/düzenle Permission74=Üye sil @@ -738,7 +739,7 @@ Permission95=Rapor oku Permission101=Gönderilenleri oku Permission102=Gönderilenleri oluştur/düzenle Permission104=Gönderilenleri doğrula -Permission105=Send sendings by email +Permission105=Gönderimleri e-posta ile gönderin Permission106=Gönderilenleri dışa aktar Permission109=Gönderilenleri sil Permission111=Finansal tabloları oku @@ -813,8 +814,8 @@ PermissionAdvanced253=İç/dış kullanıcı ve izinlerini oluştur/değiştir Permission254=Yalnızca dış kullanıcıları oluştur/değiştir Permission255=Diğer kullanıcıların şifrelerini değiştir Permission256=Diğer kullanıcıları sil ya da engelle -Permission262=Extend access to all third parties AND their objects (not only third parties for which the user is a sale representative).
Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
Not effective for projects (only rules on project permissions, visibility and assignment matters). -Permission263=Extend access to all third parties WITHOUT their objects (not only third parties for which the user is a sale representative).
Not effective for external users (always limited to themselves for proposals, orders, invoices, contracts, etc.).
Not effective for projects (only rules on project permissions, visibility and assignment matters). +Permission262=Tüm Cari hesaplara ve nesnelerine erişimi genişletin (yalnızca kullanıcının satış temsilcisi olduğu carilere değil).
Harici kullanıcılar için etkili değildir (teklifler, siparişler, faturalar, sözleşmeler vb. İçin her zaman kendileriyle sınırlıdır).
Projeler için etkili değil (yalnızca proje izinleri, görünürlük ve atama konularıyla ilgili kurallar). +Permission263=Nesneleri OLMADAN tüm Cari erişimi genişletin (yalnızca kullanıcının satış temsilcisi olduğu cariler değil).
Harici kullanıcılar için etkili değildir (teklifler, siparişler, faturalar, sözleşmeler vb. İçin her zaman kendileriyle sınırlıdır).
Projeler için etkili değildir (yalnızca proje izinleri, görünürlük ve atama konularıyla ilgili kurallar). Permission271=CA oku Permission272=Fatura oku Permission273=Fatura dağıt @@ -846,11 +847,11 @@ Permission401=İndirim oku Permission402=İndirim oluştur/değiştir Permission403=İndirim doğrula Permission404=İndirim sil -Permission430=Use Debug Bar -Permission511=Read payments of salaries (yours and subordinates) +Permission430=Hata Ayıklama Çubuğunu Kullan +Permission511=Maaş ödemelerini okuyun (sizinki ve elemanlarınız) Permission512=Maaş ödemeleri oluşturun/değiştirin Permission514=Maaş ödemelerini silin -Permission517=Read payments of salaries of everybody +Permission517=Herkesin maaş ödemelerini okuyun Permission519=Ücretleri çıkart Permission520=Borçları oku Permission522=Borç oluştur/değiştir @@ -862,19 +863,19 @@ Permission532=Hizmet oluştur/değiştir Permission534=Hizmet sil Permission536=Gizli hizmetleri gör/yönet Permission538=Hizmetleri dışa aktar -Permission561=Read payment orders by credit transfer -Permission562=Create/modify payment order by credit transfer -Permission563=Send/Transmit payment order by credit transfer -Permission564=Record Debits/Rejections of credit transfer -Permission601=Read stickers -Permission602=Create/modify stickers -Permission609=Delete stickers +Permission561=Kredi transferiyle ödeme talimatlarını okuyun +Permission562=Kredi transferiyle ödeme emri oluşturun/değiştirin +Permission563=Kredi transferiyle ödeme emrini gönder/ilet +Permission564=Borçları Kaydet/Kredi transferinin Reddi +Permission601=Etiketleri okuyun +Permission602=Çıkartma oluştur/değiştir +Permission609=Çıkartmaları sil Permission650=Gereç Cetvelleri Oku Permission651=Gereç Cetvelleri Oluştur/Güncelle Permission652=Gereç Cetvelleri Sil -Permission660=Read Manufacturing Order (MO) -Permission661=Create/Update Manufacturing Order (MO) -Permission662=Delete Manufacturing Order (MO) +Permission660=Üretim Siparişini (MO) Okuyun +Permission661=Üretim Siparişi Oluşturma/Güncelleme (MO) +Permission662=Üretim Siparişini (MO) Sil Permission701=Bağış oluştur/değiştir Permission702=Bağış sil Permission703=Bağış sil @@ -884,8 +885,8 @@ Permission773=Gider raporu sil Permission774=Bütün gider raporlarını oku (emrinde olmayanlarınkini de) Permission775=Gider raporu onayla Permission776=Ödeme gider raporu -Permission777=Read expense reports of everybody -Permission778=Create/modify expense reports of everybody +Permission777=Herkesin gider raporlarını okuyun +Permission778=Herkesin gider raporlarını oluşturun/değiştirin Permission779=Gider raporlarını dışa aktar Permission1001=Stok oku Permission1002=Depo oluştur/değiştir @@ -896,12 +897,12 @@ Permission1101=Teslimat makbuzlarını oku Permission1102=Teslimat makbuzları oluştur/değiştirme Permission1104=Teslimat makbuzlarını doğrula Permission1109=Teslimat makbuzlarını sil -Permission1121=Read supplier proposals -Permission1122=Create/modify supplier proposals -Permission1123=Validate supplier proposals +Permission1121=Tedarikçi tekliflerini okuyun +Permission1122=Tedarikçi teklifleri oluşturun/değiştirin +Permission1123=Tedarikçi tekliflerini doğrulayın Permission1124=Tedarikçi tekliflerini gönder -Permission1125=Delete supplier proposals -Permission1126=Close supplier price requests +Permission1125=Tedarikçi tekliflerini silin +Permission1126=Tedarikçi fiyat taleplerini kapat Permission1181=Tedarikçi oku Permission1182=Tedarikçi siparişlerini oku Permission1183=Tedarikçi siparişleri oluştur/değiştir @@ -910,9 +911,9 @@ Permission1185=Tedarikçi siparişlerini onayla Permission1186=Tedarikçi siparişlerini sipariş et Permission1187=Tedarikçi siparişlerinin onay makbuzu Permission1188=Tedarikçi siparişlerini sil -Permission1189=Check/Uncheck a purchase order reception +Permission1189=Bir satın alma siparişi alımını kontrol edin/işaretini kaldırın Permission1190=Tedarikçi siparişlerini onayla (ikinci onay) -Permission1191=Export supplier orders and their attributes +Permission1191=Tedarikçi siparişlerini ve özelliklerini dışa aktarın Permission1201=Bir dışa aktarma sonucu al Permission1202=Dışa aktarma Oluştur/Değiştir Permission1231=Tedarikçi faturalarını oku @@ -926,8 +927,8 @@ 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 -Permission1521=Read documents -Permission1522=Delete documents +Permission1521=Belgeleri okuyun +Permission1522=Belgeleri sil Permission2401=Kullanıcı hesabıyla bağlantılı eylemleri (olaylar veya görevler) oku (etkinliğin sahibi veya yeni atanmışsa) Permission2402=Kullanıcı hesabına (etkinliğin sahibi ise) bağlı eylemleri (etkinlikler veya görevler) oluştur/değiştir Permission2403=Kullanıcı hesabına (etkinliğin sahibi ise) bağlı işlemleri (etkinlikleri veya görevleri) sil @@ -941,47 +942,47 @@ Permission2503=Belge gönder ya da sil Permission2515=Belge dizinlerini kur Permission2801=Okuma modunda FTP istemcisi kullan (yalnızca tara ve indir) Permission2802=Yazma modunda FTP istemcisi kullan (sil ya da dosya yükle) -Permission3200=Read archived events and fingerprints -Permission3301=Generate new modules +Permission3200=Arşivlenmiş olayları ve parmak izlerini okuyun +Permission3301=Yeni modüller oluşturun Permission4001=Çalışanları gör Permission4002=Çalışan oluştur Permission4003=Çalışan sil Permission4004=Çalışanları dışa aktar -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) +Permission10001=Web sitesi içeriğini okuyun +Permission10002=Web sitesi içeriği oluşturun/değiştirin (HTML ve Javascript içeriği) +Permission10003=Web sitesi içeriği oluşturun/değiştirin (dinamik php kodu). Tehlikeli, kısıtlı geliştiricilere ayrılmalıdır. +Permission10005=Web sitesi içeriğini silin +Permission20001=İzin taleplerini okuyun (izniniz ve astlarınızın izinleri) +Permission20002=İzin isteklerinizi oluşturun/değiştirin (izinleriniz ve astlarınızın izinleri) Permission20003=İzin isteği sil -Permission20004=Read all leave requests (even of user not subordinates) -Permission20005=Create/modify leave requests for everybody (even of user not subordinates) +Permission20004=Tüm izin isteklerini okuyun (ast olmayan kullanıcıların bile) +Permission20005=Herkes için izin istekleri oluşturun/değiştirin (ast olmayan kullanıcılar için bile) Permission20006=Yönetici izin istekleri (ayarla ve bakiye güncelle) -Permission20007=Approve leave requests +Permission20007=İzin isteklerini onaylayın Permission23001=Planlı iş oku Permission23002=Planlı iş oluştur/güncelle Permission23003=Planlı iş sil Permission23004=Planlı iş yürüt -Permission50101=Use Point of Sale (SimplePOS) -Permission50151=Use Point of Sale (TakePOS) +Permission50101=Satış Noktası Kullanımı (SimplePOS) +Permission50151=Satış Noktası Kullanımı (TakePOS) Permission50201=Işlemleri oku Permission50202=İçe aktarma işlemleri -Permission50330=Read objects of Zapier -Permission50331=Create/Update objects of Zapier -Permission50332=Delete objects of Zapier -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 fiscal periods. Validate transactions and close fiscal periods. -Permission50440=Manage chart of accounts, setup of accountancy -Permission51001=Read assets -Permission51002=Create/Update assets -Permission51003=Delete assets -Permission51005=Setup types of asset +Permission50330=Zapier nesnelerini okuyun +Permission50331=Zapier nesnelerini oluşturun/güncelleyin +Permission50332=Zapier nesnelerini sil +Permission50401=Ürünleri ve faturaları muhasebe hesaplarıyla bağlayın +Permission50411=Defterdeki işlemleri okuyun +Permission50412=Defterde yazma/düzenleme işlemleri +Permission50414=Defterdeki işlemleri sil +Permission50415=Defterdeki tüm işlemleri yıl ve yevmiye olarak sil +Permission50418=Defterin ihracat işlemleri +Permission50420=Rapor ve ihracat raporları (ciro, bakiye, günlükler, defterler) +Permission50430=Mali dönemleri tanımlayın. İşlemleri doğrulayın ve mali dönemleri kapatın. +Permission50440=Hesap planını yönetin, muhasebe kurulumu +Permission51001=Varlıkları okuyun +Permission51002=Varlıkları Oluşturun/Güncelleyin +Permission51003=Varlıkları silin +Permission51005=Varlık türlerini ayarla Permission54001=Yazdır Permission55001=Anket oku Permission55002=Anket oluştur/düzenle @@ -992,26 +993,26 @@ Permission63001=Kaynak oku Permission63002=Kaynak oluştur/düzenle Permission63003=Kaynak sil Permission63004=Gündem etkinliklerine kaynak bağlantıla -Permission64001=Allow direct printing -Permission67000=Allow printing of receipts -Permission68001=Read intracomm report -Permission68002=Create/modify intracomm report -Permission68004=Delete intracomm report -Permission941601=Read receipts -Permission941602=Create and modify receipts -Permission941603=Validate receipts -Permission941604=Send receipts by email -Permission941605=Export receipts -Permission941606=Delete receipts -DictionaryCompanyType=Üçüncü parti türleri -DictionaryCompanyJuridicalType=Üçüncü partilerin yasal formları -DictionaryProspectLevel=Prospect potential level for companies -DictionaryProspectContactLevel=Prospect potential level for contacts +Permission64001=Doğrudan yazdırmaya izin ver +Permission67000=Makbuzların yazdırılmasına izin ver +Permission68001=Şirket içi raporu okuyun +Permission68002=Şirket içi rapor oluştur/değiştir +Permission68004=Topluluk içi raporu sil +Permission941601=Makbuzları oku +Permission941602=Makbuz oluşturma ve değiştirme +Permission941603=Makbuzları doğrula +Permission941604=Makbuzları e-posta ile gönderin +Permission941605=Makbuzları dışa aktar +Permission941606=Makbuzları sil +DictionaryCompanyType=Cari türleri +DictionaryCompanyJuridicalType=Carilerin yasal formları +DictionaryProspectLevel=Şirketler için potansiyel potansiyel seviyesi +DictionaryProspectContactLevel=Kişiler için potansiyel potansiyel seviyesi DictionaryCanton=İller Listesi DictionaryRegion=Bölgeler DictionaryCountry=Ülkeler DictionaryCurrency=Para birimleri -DictionaryCivility=Honorific titles +DictionaryCivility=Onursal unvanlar DictionaryActions=Gündem etkinlik türleri DictionarySocialContributions=Sosyal veya mali vergi türleri DictionaryVAT=KDV Oranları veya Satış Vergisi Oranları @@ -1036,26 +1037,26 @@ DictionaryEMailTemplates=E-posta Şablonları DictionaryUnits=Birimler DictionaryMeasuringUnits=Ölçü Birimleri DictionarySocialNetworks=Sosyal Ağlar -DictionaryProspectStatus=Prospect status for companies -DictionaryProspectContactStatus=Prospect status for contacts +DictionaryProspectStatus=Şirketler için olasılık durumu +DictionaryProspectContactStatus=Kişiler için olasılık durumu DictionaryHolidayTypes=İzin türleri -DictionaryOpportunityStatus=Lead status for project/lead +DictionaryOpportunityStatus=Proje/potansiyel müşteri için potansiyel müşteri durumu DictionaryExpenseTaxCat=Gider raporu - Ulaşım kategorileri DictionaryExpenseTaxRange=Gider raporu - Ulaşım kategorisine göre menzil -DictionaryTransportMode=Intracomm report - Transport mode -TypeOfUnit=Type of unit +DictionaryTransportMode=Intracomm raporu - Taşıma modu +TypeOfUnit=Ünite türü SetupSaved=Kurulum kaydedildi SetupNotSaved=Kurulum kaydedilmedi BackToModuleList=Modül listesine dön -BackToDictionaryList=Sözlük listesine dön +BackToDictionaryList=Tanımlar listesine dön TypeOfRevenueStamp=Damga vergisi türü VATManagement=Satış Vergisi Yönetimi VATIsUsedDesc=Potansiyel müşteriler, faturalar, siparişler vb. oluştururken KDV oranı varsayılan olarak aktif standart kuralı izler:
Eğer satıcı taraf vergiye tabi değilse KDV oranı 0 olacaktır. Kuralın sonu.
Eğer satıcı ve alıcının ülkesi aynı ise (satıcı ülkesi=alıcı ülkesi), KDV oranı varsayılan olarak ürünün satıcı ülkesindeki KDV oranına eşittir. Kuralın sonu.
Hem satıcı hem de alıcı taraf Avrupa Topluluğu'nda yer alıyorsa ve mallar taşımayla ilgili (taşıma, nakliye, havayolu) ürünler ise varsayılan KDV 0 olacaktır. Bu kural satıcının ülkesine bağlıdır - lütfen muhasebecinize danışın. KDV alıcı tarafından satıcıya değil, ülkesindeki gümrük idaresine ödenmelidir. Kuralın sonu.
Hem satıcı hem de alıcı taraf Avrupa Topluluğu'nda yer alıyorsa ve alıcı taraf bir şirket değil ise (kayıtlı bir Topluluk içi Vergi numarasına sahip), KDV oranı varsayılan olarak satıcının ülkesinin KDV oranına eşit olacaktır. Kuralın sonu.
Hem satıcı hem de alıcı taraf Avrupa Topluluğu'nda yer alıyorsa ve alıcı taraf bir şirketse (kayıtlı bir Topluluk içi Vergi numarasına sahip), KDV oranı varsayılan olarak 0 olacaktır. Kuralın sonu.
Bunların dışındaki durumlarda KDV oranı için önerilen varsayılan değer 0'dır. Kuralın sonu. VATIsNotUsedDesc=Dernekler, şahıslar veya küçük şirketler söz konusu olduğunda varsayılan olarak önerilen KDV oranı 0 olacaktır. VATIsUsedExampleFR=Fransa'da gerçek mali sisteme sahip şirketler veya kuruluşlar (Basitleştirilmiş gerçek veya normal gerçek) anlamına gelir. KDV'nin beyan edildiği bir sistem. -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. +VATIsNotUsedExampleFR=Fransa'da bu, Satış vergisi beyan edilmeyen dernekler veya mikro işletme mali sistemini seçen (franchise satış vergisi) ve herhangi bir Satış vergisi beyannamesi olmaksızın bir franchise Satış vergisi ödeyen şirketler, kuruluşlar veya serbest meslekler anlamına gelir. Bu seçim, faturalarda "Geçerli olmayan Satış vergisi - art-293B CGI" referansını gösterecektir. ##### Local Taxes ##### -TypeOfSaleTaxes=Type of sales tax +TypeOfSaleTaxes=Satış vergisi türü LTRate=Oran LocalTax1IsNotUsed=İkinci vergiyi kullanma LocalTax1IsUsedDesc=İkinci bir vergi türü kullanın (birinci dışında) @@ -1070,18 +1071,18 @@ LocalTax2Management=Üçüncü vergi türü LocalTax2IsUsedExample= LocalTax2IsNotUsedExample= LocalTax1ManagementES=RE Yönetimi -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.
+LocalTax1IsUsedDescES=Potansiyel müşteriler, faturalar, siparişler vb. Oluştururken varsayılan olarak RE oranı, aktif standart kuralı takip eder:
Alıcı RE'ye tabi değilse, varsayılan olarak RE oranı = 0. Kural sonu.
Alıcı RE'ye tabi ise, varsayılan olarak RE'ye tabidir. Kuralın sonu.
LocalTax1IsNotUsedDescES=Varsayılan olarak önerilen RE 0 dır. Kural sonu. LocalTax1IsUsedExampleES=İspanya’da İspanyol IAE nin bazı özel bölümlerine tabi profesyoneller vardır. LocalTax1IsNotUsedExampleES=İspanya’da onlar uzman ile derneklerdir ve İspanyol IAE nin belirli bölümlerine tabiidir. LocalTax2ManagementES=IRPF Yönetimi -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.
+LocalTax2IsUsedDescES=Potansiyel müşteriler, faturalar, siparişler vb. Oluştururken varsayılan olarak IRPF oranı, aktif standart kuralı takip eder:
Satıcı IRPF'ye tabi değilse, varsayılan olarak IRPF = 0. Kural sonu.
Satıcı IRPF'ye tabi ise, varsayılan olarak IRPF'dir. Kuralın sonu.
LocalTax2IsNotUsedDescES=Varsayılan olarak önerilen IRPF 0. Kural sonu. LocalTax2IsUsedExampleES=İspanya'da, hizmet işleri yapan serbest meslek sahipleri ve bağımsız uzmanlar ile bu vergi sistemini seçen firmalardır. -LocalTax2IsNotUsedExampleES=In Spain they are businesses not subject to tax system of modules. -RevenueStampDesc=The "tax stamp" or "revenue stamp" is a fixed tax you per invoice (It does not depend on amount of invoice). It can also be a percent tax but using the second or third type of tax is better for percent taxes as tax stamps does not provide any reporting. Only few countries uses this type of tax. -UseRevenueStamp=Use a tax stamp -UseRevenueStampExample=The value of tax stamp is defined by default into the setup of dictionaries (%s - %s - %s) +LocalTax2IsNotUsedExampleES=İspanya'da bunlar, modüllerin vergi sistemine tabi olmayan işletmelerdir. +RevenueStampDesc="Vergi pulu" veya "gelir pulu", fatura başına sabit bir vergidir (Fatura miktarına bağlı değildir). Yüzde vergi de olabilir, ancak ikinci veya üçüncü vergi türünü kullanmak yüzde vergiler için daha iyidir çünkü vergi pulları herhangi bir raporlama sağlamaz. Yalnızca birkaç ülke bu tür vergileri kullanır. +UseRevenueStamp=Vergi damgası kullanın +UseRevenueStampExample=Vergi damgasının değeri varsayılan olarak sözlük ayarlarında tanımlanır (%s - %s - %s) CalcLocaltax=Yerel vergi raporları CalcLocaltax1=Satışlar - Alışlar CalcLocaltax1Desc=Yerel Vergi raporları, yerel satış vergileri ile yerel alış vergileri farkı olarak hesaplanır @@ -1089,12 +1090,12 @@ CalcLocaltax2=Alışlar CalcLocaltax2Desc=Yerel Vergi raporları alımların yerel vergileri toplamıdır CalcLocaltax3=Satışlar CalcLocaltax3Desc=Yerel Vergi raporları satışların yerel vergileri toplamıdır -NoLocalTaxXForThisCountry=According to the setup of taxes (See %s - %s - %s), your country does not need to use such type of tax +NoLocalTaxXForThisCountry=Vergi ayarlarına göre (Bkz. %s - %s - %s), ülkenizin bu tür bir vergi kullanmasına gerek yoktur LabelUsedByDefault=Hiçbir çeviri kodu bulunmuyorsa varsayılan olarak kullanılan etiket LabelOnDocuments=Belgeler üzerindeki etiket LabelOrTranslationKey=Etiket veya çeviri anahtarı -ValueOfConstantKey=Value of a configuration constant -ConstantIsOn=Option %s is on +ValueOfConstantKey=Bir konfigürasyon sabitinin değeri +ConstantIsOn=%s seçeneği açık NbOfDays=Gün sayısı AtEndOfMonth=Ay sonunda CurrentNext=Güncel/Sonraki @@ -1139,7 +1140,7 @@ LoginPage=Oturum açma sayfası BackgroundImageLogin=Arka plan görüntüsü PermanentLeftSearchForm=Sol menüdeki sabit arama formu DefaultLanguage=Varsayılan dil -EnableMultilangInterface=Enable multilanguage support for customer or vendor relationships +EnableMultilangInterface=Müşteri veya satıcı ilişkileri için çoklu dil desteğini etkinleştirin EnableShowLogo=Firma logosunu menüde göster CompanyInfo=Firma/Kuruluş CompanyIds=Firma/Kuruluş kimlik bilgileri @@ -1150,11 +1151,11 @@ CompanyTown=İlçesi CompanyCountry=Ülkesi CompanyCurrency=Ana para birimi CompanyObject=Firmanın amacı -IDCountry=ID country +IDCountry=Ülke kimliği Logo=Logo -LogoDesc=Main logo of company. Will be used into generated documents (PDF, ...) +LogoDesc=Şirketin ana logosu. PDF belgelerde kullanılacaktır LogoSquarred=Logo (kare) -LogoSquarredDesc=Must be a squarred icon (width = height). This logo will be used as the favorite icon or other need like for the top menu bar (if not disabled into display setup). +LogoSquarredDesc=Kare şeklinde bir simge olmalıdır (genişlik = yükseklik). Bu logo, sık kullanılan simge olarak veya üst menü çubuğu gibi diğer ihtiyaçlar olarak kullanılacaktır (ekran kurulumunda devre dışı bırakılmamışsa). DoNotSuggestPaymentMode=Önerme NoActiveBankAccountDefined=Tanımlı etkin banka hesabı yok OwnerOfBankAccount=Banka hesabı sahibi %s @@ -1179,13 +1180,13 @@ Delays_MAIN_DELAY_MEMBERS=Gecikmiş üyelik ücreti Delays_MAIN_DELAY_CHEQUES_TO_DEPOSIT=Yapılmayan çek ödemesi Delays_MAIN_DELAY_EXPENSEREPORTS=Onaylanacak gider raporu Delays_MAIN_DELAY_HOLIDAYS=Onaylanacak izin istekleri -SetupDescription1=Dolibarr yazılımını kullanmaya başlamadan önce bazı başlangıç parametreleri tanımlanmalı, gerekli modüller etkinleştirilip/yapılandırılmalıdır. +SetupDescription1=Dolibarr yazılımını kullanmaya başlamadan önce bazı başlangıç parametreleri tanımlanmalı, gerekli modüller etkinleştirilip/yapılandırılmalıdır. SetupDescription2=Aşağıdaki iki bölümün kurulumu zorunludur (Ayarlar menüsündeki ilk iki kayıt) -SetupDescription3=%s -> %s

Basic parameters used to customize the default behavior of your application (e.g for country-related features). +SetupDescription3=%s -> %s

Uygulamanızın varsayılan davranışını özelleştirmek için kullanılan temel parametreler (ör. ülkeyle ilgili özellikler için). SetupDescription4= %s -> %s

Bu yazılım birçok modül/uygulama paketidir. Gereksinimlerinizle ilgili modüller etkinleştirilmeli ve yapılandırılmalıdır. Bu modüllerin etkinleştirilmesiyle menü girişleri görünecektir. SetupDescription5=Ayarlar menüsündeki diğer girişler isteğe bağlı parametreleri yönetmenizi sağlar. -AuditedSecurityEvents=Security events that are audited -NoSecurityEventsAreAduited=No security events are audited. You can enable them from menu %s +AuditedSecurityEvents=Denetlenen güvenlik olayları +NoSecurityEventsAreAduited=Hiçbir güvenlik olayı denetlenmez. Bunları %s menüsünden etkinleştirebilirsiniz Audit=Denetim InfoDolibarr=Dolibarr Bilgileri InfoBrowser=Tarayıcı Bilgileri @@ -1194,7 +1195,7 @@ InfoWebServer=Web Sunucusu Bilgileri InfoDatabase=Veritabanı Bilgileri InfoPHP=PHP Bilgileri InfoPerf=Performans Bilgileri -InfoSecurity=About Security +InfoSecurity=Güvenlik Hakkında BrowserName=Tarayıcı adı BrowserOS=Tarayıcı OS ListOfSecurityEvents=Dolibarr güvenlik etkinlikleri listesi @@ -1210,8 +1211,8 @@ DisplayDesc=Dolibarr'ın görünümünü ve davranışını etkileyen parametrel AvailableModules=Mevcut uygulamalar/modüller ToActivateModule=Modülleri etkinleştirmek için, ayarlar alanına gidin (Giriş->Ayarlar>Modüller). SessionTimeOut=Oturum için zaman aşımı -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. -SessionsPurgedByExternalSystem=Sessions on this server seems to be cleaned by an external mechanism (cron under debian, ubuntu ...), probably every %s seconds (= value of parameter session.gc_maxlifetime), so changing the value here has no effect. You must ask the server administrator to change session delay. +SessionExplanation=Bu sayı, oturum temizleyici Dahili PHP oturum temizleyicisi tarafından yapılırsa (ve başka hiçbir şey yapılmazsa), oturumun bu gecikmeden önce asla sona ermeyeceğini garanti eder. Dahili PHP oturum temizleyicisi, oturumun bu gecikmeden sonra sona ereceğini garanti etmez. Bu gecikmeden sonra ve oturum temizleyici çalıştırıldığında süresi sona erecektir, bu nedenle her %s /%s erişimi, ancak yalnızca diğer oturumlar tarafından yapılan erişim sırasında (değer 0 ise, oturum yalnızca harici bir işlem tarafından yapılır).
Not: harici oturum temizleme mekanizmasına sahip bazı sunucularda (cron under debian, ubuntu ...), oturumlar harici bir kurulumla tanımlanan bir süre sonunda yok edilebilir, hayır buraya girilen değer ne olursa olsun. +SessionsPurgedByExternalSystem=Bu sunucudaki oturumlar, muhtemelen her %s saniyede bir (= session.gc_maxlifetime parametresinin değeri) harici bir mekanizma (debian ve ubuntu altında cron) tarafından temizleniyor gibi görünüyor ), yani buradaki değeri değiştirmenin hiçbir etkisi yoktur. Sunucu yöneticisinden oturum gecikmesini değiştirmesini istemelisiniz. TriggersAvailable=Mevcut tetikleyiciler TriggersDesc=Tetikleyiciler, htdocs/core/triggers dizinine kopyalandığında Dolibarr iş akışının davranışını değiştirecek dosyalardır. Bu dosyalar, Dolibarr etkinliklerinde aktifleştirilmiş yeni eylemler (yeni firma oluşturma, fatura doğrulama, ...) gerçekleştirir. TriggerDisabledByName=Bu dosyadaki tetikleyiciler adlarındaki -NORUN soneki tarafından devre dışı bırakılır. @@ -1235,7 +1236,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=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. +BackupDesc2=Yüklenen ve oluşturulan tüm dosyaları içeren "belgeler" dizininin (%s) içeriğini yedekleyin. Bu aynı zamanda 1. Adımda oluşturulan tüm döküm dosyalarını da içerecektir. Bu işlem birkaç dakika sürebilir. 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. @@ -1245,15 +1246,16 @@ RestoreDesc2="documents" dizininin yedekleme dosyasını (örneğin zip dosyası RestoreDesc3=Yedeklenmiş bir döküm dosyasındaki veritabanı yapısını ve verileri, yeni Dolibarr kurulumunun veri tabanına veya mevcut olan bu kurulumun veri tabanına (%s) geri yükleyin. Uyarı: Geri yükleme tamamlandıktan sonra tekrar giriş yapabilmek için yedeklenmiş kurulumdaki mevcut olan bir kullanıcı adı/parola kullanmalısınız.
Yedeklenmiş veri tabanını mevcut olan bu kuruluma geri yüklemek için bu asistanı takip edebilirsiniz. RestoreMySQL=MySQL içeaktar ForcedToByAModule=Bu kural bir aktif modül tarafından s ye zorlanır -ValueIsForcedBySystem=This value is forced by the system. You can't change it. +ValueIsForcedBySystem=Bu değer sistem tarafından zorunlu kılınmaktadır. Onu değiştiremezsin. PreviousDumpFiles=Mevcut yedekleme dosyaları -PreviousArchiveFiles=Existing archive files +PreviousArchiveFiles=Mevcut arşiv dosyaları 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. YourPHPDoesNotHaveSSLSupport=SSL fonksiyonları PHP nizde mevcut değildir DownloadMoreSkins=Daha fazla kaplama indirin -SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefModelDesc=Referans numarasını% yyyyaa-nnnn biçiminde döndürür; burada yy yıl, aa ay ve nnnn sıfırlama olmadan sıralı otomatik artan bir sayıdır +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Adreslerle profesyonel kimliği göster ShowVATIntaInAddress=Adreslerde Vergi numarasını gizle TranslationUncomplete=Kısmi çeviri @@ -1271,29 +1273,29 @@ MAIN_PROXY_HOST=Proxy sunucusu: Ad/Adres MAIN_PROXY_PORT=Proxy sunucusu: Bağlantı noktası MAIN_PROXY_USER=Proxy sunucusu: Oturum açma/Kullanıcı MAIN_PROXY_PASS=Proxy sunucusu: Şifre -DefineHereComplementaryAttributes=Define any additional / custom attributes that must be added to: %s +DefineHereComplementaryAttributes=%s için eklenmesi gereken tüm ek özellikleri tanımlayın ExtraFields=Tamamlayıcı öznitelikler ExtraFieldsLines=Tamamlayıcı öznitelikler (satırlar) -ExtraFieldsLinesRec=Complementary attributes (templates invoices lines) +ExtraFieldsLinesRec=Tamamlayıcı özellikler (şablon fatura satırları) ExtraFieldsSupplierOrdersLines=Tamamlayıcı öznitelikler (sipariş satırları) ExtraFieldsSupplierInvoicesLines=Tamamlayıcı öznitelikler (fatura satırları) -ExtraFieldsThirdParties=Tamamlayıcı nitelikler (üçüncü taraf) +ExtraFieldsThirdParties=Tamamlayıcı nitelikler (cari) ExtraFieldsContacts=Tamamlayıcı nitelikler (kişi/adres) ExtraFieldsMember=Tamamlayıcı öznitelikler (üye) ExtraFieldsMemberType=Tamamlayıcı öznitelikler (üye türü) ExtraFieldsCustomerInvoices=Tamamlayıcı öznitelikler (faturalar) -ExtraFieldsCustomerInvoicesRec=Complementary attributes (templates invoices) +ExtraFieldsCustomerInvoicesRec=Tamamlayıcı özellikler (şablon faturalar) ExtraFieldsSupplierOrders=Tamamlayıcı öznitelikler (siparişler) ExtraFieldsSupplierInvoices=Tamamlayıcı öznitelikler (faturalar) ExtraFieldsProject=Tamamlayıcı öznitelikler (projeler) ExtraFieldsProjectTask=Tamamlayıcı öznitelikler (görevler) -ExtraFieldsSalaries=Complementary attributes (salaries) +ExtraFieldsSalaries=Tamamlayıcı özellikler (maaşlar) ExtraFieldHasWrongValue=Öznitelik %s için hatalı değer. AlphaNumOnlyLowerCharsAndNoSpace=yalnızca boşluksuz olarak alfasayısal ve küçük harfli karakterler SendmailOptionNotComplete=Uyarı: Bazı Linux sistemlerinde, e-posta adresinizden mail göndermek için sendmail yürütme kurulumu -ba seçeneğini içermelidir (php.ini dosyanızın içindeki parameter mail.force_extra_parameters). Eğer bazı alıcılar hiç e-posta alamazsa, bu PHP parametresini mail.force_extra_parameters = -ba ile düzenlemeye çalışın. PathToDocuments=Belgelerin yolu PathDirectory=Dizin -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. +SendmailOptionMayHurtBuggedMTA="Doğrudan PHP postası" yöntemini kullanarak postaları gönderme özelliği, bazı posta sunucuları tarafından doğru şekilde ayrıştırılamayan bir posta iletisi oluşturur. Sonuç, bazı postaların bu dinleme platformları tarafından barındırılan kişiler tarafından okunamamasıdır. Bu, bazı İnternet sağlayıcıları için geçerlidir. Bu Dolibarr veya PHP ile değil, alıcı posta sunucusuyla ilgili bir problemdir. Bununla birlikte, bunu önlemek için Dolibarr'ı değiştirmek için Kurulum - Diğer'de MAIN_FIX_FOR_BUGGED_MTA seçeneğini 1'e ekleyebilirsiniz. Ancak, kesinlikle SMTP standardını kullanan diğer sunucularla sorunlar yaşayabilirsiniz. Diğer çözüm (önerilen), hiçbir dezavantajı olmayan "SMTP soket kitaplığı" yöntemini kullanmaktır. TranslationSetup=Çeviri ayarları TranslationKeySearch=Çeviri anahtarı veya dizesi ara TranslationOverwriteKey=Çeviri dizesinin üzerine yaz @@ -1306,35 +1308,35 @@ WarningAtLeastKeyOrTranslationRequired=En azından anahtar veya çeviri dizesi i NewTranslationStringToShow=Gösterilecek yeni çeviri dizesi OriginalValueWas=Orijinal çevirinin üzerine yazılır. Orijinal değerler şu şekildeydi:

%s TransKeyWithoutOriginalValue=Herhangi bir dil dosyasında mevcut olmayan '%s' çeviri anahtarı için yeni bir çeviri zorlaması gerçekleştirdiniz. -TitleNumberOfActivatedModules=Activated modules -TotalNumberOfActivatedModules=Activated modules: %s / %s +TitleNumberOfActivatedModules=Aktif modüller +TotalNumberOfActivatedModules=Etkin modüller: %s/%s YouMustEnableOneModule=Enaz 1 modül etkinleştirmelisiniz -ClassNotFoundIntoPathWarning=Class %s PHP yolunda bulunamadı +ClassNotFoundIntoPathWarning=%s sınıfı PHP yolunda bulunamadı YesInSummer=Yazın evet OnlyFollowingModulesAreOpenedToExternalUsers=Not: İzinler verildiği takdirde yalnızca şu modüller dış kullanıcılar tarafından kullanılabilir (bu tür kullanıcıların izinleri ne olursa olsun):
SuhosinSessionEncrypt=Oturum depolaması Suhosin tarafından şifrelendi ConditionIsCurrently=Koşul şu anda %s durumunda YouUseBestDriver=Kullandığınız %s sürücüsü şu anda mevcut olan en iyi sürücüdür. YouDoNotUseBestDriver=%s sürücüsünü kullanıyorsunuz fakat %s sürücüsü önerilir. -NbOfObjectIsLowerThanNoPb=You have only %s %s in the database. This does not require any particular optimization. +NbOfObjectIsLowerThanNoPb=Veritabanında yalnızca %s %s var. Bu, herhangi bir özel optimizasyon gerektirmez. SearchOptim=Optimizasyon ara -YouHaveXObjectUseSearchOptim=You have %s %s in the database. You can 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. +YouHaveXObjectUseSearchOptim=Veritabanında %s %s var. %s sabitini Giriş-Ayarlar-Diğer ayarlar'da 1'e ekleyebilirsiniz. Aramayı, veritabanının dizinleri kullanmasını mümkün kılan dizelerin başlangıcıyla sınırlandırın ve anında yanıt almalısınız. +YouHaveXObjectAndSearchOptimOn=Veritabanında %s %s var ve Giriş-Ayarlar-Diğer ayarlar'da %s sabiti 1 olarak ayarlandı. BrowserIsOK=%s web tarayıcısını kullanıyorsunuz. Bu tarayıcı güvenlik ve performans açısından uygundur. -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". -AddEmailPhoneTownInContactList=Display Contact email (or phones if not defined) and town info list (select list or combobox)
Contacts will appear with a name format of "Dupond Durand - dupond.durand@email.com - Paris" or "Dupond Durand - 06 07 59 65 66 - Paris" instead of "Dupond Durand". -AskForPreferredShippingMethod=Üçüncü Partiler için tercih edilen gönderme yöntemini isteyin. +BrowserIsKO=%s web tarayıcısını kullanıyorsunuz. Bu tarayıcının güvenlik, performans ve güvenilirlik açısından kötü bir seçim olduğu bilinmektedir. Firefox, Chrome, Opera veya Safari kullanmanızı öneririz. +PHPModuleLoaded=%s PHP bileşeni yüklendi +PreloadOPCode=Önceden yüklenmiş OPCode kullanılır +AddRefInList=Müşteri/Satıcı referans bilgi listesi ve hiperlinklerin çoğu.
Cariler "Şirket adımız A.Ş." yerine "CC12345 - SC45678 - Şirket adımız A.Ş." şeklinde görünecektir. +AddAdressInList=Müşteri/Satıcı adres bilgisi listesini görüntüleyin
Cariler, "Şirket adımız A.Ş." yerine "Şirket adımız A.Ş. - Esentepe Cad. Mecidiyeköy - İstanbul - Türkiye" şeklinde görünecektir. +AddEmailPhoneTownInContactList=İletişim e-postasını (veya tanımlanmamışsa telefonları) ve şehir bilgi listesini görüntüleyin
Kişiler "Ali Koç - ali.koc@email.com - Istanbul" veya "Ali Koç - ad biçiminde görünecektir. +AskForPreferredShippingMethod=Cariler için tercih edilen gönderme yöntemini isteyin. 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 -DocumentModules=Document models +NumberingModules=Numaralandırma modelleri +DocumentModules=Belge modelleri ##### Module password generation -PasswordGenerationStandard=Return a password generated according to internal Dolibarr algorithm: %s characters containing shared numbers and characters in lowercase. +PasswordGenerationStandard=Dahili Dolibarr algoritmasına göre oluşturulmuş bir parola döndür: paylaşılan sayılar ve küçük harfli karakterler içeren %s karakter. PasswordGenerationNone=Oluşturulan bir parola önerme. Parola manuel olarak yazılmalıdır. PasswordGenerationPerso=Kişisel tanımlanmış yapılandırmanıza göre bir parola girin. SetupPerso=Yapılandırmanıza göre @@ -1344,9 +1346,9 @@ RuleForGeneratedPasswords=Parola oluşturma ve doğrulama kuralları DisableForgetPasswordLinkOnLogonPage=Oturum açma sayfasında “Parolanızı mı unuttunuz?” bağlantısını gösterme UsersSetup=Kullanıcılar modülü kurulumu UserMailRequired=Yeni bir kullanıcı oluşturmak için e-posta gerekli -UserHideInactive=Hide inactive users from all combo lists of users (Not recommended: this may means you won't be able to filter or search on old users on some pages) -UsersDocModules=Document templates for documents generated from user record -GroupsDocModules=Document templates for documents generated from a group record +UserHideInactive=Etkin olmayan kullanıcıları tüm kullanıcı listelerinden gizleyin (Önerilmez: Bu, bazı sayfalarda eski kullanıcıları filtreleyemeyeceğiniz veya bunlarda arama yapamayacağınız anlamına gelebilir) +UsersDocModules=Kullanıcı kaydından oluşturulan belgeler için belge şablonları +GroupsDocModules=Grup kaydından oluşturulan belgeler için belge şablonları ##### HRM setup ##### HRMSetup=İK modülü ayarları ##### Company setup ##### @@ -1355,10 +1357,10 @@ CompanyCodeChecker=Müşteri/tedarikçi kodlarının otomatik olarak üretilmesi AccountCodeManager=Müşteri/tedarikçi muhasebe kodlarının otomatik olarak üretilmesi için seçenekler NotificationsDesc=Bazı Dolibar etkinlikleri için e-posta bildirimleri otomatik olarak gönderilebilir.
Bildirimlerin alıcıları şu şekilde tanımlanabilir: NotificationsDescUser=* kullanıcı başına, her seferde bir kullanıcı. -NotificationsDescContact=* üçüncü parti kişisi başına (müşteri veya tedarikçiler), her seferinde bir üçüncü parti kişisi. +NotificationsDescContact=* cari kişisi başına (müşteri veya tedarikçiler), her seferinde bir cari kişisi. NotificationsDescGlobal=* veya bu kurulum sayfasında genel e-posta adreslerini ayarlayarak. ModelModules=Belge Şablonları -DocumentModelOdt=OpenDocument şablonlarından belgeler oluşturun (LibreOffice, OpenOffice, KOffice, TextEdit,.... yazılımlarından ODT / .ODS dosyaları) +DocumentModelOdt=OpenDocument şablonlarından belgeler oluşturun (LibreOffice, OpenOffice, KOffice, TextEdit,.... yazılımlarından ODT/.ODS dosyaları) WatermarkOnDraft=Taslak belge üzerinde filigran JSOnPaimentBill=Ödeme formunda ödeme satırlarını otomatik doldurma özelliğini etkinleştir CompanyIdProfChecker=Profesyonel Kimlikler için Kurallar @@ -1367,7 +1369,7 @@ MustBeMandatory=Üçüncü parti oluşturmak için zorunlu mu (Vergi numarası v MustBeInvoiceMandatory=Faturaları doğrulamak zorunludur ? TechnicalServicesProvided=Sağlanan teknik hizmetler #####DAV ##### -WebDAVSetupDesc=This is the link to access the WebDAV directory. It contains a "public" dir open to any user knowing the URL (if public directory access allowed) and a "private" directory that needs an existing login account/password for access. +WebDAVSetupDesc=Bu, WebDAV dizinine erişim bağlantısıdır. URL'yi bilen herhangi bir kullanıcıya açık bir "genel" dizin (genel dizin erişimine izin veriliyorsa) ve erişim için mevcut bir oturum açma hesabına/parolasına ihtiyaç duyan "özel" bir dizin içerir. WebDavServer=%s sunucusunun kök URL'si: %s ##### Webcal setup ##### WebCalUrlForVCalExport=%s biçimine göndermek için gerekli bağlantıyı aşağıdaki bağlantıdan bulabilirsiniz:%s @@ -1390,7 +1392,7 @@ SupplierPaymentSetup=Tedarikçi ödemesi ayarları PropalSetup=Teklif modülü kurulumu ProposalsNumberingModules=Teklif numaralandırma modülü ProposalsPDFModules=Teklif belge modelleri -SuggestedPaymentModesIfNotDefinedInProposal=Suggested payments mode on proposal by default if not defined on the proposal +SuggestedPaymentModesIfNotDefinedInProposal=Teklifte tanımlanmamışsa varsayılan olarak teklifte önerilen ödemeler modu FreeLegalTextOnProposal=Teklifler üzerinde serbest metin WatermarkOnDraftProposal=Taslak tekliflerde filigran (boşsa yoktur) BANK_ASK_PAYMENT_BANK_DURING_PROPOSAL=Teklif için banka hesabı iste @@ -1403,9 +1405,9 @@ WatermarkOnDraftSupplierProposal=Taslak tedarikçiden fiyat istekleri üzerinde BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_PROPOSAL=Fiyat isteği için hedef banka hesabı iste WAREHOUSE_ASK_WAREHOUSE_DURING_ORDER=Sipariş için Kaynak Depo iste ##### Suppliers Orders ##### -BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Ask for bank account destination of purchase order +BANK_ASK_PAYMENT_BANK_DURING_SUPPLIER_ORDER=Satın alma siparişinin banka hesabı hedefini isteyin ##### Orders ##### -SuggestedPaymentModesIfNotDefinedInOrder=Suggested payments mode on sale order by default if not defined on the order +SuggestedPaymentModesIfNotDefinedInOrder=Siparişte tanımlanmamışsa, varsayılan olarak satış siparişinde önerilen ödemeler modu OrdersSetup=Müşteri Siparişleri yönetim ayarları OrdersNumberingModules=Sipariş numaralandırma modülü OrdersModelModule=Sipariş belgesi modelleri @@ -1433,7 +1435,7 @@ AdherentMailRequired=Yeni bir üye oluşturmak için e-posta gereklidir MemberSendInformationByMailByDefault=Üyelere onay epostası (doğrulama ya da yeni abonelik) göndermek için onay kutusu varsayılan olarak açıktır VisitorCanChooseItsPaymentMode=Ziyaretçi kişi mevcut ödeme türlerinden birini seçebilir MEMBER_REMINDER_EMAIL=Süresi dolmuş abonelikler için mail yoluyla otomatik hatırlatıcıyı etkinleştir. Not: Hatırlatıcıyı gönderebilmek için %s modülü etkinleştirilmiş ve doğru bir şekilde yapılandırılmış olmalıdır. -MembersDocModules=Document templates for documents generated from member record +MembersDocModules=Üye kaydından oluşturulan belgeler için belge şablonları ##### LDAP setup ##### LDAPSetup=LDAP Kurulumu LDAPGlobalParameters=Genel parametreler @@ -1451,7 +1453,7 @@ LDAPSynchronizeUsers=LDAP ta kullanıcılarını organizasyonu LDAPSynchronizeGroups=LDAp ta grupların düzenlenmesi LDAPSynchronizeContacts=LDAP ta kişilerin organizasyonu LDAPSynchronizeMembers=LDAP ta dernek üyelerinin organizasyonu -LDAPSynchronizeMembersTypes=Organization of foundation's members types in LDAP +LDAPSynchronizeMembersTypes=LDAP'de vakıf üye türlerinin organizasyonu LDAPPrimaryServer=Birincil sunucu LDAPSecondaryServer=İkincil sunucu LDAPServerPort=Sunucusu bağlantı noktası @@ -1483,8 +1485,8 @@ LDAPMemberDn=Dolibarr üyelerinin DN si LDAPMemberDnExample=Komple DN (örn: ou = üye, dc = toplum, DC = com) LDAPMemberObjectClassList=ObjectClass Listesi LDAPMemberObjectClassListExample=Active Directory için objectClass tanımlayarak kayıt öznitelikler listesi (örn: InetOrgPerson, üst veya üst, kullanıcı) -LDAPMemberTypeDn=Dolibarr members types DN -LDAPMemberTypepDnExample=Complete DN (ex: ou=memberstypes,dc=example,dc=com) +LDAPMemberTypeDn=Dolibarr üyeleri DN türleri +LDAPMemberTypepDnExample=Tam DN (ör: ou=üye türleri, dc=örnek, dc=com) LDAPMemberTypeObjectClassList=ObjectClass Listesi LDAPMemberTypeObjectClassListExample=ObjectClass tanımlayarak kayıt özellikleri (örn: üst, groupOfUniqueNames) listesi LDAPUserObjectClassList=ObjectClass Listesi @@ -1502,11 +1504,11 @@ LDAPTestSynchroMemberType=Test üyesi türü senkronizasyonu LDAPTestSearch= LDAP arama testi LDAPSynchroOK=Senkronizasyon testi başarılı LDAPSynchroKO=Başarısız senkronizasyon testi -LDAPSynchroKOMayBePermissions=Failed synchronization test. Check that the connection to the server is correctly configured and allows LDAP updates +LDAPSynchroKOMayBePermissions=Başarısız senkronizasyon testi. Sunucuyla olan bağlantının doğru şekilde yapılandırıldığını ve LDAP güncellemelerine izin verdiğini kontrol edin LDAPTCPConnectOK=LDAP sunucusu için TCP bağlantı başarılı (Sunucu =%s, Port =%s) LDAPTCPConnectKO=LDAP sunucusuna TCP bağlantısı başarısız (Server =%s başarısız, 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) +LDAPBindOK=LDAP sunucusuna bağlanma/kimlik doğrulama başarılı (Sunucu=%s, Bağlantı Noktası=%s, Yönetici=%s, Parola=%s) +LDAPBindKO=LDAP sunucusuna bağlanma/kimlik doğrulama başarısız oldu (Sunucu=%s, Bağlantı Noktası=%s, Yönetici=%s, Parola=%s) LDAPSetupForVersion3=LDAP sunucusu sürüm 3 için yapılandırılmış LDAPSetupForVersion2=LDAP sunucusu sürüm 2 için yapılandırılmış LDAPDolibarrMapping=Dolibarr Eşleme @@ -1515,7 +1517,7 @@ LDAPFieldLoginUnix=Oturum aç (Unix) LDAPFieldLoginExample=Örnek: uid LDAPFilterConnection=Arama süzgeçi LDAPFilterConnectionExample=Example: &(objectClass=inetOrgPerson) -LDAPGroupFilterExample=Example: &(objectClass=groupOfUsers) +LDAPGroupFilterExample=Örnek: &(objectClass = groupOfUsers) LDAPFieldLoginSamba=Oturum aç (samba, activedirectory) LDAPFieldLoginSambaExample=Örnek: samaccountname LDAPFieldFullname=Tam Adı @@ -1559,43 +1561,43 @@ LDAPFieldSidExample=Örnek: objectsid LDAPFieldEndLastSubscription=Abonelik tarihi sonu LDAPFieldTitle=İş pozisyonu LDAPFieldTitleExample=Örnek: unvan -LDAPFieldGroupid=Group id -LDAPFieldGroupidExample=Exemple : gidnumber -LDAPFieldUserid=User id -LDAPFieldUseridExample=Exemple : uidnumber -LDAPFieldHomedirectory=Home directory -LDAPFieldHomedirectoryExample=Exemple : homedirectory -LDAPFieldHomedirectoryprefix=Home directory prefix +LDAPFieldGroupid=Grup kimliği +LDAPFieldGroupidExample=Örnek: gknumarası +LDAPFieldUserid=Kullanıcı kimliği +LDAPFieldUseridExample=Örnek: kknumarası +LDAPFieldHomedirectory=Ana dizin +LDAPFieldHomedirectoryExample=Örnek: ana dizin +LDAPFieldHomedirectoryprefix=Giriş dizini öneki LDAPSetupNotComplete=LDAP kurulumu tamamlanmamış (diğer sekmelere git) LDAPNoUserOrPasswordProvidedAccessIsReadOnly=Hiçbir yönetici veya parola verilmiştir. LDAP erişimi anonim ve salt okunur modunda olacaktır. LDAPDescContact=Bu sayfa Dolibarr kişileri üzerinde bulunan her bir veri için LDAP ağacındaki LDAP öznitelikleri adını tanımlamanızı sağlar. LDAPDescUsers=Bu sayfa Dolibarr kullanıcıları üzerinde bulunan her bir veri için LDAP ağacındaki LDAP öznitelikleri adını tanımlamanızı sağlar. LDAPDescGroups=Bu sayfa Dolibarr grupları üzerinde bulunan her bir veri için LDAP ağacındaki LDAP öznitelikleri adını tanımlamanızı sağlar. LDAPDescMembers=Bu sayfa Dolibarr üyeleri üzerinde bulunan her bir veri için LDAP ağacındaki LDAP öznitelikleri adını tanımlamanızı sağlar. -LDAPDescMembersTypes=This page allows you to define LDAP attributes name in LDAP tree for each data found on Dolibarr members types. +LDAPDescMembersTypes=Bu sayfa, Dolibarr üye türlerinde bulunan her veri için LDAP ağacında LDAP özniteliklerinin adını tanımlamanıza olanak tanır. LDAPDescValues=Örnek değerler aşağıdaki yüklü şemalarla OpenLDAP için tasarlanmıştır: core.schema, cosine.schema, inetorgperson.schema ). Eğer o değerleri ve OpenLDAP kullanıyorsanız, LDAP yapılandırma dosyasını slapd.conf tüm o yüklü şemaları alacak şekilde değiştirmelisiniz. ForANonAnonymousAccess=Bir kimlik doğrulamalı giriş için (örneğin bir yazma girişi) PerfDolibarr=Performans ayar/optimizasyon raporu -YouMayFindPerfAdviceHere=This page provides some checks or advice related to performance. -NotInstalled=Not installed. -NotSlowedDownByThis=Not slowed down by this. -NotRiskOfLeakWithThis=Not risk of leak with this. +YouMayFindPerfAdviceHere=Bu sayfa, performansla ilgili bazı kontroller veya tavsiyeler sağlar. +NotInstalled=Yüklü değil. +NotSlowedDownByThis=Bununla yavaşlamaz. +NotRiskOfLeakWithThis=Bununla sızıntı riski yok. ApplicativeCache=\t\nUygulamalı önbellek MemcachedNotAvailable=Uygulanabilir önbellek bulunamadı. Performansı Memcached önbellek sunucusu ve bu önbellek sunucusunu kullanabilecek bir modül kurarak arttırabilirsiniz.
Daha fazla bilgiyi buradan http://wiki.dolibarr.org/index.php/Module_MemCached_EN.
bulabilirsiniz. Bu tür önbellek sunucusunu çok fazla web barındırıcısının sağlamadığını unutmayın. MemcachedModuleAvailableButNotSetup=Uygulamalı önbellek için memcached modülü bulundu ama modülün kurulumu tamamlanmamış. MemcachedAvailableAndSetup=Memcached modülü etkinleştirilmiş memcached sunucusunu kullanmak içindir. OPCodeCache=OPCode önbelleği -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). +NoOPCodeCacheFound=OPCode önbelleği bulunamadı. Belki XCache veya eAccelerator (iyi) dışında bir OPCode önbelleği kullanıyorsunuz veya belki de OPCode önbelleğiniz yok (çok kötü). HTTPCacheStaticResources=Statik kaynaklar (css, img, javascript) için HTTP önbelleği FilesOfTypeCached=%s türündeki dosyalar HTTP sunucusu tarafından önbelleğe alınır FilesOfTypeNotCached=%s türündeki dosyalar HTTP sunucusu tarafından önbelleğe alınmaz FilesOfTypeCompressed=%s türündeki dosyalar HTTP sunucusu tarafından sıkıştırılır FilesOfTypeNotCompressed=%s türündeki dosyalar HTTP sunucusu tarafından sıkıştırılmaz CacheByServer=Sunucu önbelleği -CacheByServerDesc=For example using the Apache directive "ExpiresByType image/gif A2592000" +CacheByServerDesc=Örneğin Apache yönergesi "ExpiresByType image/gif A2592000" kullanılarak CacheByClient=Tarayıcı önbelleği CompressionOfResources=HTTP yanıtlarının sıkıştırılması -CompressionOfResourcesDesc=For example using the Apache directive "AddOutputFilterByType DEFLATE" +CompressionOfResourcesDesc=Örneğin Apache yönergesi "AddOutputFilterByType DEFLATE" kullanılarak TestNotPossibleWithCurrentBrowsers=Böyle bir otomatik algılama mevcut tarayıcılar için olası değildir DefaultValuesDesc=Burada, yeni bir kayıt oluştururken kullanmak istediğiniz varsayılan değeri ve/veya kayıtlarınızı listelediğinizde varsayılan filtreleme veya sıralama düzenini tanımlayabilirsiniz. DefaultCreateForm=Varsayılan değerler (formlarda kullanmak için) @@ -1609,13 +1611,13 @@ ServiceSetup=Hizmetler modülü kurulumu ProductServiceSetup=Ürünler ve Hizmetler modüllerinin kurulumu NumberOfProductShowInSelect=Aşağı açılan seçim listelerinde gösterilecek maksimum ürün sayısı (0=limit yok) ViewProductDescInFormAbility=Ürün açıklamalarını formlarda göster (aksi takdirde araç ipucu penceresinde gösterilir) -DoNotAddProductDescAtAddLines=Do not add product description (from product card) on submit add lines on forms -OnProductSelectAddProductDesc=How to use the description of the products when adding a product as a line of a document -AutoFillFormFieldBeforeSubmit=Auto fill the description input field with the description of product -DoNotAutofillButAutoConcat=Do not autofill the input field with description of product. Description of the product will be concatenated to the entered description automatically. -DoNotUseDescriptionOfProdut=Description of the product will never be included into the description of lines of documents +DoNotAddProductDescAtAddLines=Formlara ekleme satırlarına ürün açıklaması eklemeyin (ürün kartından) +OnProductSelectAddProductDesc=Bir belgenin satırı olarak bir ürün eklerken ürünlerin açıklaması nasıl kullanılır +AutoFillFormFieldBeforeSubmit=Açıklama giriş alanını otomatik olarak ürün açıklamasıyla doldurun +DoNotAutofillButAutoConcat=Giriş alanını ürün açıklamasıyla otomatik olarak doldurmayın. Ürün açıklaması, girilen açıklamaya otomatik olarak eklenecektir. +DoNotUseDescriptionOfProdut=Ürün açıklaması asla belge satırlarının açıklamasına dahil edilmeyecektir MergePropalProductCard=Eğer ürün/hizmet teklifte varsa Ekli Dosyalar sekmesinde ürün/hizmet seçeneğini etkinleştirin, böylece ürün PDF belgesini PDF azur teklifine birleştirirsiniz -ViewProductDescInThirdpartyLanguageAbility=Display products descriptions in forms in the language of the third party (otherwise in the language of the user) +ViewProductDescInThirdpartyLanguageAbility=Ürün açıklamalarını cari dilinde (aksi takdirde kullanıcının dilinde) formlarda görüntüleyin UseSearchToSelectProductTooltip=Ayrıca çok fazla sayıda ürüne sahipseniz (>100.000), Ayarlar->Diğer Ayarlar menüsünden PRODUCT_DONOTSEARCH_ANYWHERE sabitini 1 olarak ayarlayarak hızı arttırabilirsiniz. Bu durumda, arama dizenin başlangıcıyla sınırlı olacaktır. UseSearchToSelectProduct=Aşağı açılır listeden ürün içeriği listelemeden önce bir tuşa basarak arama yapmanızı bekler (Çok sayıda ürününüz varsa bu performansı artırabilir, fakat daha az kullanışlıdır) SetDefaultBarcodeTypeProducts=Ürünler için kullanılacak varsayılan barkod türü @@ -1632,10 +1634,10 @@ SyslogLevel=Düzey SyslogFilename=Dosya adı ve yolu YouCanUseDOL_DATA_ROOT=Dolibarr’daki “belgeler” dizinindeki bir log (günlük) dosyası için DOL_DATA_ROOT/dolibarr.log u kullanabilirsiniz. Bu dosyayı saklamak için farklı bir yol (path) kullanabilirsiniz. ErrorUnknownSyslogConstant=%s Değişmezi bilinen bir Syslog değişmezi değildir -OnlyWindowsLOG_USER=On Windows, only the LOG_USER facility will be supported -CompressSyslogs=Compression and backup of debug log files (generated by module Log for debug) -SyslogFileNumberOfSaves=Number of backup logs to keep -ConfigureCleaningCronjobToSetFrequencyOfSaves=Configure cleaning scheduled job to set log backup frequency +OnlyWindowsLOG_USER=Windows'ta yalnızca LOG_USER tesisi desteklenecektir +CompressSyslogs=Hata ayıklama günlük dosyalarının sıkıştırılması ve yedeklenmesi (hata ayıklama için günlüğü modülü tarafından oluşturulur) +SyslogFileNumberOfSaves=Saklanacak yedek günlük sayısı +ConfigureCleaningCronjobToSetFrequencyOfSaves=Günlük yedekleme sıklığını ayarlamak için temizlik programlı işini yapılandırın ##### Donations ##### DonationsSetup=Bağış modülü kurulumu DonationsReceiptModel=Bağış makbuzu şablonu @@ -1678,7 +1680,7 @@ SendingsSetup=Sevkiyat modülü ayarları SendingsReceiptModel=Makbuz gönderme modeli SendingsNumberingModules=Gönderi numaralandırma modülü SendingsAbility=Müşteri teslimatlarında sevkiyat tablolarını destekler -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. +NoNeedForDeliveryReceipts=Çoğu durumda, gönderi formları hem müşteri teslimatları (gönderilecek ürünlerin listesi) hem de müşteri tarafından alınan ve imzalanan sayfalar olarak kullanılır. Bu nedenle, ürün teslimatı fişi yinelenen bir özelliktir ve nadiren etkinleştirilir. FreeLegalTextOnShippings=Sevkiyatlarda serbest metin ##### Deliveries ##### DeliveryOrderNumberingModules=Ürün teslimat fişlerinde numaralandırma modülü @@ -1690,24 +1692,24 @@ AdvancedEditor=Gelişmiş editör ActivateFCKeditor=Gelişmiş düzenleyiciyi şunun için etkinleştir: FCKeditorForCompany=Öğe açıklamaları ve notları için WYSIWIG oluşturma/düzenleme (ürünler/hizmetler hariç) FCKeditorForProduct=Ürünlerin/hizmetlerin açıklamaları ve notlar için WYSIWIG oluşturma/düzenleme -FCKeditorForProductDetails=WYSIWIG creation/edition of products details lines for all entities (proposals, orders, invoices, etc...). Warning: Using this option for this case is seriously not recommended as it can create problems with special characters and page formatting when building PDF files. +FCKeditorForProductDetails=Tüm varlıklar (teklifler, siparişler, faturalar, vb.) İçin ürün ayrıntı satırlarının WYSIWIG oluşturulması/baskısı. Uyarı: Bu durumda bu seçeneğin kullanılması, PDF dosyalarını oluştururken özel karakterler ve sayfa biçimlendirmeyle ilgili sorunlar yaratabileceğinden, kesinlikle önerilmez. FCKeditorForMailing= Toplu e-postalar için WYSIWIG oluşturma/düzenleme (Araçlar->E-postalamalar) FCKeditorForUserSignature=Kullanıcı imzasının WYSIWIG olarak oluşturulması/düzenlenmesi FCKeditorForMail=Tüm mailler için WYSIWIG oluşturma/düzenleme (Araçlar->E-postalamalar hariç) FCKeditorForTicket=Destek bildirimleri için WYSIWIG oluşturma/düzenleme ##### Stock ##### StockSetup=Stok modülü kurulumu -IfYouUsePointOfSaleCheckModule=If you use the Point of Sale module (POS) provided by default or an external module, this setup may be ignored by your POS module. Most POS modules are designed by default to create an invoice immediately and decrease stock irrespective of the options here. So if you need or not to have a stock decrease when registering a sale from your POS, check also your POS module setup. +IfYouUsePointOfSaleCheckModule=Varsayılan olarak sağlanan Satış Noktası modülünü (POS) veya harici bir modülü kullanırsanız, bu kurulum POS modülünüz tarafından göz ardı edilebilir. Çoğu POS modülü, varsayılan olarak, hemen bir fatura oluşturmak ve buradaki seçeneklerden bağımsız olarak stoğu azaltmak için tasarlanmıştır. Bu nedenle, POS'unuzdan satış kaydederken bir stok düşüşüne ihtiyacınız varsa veya olmamak istiyorsanız, POS modülü kurulumunuzu da kontrol edin. ##### Menu ##### MenuDeleted=Menü silindi -Menu=Menu +Menu=Menü Menus=Menüler TreeMenuPersonalized=Kişiselleştirilmiş menüler NotTopTreeMenuPersonalized=Özelleştirilmiş menüler bir üst menüye bağlantılı değildir NewMenu=Yeni menü MenuHandler=Menü işleyicisi MenuModule=Kaynak modül -HideUnauthorizedMenu=Hide unauthorized menus also for internal users (just greyed otherwise) +HideUnauthorizedMenu=Yetkisiz menüleri dahili kullanıcılar için de gizleyin (aksi takdirde gri renklidir) DetailId=Kimlik menüsü DetailMenuHandler=Yeni menü göstermek için menü işleyicisi DetailMenuModule=Eğer menü girişi bir modülden geliyorsa modül adı @@ -1730,10 +1732,10 @@ TaxSetup=Vergiler, sosyal ya da mali vergiler ve kar payları modül ayarları OptionVatMode=KDV nedeniyle OptionVATDefault=Standart temel OptionVATDebitOption=Tahakkuk temelli -OptionVatDefaultDesc=KDV nin gerçekleşmesi:
- malların tesliminde (fatura tarihine göre)
- hizmet ödemelerinde -OptionVatDebitOptionDesc=KDV nin gerçeklşmesi:
- malların teslimi (fatura tarihine göre)
- hizmetler için faturada (borç) -OptionPaymentForProductAndServices=Cash basis for products and services -OptionPaymentForProductAndServicesDesc=VAT is due:
- on payment for goods
- on payments for services +OptionVatDefaultDesc=KDV nin gerçekleşmesi:
- malların tesliminde (fatura tarihine göre)
- hizmet ödemelerinde +OptionVatDebitOptionDesc=KDV nin gerçeklşmesi:
- malların teslimi (fatura tarihine göre)
- hizmetler için faturada (borç) +OptionPaymentForProductAndServices=Ürün ve hizmetler için nakit temeli +OptionPaymentForProductAndServicesDesc=KDV'nin ödenmesi gereken tarih:
- mallar için ödenen
- hizmetler için ödemeler SummaryOfVatExigibilityUsedByDefault=Seçilen seçeneğe göre varsayılan olarak KDV uygunluk süresi: OnDelivery=Teslimatta OnPayment=Ödemede @@ -1747,47 +1749,47 @@ YourCompanyDoesNotUseVAT=Firmanız KDV kullanmayacak şekilde tanımlanmış (Gi AccountancyCode=Muhasebe Kodu AccountancyCodeSell=Satış hesap. kodu AccountancyCodeBuy=Alış hesap. kodu -CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Keep the checkbox “Automatically create the payment” empty by default when creating a new tax +CREATE_NEW_VAT_WITHOUT_AUTO_PAYMENT=Yeni bir vergi oluştururken "Ödemeyi otomatik olarak oluştur" onay kutusunu varsayılan olarak boş bırakın ##### Agenda ##### AgendaSetup=Etkinlik ve gündem modülü kurulumu PasswordTogetVCalExport=Dışa aktarma bağlantısını yetkilendirme anahtarı -SecurityKey = Security Key +SecurityKey = Güvenlik anahtarı PastDelayVCalExport=Bundan daha eski etkinliği dışa aktarma AGENDA_USE_EVENT_TYPE=Etkinlik türleri kullanın (Ayarlar -> Sözlükler -> Gündem etkinlik türleri menüsünden yönetilir) -AGENDA_USE_EVENT_TYPE_DEFAULT=Automatically set this default value for type of event in event create form -AGENDA_DEFAULT_FILTER_TYPE=Automatically set this type of event in search filter of agenda view -AGENDA_DEFAULT_FILTER_STATUS=Automatically set this status for events in search filter of agenda view -AGENDA_DEFAULT_VIEW=Which view do you want to open by default when selecting menu Agenda -AGENDA_REMINDER_BROWSER=Enable event reminder on user's browser (When remind date is reached, a popup is shown by the browser. Each user can disable such notifications from its browser notification setup). +AGENDA_USE_EVENT_TYPE_DEFAULT=Olay oluşturma formundaki olay türü için varsayılan değeri otomatik olarak ayarlayın +AGENDA_DEFAULT_FILTER_TYPE=Ajanda görünümünün arama filtresinde bu tür etkinlikleri otomatik olarak ayarlayın +AGENDA_DEFAULT_FILTER_STATUS=Ajanda görünümünün arama filtresindeki etkinlikler için bu durumu otomatik olarak ayarla +AGENDA_DEFAULT_VIEW=Ajanda menüsünü seçerken varsayılan olarak hangi görünümü açmak istiyorsunuz? +AGENDA_REMINDER_BROWSER=Etkinlik hatırlatıcıyı kullanıcının tarayıcısında etkinleştirin (Hatırlatma tarihine ulaşıldığında, tarayıcı tarafından bir açılır pencere gösterilir. Her kullanıcı, bu tür bildirimleri kendi tarayıcı bildirim ayarlarından devre dışı bırakabilir). AGENDA_REMINDER_BROWSER_SOUND=Sesli bildirimi etkinleştir -AGENDA_REMINDER_EMAIL=Enable event reminder by emails (remind option/delay can be defined on each event). -AGENDA_REMINDER_EMAIL_NOTE=Note: The frequency of the task %s must be enough to be sure that the remind are sent at the correct moment. +AGENDA_REMINDER_EMAIL=Etkinlik hatırlatıcıyı e-postalarla etkinleştirin (hatırlatma seçeneği/gecikme her olayda tanımlanabilir). +AGENDA_REMINDER_EMAIL_NOTE=Not:%s görevinin sıklığı, hatırlatmanın doğru zamanda gönderildiğinden emin olmak için yeterli olmalıdır. AGENDA_SHOW_LINKED_OBJECT=Bağlantılı nesneyi gündem görünümünde göster ##### Clicktodial ##### ClickToDialSetup=TıklaAra modülü kurulumu -ClickToDialUrlDesc=Url called when a click on phone picto is done. In URL, you can use tags
__PHONETO__ that will be replaced with the phone number of person to call
__PHONEFROM__ that will be replaced with phone number of calling person (yours)
__LOGIN__ that will be replaced with clicktodial login (defined on user card)
__PASS__ that will be replaced with clicktodial password (defined on user card). -ClickToDialDesc=This module change phone numbers, when using a desktop computer, into clickable links. A click will call the number. This can be used to start the phone call when using a soft phone on your desktop or when using a CTI system based on SIP protocol for example. Note: When using a smartphone, phone numbers are always clickable. +ClickToDialUrlDesc=Telefon picto tıklandığında URL aranır. URL’de, aranacak kişinin telefon numarasıyla değiştirilecek
__PHONETO__ etiketleri kullanabilirsiniz
__PHONEFROM__ bu aramanın telefon numarasıyla değiştirilir kişi (sizinki)
__LOGIN__ tuşla arama ile değiştirilecek (kullanıcı kartında tanımlı)
__PASS__ tıklama-çevirme şifresiyle değiştirilecek (kullanıcıda tanımlı kartı). +ClickToDialDesc=Bu modül, bir masaüstü bilgisayar kullanırken telefon numaralarını tıklanabilir bağlantılara dönüştürür. Bir tıklama numarayı arayacaktır. Bu, masaüstünüzde yazılım telefonu kullanırken veya SIP protokolüne dayalı bir CTI sistemi kullanırken telefon görüşmesini başlatmak için kullanılabilir. Not: Akıllı telefon kullanırken telefon numaraları her zaman tıklanabilir. ClickToDialUseTelLink=Telefon numaraları üzerinde yalnızca bir "tel:" linki kullan -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. +ClickToDialUseTelLinkDesc=Kullanıcılarınızın tarayıcıyla aynı bilgisayarda bir yazılım telefonu veya yazılım arayüzü kuruluysa ve tarayıcınızda "tel:" ile başlayan bir bağlantıya tıkladığınızda arandığında bu yöntemi kullanın. Tam bir sunucu çözümüne ihtiyacınız varsa (yerel yazılım kurulumuna gerek yoktur), bunu "Hayır" olarak ayarlamanız ve sonraki alanı doldurmanız gerekir. ##### Point Of Sale (CashDesk) ##### CashDesk=Satış Noktası CashDeskSetup=Satış Noktası modülü kurulumu -CashDeskThirdPartyForSell=Satışlar için kullanılacak varsayılan genel üçüncü parti +CashDeskThirdPartyForSell=Satışlar için kullanılacak varsayılan genel cari CashDeskBankAccountForSell=Nakit ödemeleri almak için kullanılan varsayılan hesap -CashDeskBankAccountForCheque=Default account to use to receive payments by check +CashDeskBankAccountForCheque=Çekle ödeme almak için kullanılacak varsayılan hesap CashDeskBankAccountForCB=Nakit ödemeleri kredi kartıyla almak için kullanılan varsayılan hesap -CashDeskBankAccountForSumup=Default bank account to use to receive payments by SumUp -CashDeskDoNotDecreaseStock=Disable stock decrease when a sale is done from Point of Sale (if "no", stock decrease is done for each sale done from POS, irrespective of the option set in module Stock). +CashDeskBankAccountForSumup=SumUp ile ödeme almak için kullanılacak varsayılan banka hesabı +CashDeskDoNotDecreaseStock=Satış Noktasından satış yapıldığında stok düşüşünü devre dışı bırakın ("hayır" ise, stok modülündeki opsiyon setine bakılmaksızın POS'tan yapılan her satış için stok azalması yapılır). CashDeskIdWareHouse=Depoyu stok azaltmada kullanmak için zorla ve sınırla -StockDecreaseForPointOfSaleDisabled=Stock decrease from Point of Sale disabled -StockDecreaseForPointOfSaleDisabledbyBatch=Stock decrease in POS is not compatible with module Serial/Lot management (currently active) so stock decrease is disabled. -CashDeskYouDidNotDisableStockDecease=You did not disable stock decrease when making a sale from Point of Sale. Hence a warehouse is required. -CashDeskForceDecreaseStockLabel=Stock decrease for batch products was forced. -CashDeskForceDecreaseStockDesc=Decrease first by the oldest eatby and sellby dates. -CashDeskReaderKeyCodeForEnter=Key code for "Enter" defined in barcode reader (Example: 13) +StockDecreaseForPointOfSaleDisabled=Satış Noktasından stok düşüşü devre dışı bırakıldı +StockDecreaseForPointOfSaleDisabledbyBatch=POS'taki stok düşüşü Seri/Lot yönetimi modülü ile uyumlu değildir (şu anda aktif) bu nedenle stok düşüşü devre dışı bırakılmıştır. +CashDeskYouDidNotDisableStockDecease=Satış Noktasından satış yaparken stok düşüşünü devre dışı bırakmadınız. Bu nedenle bir depo gereklidir. +CashDeskForceDecreaseStockLabel=Toplu ürünler için stok azalması zorlandı. +CashDeskForceDecreaseStockDesc=Önce en eski yemek kadar azaltın ve tarihlere göre satış yapın. +CashDeskReaderKeyCodeForEnter=Barkod okuyucusunda tanımlanan "Enter" anahtar kodu (Örnek: 13) ##### Bookmark ##### BookmarkSetup=Yerimi modülü kurulumu -BookmarkDesc=Bu modül yer imlerini yönetmenize olanak sağlar. Ayrıca, sol taraftaki menünüzde herhangi bir Dolibarr sayfasına veya harici web sitelerine kısayollar ekleyebilirsiniz. +BookmarkDesc=Bu modül yer imlerini yönetmenize imkan sağlar. Ayrıca, sol taraftaki menünüzde herhangi bir Dolibarr sayfasına veya harici web sitelerine kısayollar ekleyebilirsiniz. NbOfBoomarkToShow=Sol menüde gösterilecek ençok yerimi sayısı ##### WebServices ##### WebServicesSetup=WebHizmetleri modülü kurulumu @@ -1801,7 +1803,7 @@ ApiProductionMode=Üretim modunu etkinleştirin (bu hizmetlerin yönetimi için ApiExporerIs=API'ları URL'de keşfedebilir ve test edebilirsiniz. OnlyActiveElementsAreExposed=Yalnızca etkin modüllerdeki öğeler gösterilir ApiKey=API için anahtar -WarningAPIExplorerDisabled=The API explorer has been disabled. API explorer is not required to provide API services. It is a tool for developer to find/test REST APIs. If you need this tool, go into setup of module API REST to activate it. +WarningAPIExplorerDisabled=API gezgini devre dışı bırakıldı. API hizmetlerini sağlamak için API gezgini gerekli değildir. Geliştiricinin REST API'lerini bulması/test etmesi için bir araçtır. Bu araca ihtiyacınız varsa, etkinleştirmek için API REST modülünün kurulumuna gidin. ##### Bank ##### BankSetupModule=Banka modülü kurulumu FreeLegalTextOnChequeReceipts=Çek makbuzlarının üzerindeki serbest metin @@ -1816,13 +1818,13 @@ MultiCompanySetup=Çoklu firma modülü kurulumu ##### Suppliers ##### SuppliersSetup=Tedarikçi modülü ayarları SuppliersCommandModel=Satınalma Siparişinin tam şablonu -SuppliersCommandModelMuscadet=Complete template of Purchase Order (old implementation of cornas template) +SuppliersCommandModelMuscadet=Satın Alma Siparişinin eksiksiz şablonu (cornas şablonunun eski uygulaması) SuppliersInvoiceModel=Satıcı Faturasının tam şablonu 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 +IfSetToYesDontForgetPermission=f boş olmayan bir değere ayarlanırsa, ikinci onay için izin verilen gruplara veya kullanıcılara izinler vermeyi unutmayın ##### GeoIPMaxmind ##### GeoIPMaxmindSetup=GeoIP MaxMind modülü kurulumu -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=Maxmind ip'den ülkeye çeviriyi içeren dosya yolu.
Örnekler:
/usr/local/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoIP.dat
/usr/share/GeoIP/GeoLite2-Country.mmdb NoteOnPathLocation=Ülkenizin ip veri dosyasının PHP nizin okuyabileceği bir dizin içinde olmasına dikkat edin (PHP nizin ope_basdir kurulumunu ve filesystem izinlerini denetleyin) YouCanDownloadFreeDatFileTo=Maxmind GeoIP ülke dosyasının bir ücretsiz demo sürümünü %s konumundan indirebilirsiniz. YouCanDownloadAdvancedDatFileTo=Ayrıca Maxmind GeoIP ülke dosyasına daha çok dosyayı %s konumundan indirebilirsiniz, güncellemeleri ile birlikte tam sürümünü, @@ -1854,26 +1856,26 @@ NoAmbiCaracAutoGeneration=Otomatik oluşturma için belirsiz karakter ("1","l"," SalariesSetup=Ücret modülü kurulumu SortOrder=Sıralama düzeni Format=Biçim -TypePaymentDesc=0:Customer payment type, 1:Vendor payment type, 2:Both customers and suppliers payment type +TypePaymentDesc=0: Müşteri ödeme türü, 1:Satıcı ödeme türü, 2:Hem müşteriler hem de tedarikçiler ödeme türü IncludePath=Yolu içerir (%s değişlende tanımlanır) ExpenseReportsSetup=Gider Raporları modülü kurulumu TemplatePDFExpenseReports=Gider raporu belgesi oluşturmak için belge şablonları ExpenseReportsRulesSetup=Gider Raporları modülü kurulumu - Kurallar ExpenseReportNumberingModules=Gider raporları numaralandırma modülü NoModueToManageStockIncrease=Otomatik stok arttırılması yapabilecek hiçbir modül etkinleştirilmemiş. Stok arttırılması yalnızca elle girişle yapılacaktır. -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 +YouMayFindNotificationsFeaturesIntoModuleNotification="Bildirim" modülünü etkinleştirip yapılandırarak e-posta bildirimleri için seçenekler bulabilirsiniz. +ListOfNotificationsPerUser=Kullanıcı başına otomatik bildirimlerin listesi * +ListOfNotificationsPerUserOrContact=Kullanıcı başına * veya kişi başına ** mevcut olan olası otomatik bildirimlerin listesi (iş etkinliğinde) +ListOfFixedNotifications=Otomatik sabit bildirimlerin listesi GoOntoUserCardToAddMore=Kullanıcılar için bildirim eklemek veya silmek için kullanıcının "Bildirimler" sekmesine gidin -GoOntoContactCardToAddMore=Go to the tab "Notifications" of a third party to add or remove notifications for contacts/addresses +GoOntoContactCardToAddMore=Kişiler/adresler için bildirim eklemek veya kaldırmak üzere carinin "Bildirimler" sekmesine gidin Threshold=Sınır -BackupDumpWizard=Wizard to build the database dump file -BackupZipWizard=Wizard to build the archive of documents directory +BackupDumpWizard=Veritabanı döküm dosyasını oluşturma sihirbazı +BackupZipWizard=Belgeler dizini arşivini oluşturma sihirbazı 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. +SomethingMakeInstallFromWebNotPossible2=Bu nedenle, burada açıklanan yükseltme işlemi, yalnızca ayrıcalıklı bir kullanıcının gerçekleştirebileceği manuel bir işlemdir. 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. -ConfFileMustContainCustom=Installing or building an external module from application need to save the module files into directory %s. To have this directory processed by Dolibarr, you must setup your conf/conf.php to add the 2 directive lines:
$dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt='%s/custom'; +ConfFileMustContainCustom=Uygulamadan harici bir modül kurmak veya oluşturmak, modül dosyalarını %s dizinine kaydetmelidir. Bu dizinin Dolibarr tarafından işlenmesi için, conf/conf.php dosyanızı 2 yönerge satırını ekleyecek şekilde ayarlamalısınız:
$dolibarr_main_url_root_alt='/custom';
$dolibarr_main_document_root_alt ='%s/özel'; HighlightLinesOnMouseHover=Tablo satırlarını fare üzerine geldiğinde vurgula HighlightLinesColor=Fare üzerinden geçerken satırı vurgulama rengi (vurgulama rengi istemiyorsanız 'ffffff' kullanın) HighlightLinesChecked=Bir satır işaretlendiğinde bu satırı vurgulama rengi (vurgulama rengi istemiyorsanız 'ffffff' kullanın) @@ -1887,21 +1889,21 @@ TopMenuDisableImages=Üst menüdeki görüntüleri gizle LeftMenuBackgroundColor=Sol menü için arka plan rengi BackgroundTableTitleColor=Tablo satırı başlığı için arka plan rengi BackgroundTableTitleTextColor=Tablo satırı başlığı için metin rengi -BackgroundTableTitleTextlinkColor=Text color for Table title link line +BackgroundTableTitleTextlinkColor=Tablo başlığı bağlantı satırı için metin rengi BackgroundTableLineOddColor=Tabloda tek satırlar için arka plan rengi BackgroundTableLineEvenColor=Tabloda çift satırlar için arka plan rengi MinimumNoticePeriod=Enaz bildirim süresi (İzin isteğiniz bu süreden önce yapılmalı) NbAddedAutomatically=Her ay (otomatik olarak) bu kullanıcının sayacına eklenen gün sayısı -EnterAnyCode=This field contains a reference to identify the line. Enter any value of your choice, but without special characters. -Enter0or1=Enter 0 or 1 -UnicodeCurrency=Enter here between braces, list of byte number that represent the currency symbol. For example: for $, enter [36] - for brazil real R$ [82,36] - for €, enter [8364] +EnterAnyCode=Bu alan, çizgiyi tanımlamak için bir referans içerir. Seçtiğiniz herhangi bir değeri, ancak özel karakterler olmadan girin. +Enter0or1=0 veya 1 girin +UnicodeCurrency=Buraya parantezlerin arasına para birimi sembolünü temsil eden bayt numaralarının listesini girin. Örneğin: $ için [36] girin - Türk Lirası TL [84,76] - € için [8364] girin ColorFormat=RGB rengi HEX formatındadır, örn: FF0000 -PictoHelp=Icon name in dolibarr format ('image.png' if into the current theme directory, 'image.png@nom_du_module' if into the directory /img/ of a module) +PictoHelp=Dolibarr biçimindeki simge adı (mevcut tema dizinindeyse 'image.png', bir modülün /img/ dizinindeyse 'image.png@nom_du_module') PositionIntoComboList=Satırın kombo listesindeki konumu SellTaxRate=Satış vergisi oranı -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). +RecuperableOnly=Evet, Fransa'daki bazı eyaletler için adanmış "Algılanmayan Ama Geri Kazanılır" KDV için. Diğer tüm durumlarda değeri "Hayır" olarak tutun. +UrlTrackingDesc=Sağlayıcı veya nakliye hizmeti, gönderilerinizin durumunu kontrol etmek için bir sayfa veya web sitesi sunuyorsa, buraya girebilirsiniz. Sistemin, kullanıcının gönderi kartına girdiği takip numarası ile değiştirmesi için URL parametrelerinde {TRACKID} anahtarını kullanabilirsiniz. +OpportunityPercent=Bir müşteri adayı oluşturduğunuzda, tahmini bir proje/müşteri adayı miktarı tanımlayacaksınız. Potansiyel müşterinin durumuna göre, tüm potansiyel müşterilerinizin oluşturabileceği toplam miktarı değerlendirmek için bu miktar bu oranla çarpılabilir. Değer bir yüzdedir (0 ile 100 arasında). TemplateForElement=Bu şablon kaydının ayrıldığı öğe TypeOfTemplate=Şablon türü TemplateIsVisibleByOwnerOnly=Şablon yalnızca sahibi tarafından görülebilir @@ -1911,8 +1913,8 @@ FixTZ=Saat Dilimi Farkı FillFixTZOnlyIfRequired=Örnek: +2 (yalnızca sorun yaşanmışsa doldurun) ExpectedChecksum=Beklenen Sağlama CurrentChecksum=Geçerli Sağlama -ExpectedSize=Expected size -CurrentSize=Current size +ExpectedSize=Beklenen boyut +CurrentSize=Şu anki boyutu ForcedConstants=Gerekli sabit değerler MailToSendProposal=Müşteri teklifleri MailToSendOrder=Müşteri siparişleri @@ -1923,8 +1925,8 @@ MailToSendSupplierRequestForQuotation=Teklif talebi MailToSendSupplierOrder=Tedarikçi siparişleri MailToSendSupplierInvoice=Tedarikçi faturaları MailToSendContract=Sözleşmeler -MailToSendReception=Receptions -MailToThirdparty=Üçüncü partiler +MailToSendReception=Resepsiyonlar +MailToThirdparty=Cariler MailToMember=Üyeler MailToUser=Kullanıcılar MailToProject=Projeler @@ -1934,19 +1936,19 @@ YouUseLastStableVersion=En son kararlı sürümü kullanıyorsunuz TitleExampleForMajorRelease=Bu ana sürümü duyurmak için kullanabileceğiniz mesaj örneği (web sitenizde rahatça kullanabilirsiniz) TitleExampleForMaintenanceRelease=Bu bakım sürümü duyurmak için kullanabileceğiniz mesaj örneği (web sitenizde rahatça kullanabilirsiniz) ExampleOfNewsMessageForMajorRelease=Dolibarr ERP & CRM %s kullanıma hazır. Versiyon %s, hem kullanıcılar hem de geliştiriciler için bir çok yeni özelliğe sahip majör bir sürümdür. Bu sürümü https://www.dolibarr.org portalının indirme alanından indirebilirsiniz (alt dizin Kararlı sürümler). Değişikliklerin tam listesini ChangeLog bölümünde inceleyebilirsiniz. -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. +ExampleOfNewsMessageForMaintenanceRelease=Dolibarr ERP & CRM %s mevcuttur. %s sürümü bir bakım sürümüdür, bu nedenle yalnızca hata düzeltmelerini içerir. Tüm kullanıcıların bu sürüme yükseltmelerini tavsiye ederiz. Bir bakım sürümü, veritabanına yeni özellikler veya değişiklikler getirmez. Https://www.dolibarr.org portalının (alt dizin Stable sürümleri) indirme alanından indirebilirsiniz. Değişikliklerin tam listesi için ChangeLog’u okuyabilirsiniz. +MultiPriceRuleDesc="Ürün/hizmet başına birkaç fiyat düzeyi" seçeneği etkinleştirildiğinde, her ürün için farklı fiyatlar (fiyat düzeyi başına bir) tanımlayabilirsiniz. Size zaman kazandırmak için, ilk seviyenin fiyatına dayalı olarak her seviye için bir fiyatı otomatik hesaplamak üzere buraya bir kural girebilirsiniz, böylece her ürün için yalnızca ilk seviye için bir fiyat girmeniz gerekecektir. Bu sayfa size zaman kazandırmak için tasarlanmıştır, ancak yalnızca her seviye için fiyatlarınız birinci seviyeye göre ise kullanışlıdır. Çoğu durumda bu sayfayı göz ardı edebilirsiniz. ModelModulesProduct=Ürün belgeleri için şablonlar -WarehouseModelModules=Templates for documents of warehouses -ToGenerateCodeDefineAutomaticRuleFirst=To be able to generate codes automatically, you must first define a manager to auto-define the barcode number. +WarehouseModelModules=Depo belgeleri için şablonlar +ToGenerateCodeDefineAutomaticRuleFirst=Kodları otomatik olarak oluşturabilmek için, önce barkod numarasını otomatik olarak tanımlayan bir yönetici tanımlamalısınız. SeeSubstitutionVars=Olası yedek değişkenlerin lstesi için * notuna bakın SeeChangeLog=ChangeLog dosyasına bakın (sadece ingilizce) AllPublishers=Bütün yayıncılar UnknownPublishers=Bilinmeyen yayıncılar AddRemoveTabs=Sekme ekle ya da sil AddDataTables=Nesne tabloları ekle -AddDictionaries=Sözlük tabloları ekleyin -AddData=Nesne veya sözlük verileri ekle +AddDictionaries=Tanım tabloları ekleyin +AddData=Nesne veya tanım verileri ekle AddBoxes=Ekran etiketi ekle AddSheduledJobs=Planlı görev ekle AddHooks=Kanca ekle @@ -1959,78 +1961,78 @@ AddOtherPagesOrServices=Başka sayfa ya da hizmet ekle AddModels=belge ya da numaralandırma şablonu ekle AddSubstitutions=Yedek anahtar ekle DetectionNotPossible=Algılama olası değil -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) +UrlToGetKeyToUseAPIs=API'yi kullanmak için jeton alınacak URL (jeton alındığında, veritabanı kullanıcı tablosuna kaydedilir ve her API çağrısında sağlanmalıdır) ListOfAvailableAPIs=Mevcut API listesi -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. +activateModuleDependNotSatisfied="%s" modülü eksik olan "%s" modülüne bağlıdır, bu nedenle "%1$s" modülü düzgün çalışmayabilir. Herhangi bir sürprizden korunmak istiyorsanız lütfen "%2$s" modülünü yükleyin veya "%1$s" modülünü devre dışı bırakın +CommandIsNotInsideAllowedCommands=Çalıştırmaya çalıştığınız komut, conf.php dosyasındaki $dolibarr_main_restrict_os_commands parametresinde tanımlanan izin verilen komutlar listesinde değil. LandingPage=Açılış sayfası -SamePriceAlsoForSharedCompanies=If you use a multicompany module, with the choice "Single price", the price will also be the same for all companies if products are shared between environments -ModuleEnabledAdminMustCheckRights=Module has been activated. Permissions for activated module(s) were given to admin users only. You may need to grant permissions to other users or groups manually if necessary. +SamePriceAlsoForSharedCompanies="Tek fiyat" seçeneğiyle çok şirketli bir modül kullanıyorsanız, ürünler ortamlar arasında paylaşılıyorsa fiyat tüm şirketler için aynı olacaktır. +ModuleEnabledAdminMustCheckRights=Modül etkinleştirildi. Etkinleştirilen modüllerin izinleri yalnızca yönetici kullanıcılara verildi. Gerekirse diğer kullanıcılara veya gruplara manuel olarak izin vermeniz gerekebilir. UserHasNoPermissions=Bu kullanıcının tanımlanmış bir izni yok -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") +TypeCdr=Ödeme süresi tarihi faturanın tarihi artı gün cinsinden bir delta ise "Hiçbiri" seçeneğini kullanın (delta, "%s" alanıdır)
Deltadan sonra tarihin şu değere yükseltilmesi gerekiyorsa "Ay sonunda" seçeneğini kullanın ayın sonuna ulaşın (+ gün olarak isteğe bağlı "%s")
Ödeme vade tarihinin deltadan sonraki ayın ilk N'si olması için "Geçerli/Sonraki" seçeneğini kullanın (delta "%s" alanıdır, N şu şekildedir: "%s" alanına kaydedilir) BaseCurrency=Firmanın referans para birimi (bunu değiştirmek için firmanın ayarlarına gidin) WarningNoteModuleInvoiceForFrenchLaw=Bu modul %s Fransız yasalarına uygun (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. +WarningNoteModulePOSForFrenchLaw=Bu %s modülü Fransız yasalarına (Loi Finance 2016) uygundur çünkü Geri Döndürülebilir Olmayan Günlükler modülü otomatik olarak etkinleştirilir. +WarningInstallationMayBecomeNotCompliantWithLaw=Harici bir modül olan %s modülünü kurmaya çalışıyorsunuz. Harici bir modülün etkinleştirilmesi, o modülün yayıncısına güvendiğiniz ve bu modülün uygulamanızın davranışını olumsuz yönde etkilemeyeceğinden ve ülkenizin yasalarına (%s) uygun olduğundan emin olduğunuz anlamına gelir. Modül yasadışı bir özellik ortaya koyarsa, yasadışı yazılımın kullanımından sorumlu olursunuz. MAIN_PDF_MARGIN_LEFT=PDF'deki sol boşluk MAIN_PDF_MARGIN_RIGHT=PDF'deki sağ boşluk MAIN_PDF_MARGIN_TOP=PDF'deki üst boşluk MAIN_PDF_MARGIN_BOTTOM=PDF'deki alt kenar boşluğu -MAIN_DOCUMENTS_LOGO_HEIGHT=Height for logo on PDF +MAIN_DOCUMENTS_LOGO_HEIGHT=PDF'deki logo için yükseklik NothingToSetup=Bu modül için gerekli özel bir kurulum yok. SetToYesIfGroupIsComputationOfOtherGroups=Eğer bu grup diğer grupların bir hesaplaması ise bunu evet olarak ayarlayın -EnterCalculationRuleIfPreviousFieldIsYes=Enter calculation rule if previous field was set to Yes.
For example:
CODEGRP1+CODEGRP2 +EnterCalculationRuleIfPreviousFieldIsYes=Önceki alan Evet olarak ayarlanmışsa hesaplama kuralını girin.
Örneğin:
CODEGRP1+CODEGRP2 SeveralLangugeVariatFound=Birçok dil varyantı bulundu RemoveSpecialChars=Özel karakterleri kaldır -COMPANY_AQUARIUM_CLEAN_REGEX=Regex filter to clean value (COMPANY_AQUARIUM_CLEAN_REGEX) -COMPANY_DIGITARIA_CLEAN_REGEX=Regex filter to clean value (COMPANY_DIGITARIA_CLEAN_REGEX) -COMPANY_DIGITARIA_UNIQUE_CODE=Duplicate not allowed +COMPANY_AQUARIUM_CLEAN_REGEX=Değeri temizlemek için normal ifade filtresi (COMPANY_AQUARIUM_CLEAN_REGEX) +COMPANY_DIGITARIA_CLEAN_REGEX=Değeri temizlemek için normal ifade filtresi (COMPANY_DIGITARIA_CLEAN_REGEX) +COMPANY_DIGITARIA_UNIQUE_CODE=Yinelemeye izin verilmiyor GDPRContact=Veri Koruma Görevlisi (DPO, Veri Gizliliği veya GDPR kişisi) GDPRContactDesc=Avrupalı şirketler veya vatandaşlar hakkında veri depoluyorsanız Genel Veri Koruma Yönetmeliği'nden (GDPR) sorumlu kişiyi burada adlandırabilirsiniz HelpOnTooltip=Araç ipucunda gösterilecek yardım metni -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 +HelpOnTooltipDesc=Bu alan bir formda göründüğünde metnin bir araç ipucunda gösterilmesi için buraya metin veya çeviri anahtarı koyun +YouCanDeleteFileOnServerWith=Bu dosyayı sunucudaki Komut Satırı ile silebilirsiniz:
%s +ChartLoaded=Hesap planı yüklendi SocialNetworkSetup=Sosyal Ağlar modülünün kurulumu EnableFeatureFor=%s için özellikleri etkinleştir -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. +VATIsUsedIsOff=Not: KDV kullanma seçeneği %s - %s menüsünde Kapalı olarak ayarlandı, bu nedenle kullanılan KDV, satışlar için her zaman 0 olacaktır. SwapSenderAndRecipientOnPDF=PDF üzerindeki gönderen ve alıcı adreslerinin yerini birbiriyle değiştir -FeatureSupportedOnTextFieldsOnly=Warning, feature supported on text fields and combo lists 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 -EmailcollectorOperationsDesc=Operations are executed from top to bottom order -MaxEmailCollectPerCollect=Max number of emails collected per collect +FeatureSupportedOnTextFieldsOnly=Uyarı, özellik yalnızca metin alanlarında ve birleşik listelerde desteklenir. Ayrıca bir URL parametresi action=create veya action=edit ayarlanmalıdır VEYA sayfa adı bu özelliği tetiklemek için 'new.php' ile bitmelidir. +EmailCollector=E-posta toplayıcı +EmailCollectorDescription=Düzenli olarak e-posta kutularını taramak (IMAP protokolünü kullanarak) ve uygulamanıza alınan e-postaları doğru yerde kaydetmek ve/veya bazı kayıtları otomatik olarak (potansiyel müşteriler gibi) oluşturmak için planlanmış bir iş ve bir kurulum sayfası ekleyin. +NewEmailCollector=Yeni E-posta Toplayıcı +EMailHost=E-posta IMAP sunucusu ana bilgisayarı +MailboxSourceDirectory=Posta kutusu kaynak dizini +MailboxTargetDirectory=Posta kutusu hedef dizini +EmailcollectorOperations=Toplayıcı tarafından yapılacak işlemler +EmailcollectorOperationsDesc=İşlemler yukarıdan aşağıya doğru yapılır +MaxEmailCollectPerCollect=Toplama başına toplanan maksimum e-posta sayısı CollectNow=Şimdi topla -ConfirmCloneEmailCollector=Are you sure you want to clone the Email collector %s ? -DateLastCollectResult=Date of latest collect try -DateLastcollectResultOk=Date of latest collect success +ConfirmCloneEmailCollector=E-posta toplayıcısını %s klonlamak istediğinizden emin misiniz? +DateLastCollectResult=En son deneme toplama tarihi +DateLastcollectResultOk=En son başarılı toplama tarihi LastResult=En son sonuç -EmailCollectorConfirmCollectTitle=Email collect confirmation -EmailCollectorConfirmCollect=Do you want to run the collection for this collector now ? -NoNewEmailToProcess=No new email (matching filters) to process +EmailCollectorConfirmCollectTitle=E-posta toplama onayı +EmailCollectorConfirmCollect=Bu koleksiyoncu için koleksiyonu şimdi çalıştırmak istiyor musunuz? +NoNewEmailToProcess=İşlenecek yeni e-posta (eşleşen filtreler) yok NothingProcessed=Hiçbir şey yapılmadı -XEmailsDoneYActionsDone=%s emails qualified, %s emails successfully processed (for %s record/actions done) -RecordEvent=Record email event -CreateLeadAndThirdParty=Aday oluştur (ve gerekirse üçüncü parti) -CreateTicketAndThirdParty=Create ticket (and link to third party if it was loaded by a previous operation) +XEmailsDoneYActionsDone=%s e-postası uygun, %s e-postası başarıyla işlendi (%s kaydı/yapılan eylem için) +RecordEvent=E-posta olayını kaydet +CreateLeadAndThirdParty=Aday oluştur (ve gerekirse cari) +CreateTicketAndThirdParty=Bilet oluşturun (ve önceki bir işlemle yüklenmişse cariye bağlantı verin) CodeLastResult=En son sonuç kodu -NbOfEmailsInInbox=Number of emails in source directory -LoadThirdPartyFromName=Load third party searching on %s (load only) -LoadThirdPartyFromNameOrCreate=Load third party searching on %s (create if not found) -WithDolTrackingID=Message from a conversation initiated by a first email sent from Dolibarr -WithoutDolTrackingID=Message from a conversation initiated by a first email NOT sent from Dolibarr -WithDolTrackingIDInMsgId=Message sent from Dolibarr -WithoutDolTrackingIDInMsgId=Message NOT sent from Dolibarr -CreateCandidature=Create job application +NbOfEmailsInInbox=Kaynak dizindeki e-postaların sayısı +LoadThirdPartyFromName=%s üzerinde cari aramasını yükle (yalnızca yükle) +LoadThirdPartyFromNameOrCreate=%s üzerinde cari aramasını yükle (bulunamazsa oluşturun) +WithDolTrackingID=Dolibarr'dan gönderilen ilk e-postayla başlatılan bir görüşmeden gelen mesaj +WithoutDolTrackingID=Dolibarr'dan GÖNDERİLMEYEN ilk e-posta ile başlatılan bir görüşmeden gelen mesaj +WithDolTrackingIDInMsgId=Dolibarr'dan gönderilen mesaj +WithoutDolTrackingIDInMsgId=Dolibarr'dan mesaj gönderilmedi +CreateCandidature=İş başvurusu oluştur FormatZip=Posta Kodu -MainMenuCode=Menu entry code (mainmenu) +MainMenuCode=Menü giriş kodu (ana menü) ECMAutoTree=Otomatik ECM ağacını göster -OperationParamDesc=Define the values to use for the object of the action, or how to extract values. For example:
objproperty1=SET:the value to set
objproperty2=SET:a value with replacement of __objproperty1__
objproperty3=SETIFEMPTY:value used if objproperty3 is not already defined
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:My company name is\\s([^\\s]*)

Use a ; char as separator to extract or set several properties. +OperationParamDesc=Eylemin nesnesi için kullanılacak değerleri veya değerlerin nasıl çıkarılacağını tanımlayın. Örneğin:
objproperty1=SET: ayarlanacak değer
objproperty2=SET:__objproperty1__ yerine geçen bir değer
objproperty3=SETIFEMPTY:objproperty3 önceden tanımlanmamışsa kullanılan değer
objproperty4=EXTRACT:HEADER:X-Myheaderkey:\\s*([^\\s]*)
options_myextrafield1=EXTRACT:SUBJECT:([^\n]*)
object.objproperty5=EXTRACT:BODY:Şirket adı\\s([^\\s]*)

a kullanın; Birkaç özelliği ayıklamak veya ayarlamak için ayırıcı olarak karakter. OpeningHours=Açılış saatleri OpeningHoursDesc=Buraya firmanızın normal çalışma saatlerini girin. ResourceSetup=Kaynak modülünün yapılandırılması @@ -2040,19 +2042,19 @@ DisabledResourceLinkContact=Bir kaynağı kişilere bağlama özelliğini devre EnableResourceUsedInEventCheck=Bir etkinlikte kaynağın kullanılıp kullanılmadığını kontrol etme özelliğini etkinleştir ConfirmUnactivation=Modül sıfırlamayı onayla OnMobileOnly=Sadece küçük ekranda (akıllı telefon) -DisableProspectCustomerType=Disable the "Prospect + Customer" third party type (so third party must be "Prospect" or "Customer", but can't be both) +DisableProspectCustomerType="Olasılık + Müşteri" cari türünü devre dışı bırakın (bu nedenle cari "Olasılık" veya "Müşteri" olmalıdır, ancak ikisi birden olamaz) MAIN_OPTIMIZEFORTEXTBROWSER=Görme engelli insanlar için arayüzü basitleştir -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. +MAIN_OPTIMIZEFORTEXTBROWSERDesc=Kör biriyseniz veya uygulamayı Lynx veya Links gibi bir metin tarayıcısından kullanıyorsanız bu seçeneği etkinleştirin. +MAIN_OPTIMIZEFORCOLORBLIND=Renk körü için arayüz rengini değiştirin +MAIN_OPTIMIZEFORCOLORBLINDDesc=Renk körü bir kişiyseniz bu seçeneği etkinleştirin, bazı durumlarda arayüz kontrastı artırmak için renk ayarını değiştirir. Protanopia=Kırmızı körlüğü Deuteranopes=Renk körü Tritanopes=Renk körlüğü -ThisValueCanOverwrittenOnUserLevel=This value can be overwritten by each user from its user page - tab '%s' -DefaultCustomerType="Yeni müşteri" oluşturma formunda varsayılan üçüncü parti türü -ABankAccountMustBeDefinedOnPaymentModeSetup=Note: The bank account must be defined on the module of each payment mode (Paypal, Stripe, ...) to have this feature working. +ThisValueCanOverwrittenOnUserLevel=Bu değer, kullanıcı sayfasından her kullanıcı tarafından üzerine yazılabilir - sekme '%s' +DefaultCustomerType="Yeni müşteri" oluşturma formunda varsayılan cari türü +ABankAccountMustBeDefinedOnPaymentModeSetup=Not: Bu özelliğin çalışması için banka hesabı her ödeme modunun (Paypal, Stripe, ...) modülünde tanımlanmalıdır. RootCategoryForProductsToSell=Satılacak ürünlerin kök kategorisi -RootCategoryForProductsToSellDesc=If defined, only products inside this category or childs of this category will be available in the Point Of Sale +RootCategoryForProductsToSellDesc=Tanımlanırsa, yalnızca bu kategorideki ürünler veya bu kategorinin alt öğeleri Satış Noktasında bulunacaktır. DebugBar=Hata Ayıklama Çubuğu DebugBarDesc=Hata ayıklamayı basitleştirmek için bir çok araç ile gelen araç çubuğu DebugBarSetup=Hata Ayıklama Çubuğu Kurulumu @@ -2062,63 +2064,68 @@ UseDebugBar=Hata ayıklama çubuğunu kullan DEBUGBAR_LOGS_LINES_NUMBER=Konsolda saklanacak son günlük satırı sayısı WarningValueHigherSlowsDramaticalyOutput=Uyarı, yüksek değerler çıktıyı önemli ölçüde yavaşlatır ModuleActivated=Modül 1 %s etkinleştirilmiştir ve arayüzü yavaşlatıyor. -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) -ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) -IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. -AntivirusEnabledOnUpload=Antivirus enabled on uploaded files -SomeFilesOrDirInRootAreWritable=Some files or directories are not in a read-only mode +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) +ModuleSyslogActivatedButLevelNotTooVerbose=%s modülü etkinleştirildi ve günlük düzeyi (%s) doğru (çok ayrıntılı değil) +IfYouAreOnAProductionSetThis=Bir üretim ortamındaysanız, bu özelliği %s olarak ayarlamalısınız. +AntivirusEnabledOnUpload=Yüklenen dosyalarda antivirüs etkin +SomeFilesOrDirInRootAreWritable=Bazı dosyalar veya dizinler salt okunur modda değil EXPORTS_SHARE_MODELS=Dışa aktarma modelleri herkesle paylaşılır ExportSetup=Dışa aktarma modülünün kurulumu ImportSetup=İçe aktarım modülünün kurulumu -InstanceUniqueID=Unique ID of the instance +InstanceUniqueID=Örneğin benzersiz kimliği SmallerThan=Şundan daha küçük LargerThan=Şundan daha büyük -IfTrackingIDFoundEventWillBeLinked=Note that If a tracking ID of an object is found into email, or if the email is an answer of an email aready collected and linked to an object, the created event will be automatically linked to the known related object. -WithGMailYouCanCreateADedicatedPassword=With a GMail account, if you enabled the 2 steps validation, it is recommanded to create a dedicated second password for the application instead of using your own account passsword from https://myaccount.google.com/. -EmailCollectorTargetDir=It may be a desired behaviour to move the email into another tag/directory when it was processed successfully. Just set name of directory here to use this feature (Do NOT use special characters in name). Note that you must also use a read/write login account. -EmailCollectorLoadThirdPartyHelp=You can use this action to use the email content to find and load an existing thirdparty in your database. The found (or created) thirdparty will be used for following actions that need it. In the parameter field you can use for example 'EXTRACT:BODY:Name:\\s([^\\s]*)' if you want to extract the name of the thirdparty from a string 'Name: name to find' found into the body. +IfTrackingIDFoundEventWillBeLinked=Bir nesnenin izleme kimliği e-postada bulunursa veya e-posta bir e-postanın hemen toplanan ve bir nesneye bağlanan bir cevabıysa, oluşturulan olayın otomatik olarak bilinen ilgili nesneye bağlanacağını unutmayın. +WithGMailYouCanCreateADedicatedPassword=Bir GMail hesabıyla, 2 adımlı doğrulamayı etkinleştirdiyseniz, https://myaccount.google.com/ adresinden kendi hesap şifrenizi kullanmak yerine uygulama için özel bir ikinci şifre oluşturmanız önerilir. +EmailCollectorTargetDir=Başarıyla işlendiğinde e-postayı başka bir etikete/dizine taşımak istenen bir davranış olabilir. Bu özelliği kullanmak için burada dizinin adını ayarlamanız yeterlidir (isimde özel karakterler KULLANMAYIN). Ayrıca bir okuma/yazma oturum açma hesabı kullanmanız gerektiğini unutmayın. +EmailCollectorLoadThirdPartyHelp=Veritabanınızdaki mevcut bir cari bulmak ve yüklemek için e-posta içeriğini kullanmak için bu eylemi kullanabilirsiniz. Bulunan (veya oluşturulan) cari, ihtiyaç duyan aşağıdaki eylemler için kullanılacaktır. Parametre alanında, örneğin 'EXTRACT: BODY: Name: \\s([^\\s]*)' kullanabilirsiniz, eğer cari adını gövdeden çıkarmak istiyorsanız 'Ad: bulunacak ad' yapınız. EndPointFor=%s için bitiş noktası: %s DeleteEmailCollector=E-posta toplayıcıyı sil ConfirmDeleteEmailCollector=Bu e-posta toplayıcıyı silmek istediğinizden emin misiniz? RecipientEmailsWillBeReplacedWithThisValue=Alıcı e-postaları her zaman bu değerle değiştirilecektir AtLeastOneDefaultBankAccountMandatory=En az 1 varsayılan banka hesabı tanımlanmalıdır -RESTRICT_ON_IP=Allow access to some host IP only (wildcard not allowed, use space between values). Empty means every hosts can access. +RESTRICT_ON_IP=Yalnızca bazı ana bilgisayar IP'lerine erişime izin verin (joker karaktere izin verilmez, değerler arasında boşluk kullanın). Boş, her ana bilgisayarın erişebileceği anlamına gelir. IPListExample=127.0.0.1 192.168.0.2 [::1] -BaseOnSabeDavVersion=Based on the library SabreDAV version +BaseOnSabeDavVersion=Kütüphane SabreDAV versiyonuna göre NotAPublicIp=Herkese açık bir IP değil -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=Vakfın Dolibarr kurulumunu saymasına izin vermek için Dolibarr vakıf sunucusuna anonim bir Ping '+1' yapın (kurulumdan sonra sadece 1 kez yapılır). FeatureNotAvailableWithReceptionModule=Alış modül etkinleştirildiğinde özellik kullanılamaz EmailTemplate=E-posta şablonu EMailsWillHaveMessageID=E-postalarda bu sözdizimiyle eşleşen bir 'Referanslar' etiketi bulunacak -PDF_SHOW_PROJECT=Show project on document -ShowProjectLabel=Project Label -PDF_USE_ALSO_LANGUAGE_CODE=If you want to have some texts in your PDF duplicated in 2 different languages in the same generated PDF, you must set here this second language so generated PDF will contains 2 different languages in same page, the one chosen when generating PDF and this one (only few PDF templates support this). Keep empty for 1 language per PDF. -FafaIconSocialNetworksDesc=Enter here the code of a FontAwesome icon. If you don't know what is FontAwesome, you can use the generic value fa-address-book. +PDF_SHOW_PROJECT=Belgede projeyi göster +ShowProjectLabel=Proje Etiketi +PDF_USE_ALSO_LANGUAGE_CODE=PDF'nizdeki bazı metinlerin aynı oluşturulan PDF'de 2 farklı dilde çoğaltılmasını istiyorsanız, burada bu ikinci dili ayarlamanız gerekir, böylece oluşturulan PDF aynı sayfada 2 farklı dil içerir, biri PDF oluşturulurken seçilir ve bu ( yalnızca birkaç PDF şablonu bunu destekler). PDF başına 1 dil için boş bırakın. +FafaIconSocialNetworksDesc=Buraya FontAwesome simgesinin kodunu girin. FontAwesome'ın ne olduğunu bilmiyorsanız, fa-address-book genel değerini kullanabilirsiniz. FeatureNotAvailableWithReceptionModule=Alış modül etkinleştirildiğinde özellik kullanılamaz -RssNote=Note: Each RSS feed definition provides a widget that you must enable to have it available in dashboard -JumpToBoxes=Jump to Setup -> Widgets -MeasuringUnitTypeDesc=Use here a value like "size", "surface", "volume", "weight", "time" -MeasuringScaleDesc=The scale is the number of places you have to move the decimal part to match the default reference unit. For "time" unit type, it is the number of seconds. Values between 80 and 99 are reserved values. -TemplateAdded=Template added -TemplateUpdated=Template updated -TemplateDeleted=Template deleted -MailToSendEventPush=Event reminder email -SwitchThisForABetterSecurity=Switching this value to %s is recommended for more security -DictionaryProductNature= Nature of product -CountryIfSpecificToOneCountry=Country (if specific to a given country) -YouMayFindSecurityAdviceHere=You may find security advisory here -ModuleActivatedMayExposeInformation=This PHP extension may expose sensitive data. If you don't need it, disable it. -ModuleActivatedDoNotUseInProduction=A module designed for the development has been enabled. Do not enable it on a production environment. -CombinationsSeparator=Separator character for product combinations -SeeLinkToOnlineDocumentation=See link to online documention on top menu for examples -SHOW_SUBPRODUCT_REF_IN_PDF=If the feature "%s" of module %s is used, show details of subproducts of a kit on PDF. -AskThisIDToYourBank=Contact your bank to get this ID -AdvancedModeOnly=Permision available in Advanced permission mode only -ConfFileIsReadableOrWritableByAnyUsers=The conf file is readable or writable by any users. Give permission to web server user and group only. -MailToSendEventOrganization=Event Organization -AGENDA_EVENT_DEFAULT_STATUS=Default event status when creating a event from the form -YouShouldDisablePHPFunctions=You should disable PHP functions -IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system commands (for the module Scheduled job, or to run the external command line Anti-virus for example), you shoud disable PHP functions -NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) -RecommendedValueIs=Recommended: %s -ARestrictedPath=A restricted path +RssNote=Not: Her RSS akışı tanımı, gösterge tablosunda mevcut olması için etkinleştirmeniz gereken bir pencere öğesi sağlar. +JumpToBoxes=Kuruluma Atla -> Widget'lar +MeasuringUnitTypeDesc=Burada "beden", "yüzey", "hacim", "ağırlık", "zaman" gibi bir değer kullanın +MeasuringScaleDesc=Ölçek, varsayılan referans birimiyle eşleşmesi için ondalık bölümü hareket ettirmeniz gereken yer sayısıdır. "Zaman" birimi türü için saniye sayısıdır. 80 ile 99 arasındaki değerler ayrılmış değerlerdir. +TemplateAdded=Şablon eklendi +TemplateUpdated=Şablon güncellendi +TemplateDeleted=Şablon silindi +MailToSendEventPush=Etkinlik hatırlatma e-postası +SwitchThisForABetterSecurity=Daha fazla güvenlik için bu değerin% s olarak değiştirilmesi önerilir +DictionaryProductNature= Ürünün doğası +CountryIfSpecificToOneCountry=Ülke (belirli bir ülkeye özgü ise) +YouMayFindSecurityAdviceHere=Güvenlik danışmanlığını burada bulabilirsiniz +ModuleActivatedMayExposeInformation=Bu PHP uzantısı hassas verileri açığa çıkarabilir. İhtiyacınız yoksa devre dışı bırakın. +ModuleActivatedDoNotUseInProduction=Geliştirme için tasarlanmış bir modül etkinleştirildi. Bunu bir üretim ortamında etkinleştirmeyin. +CombinationsSeparator=Ürün kombinasyonları için ayırıcı karakter +SeeLinkToOnlineDocumentation=Örnekler için üst menüdeki çevrimiçi belgelere bağlantıya bakın +SHOW_SUBPRODUCT_REF_IN_PDF=%s modülünün "%s" özelliği kullanılıyorsa, bir kitin alt ürünlerinin ayrıntılarını PDF'de gösterin. +AskThisIDToYourBank=Bu kimliği almak için bankanızla iletişime geçin +AdvancedModeOnly=İzin yalnızca Gelişmiş izin modunda mevcuttur +ConfFileIsReadableOrWritableByAnyUsers=Conf dosyası herhangi bir kullanıcı tarafından okunabilir veya yazılabilir. Yalnızca web sunucusu kullanıcısına ve grubuna izin verin. +MailToSendEventOrganization=Etkinlik organizasyonu +AGENDA_EVENT_DEFAULT_STATUS=Formdan bir olay oluştururken varsayılan olay durumu +YouShouldDisablePHPFunctions=PHP işlevlerini devre dışı bırakmalısınız +IfCLINotRequiredYouShouldDisablePHPFunctions=Sistem komutlarını çalıştırmanız gerekmesi dışında (örneğin Planlanmış iş modülü için veya harici komut satırı Anti-virüs'ü çalıştırmak için), PHP işlevlerini devre dışı bırakmalısınız. +NoWritableFilesFoundIntoRootDir=Kök dizininizde ortak programların yazılabilir dosyaları veya dizinleri bulunamadı (İyi) +RecommendedValueIs=Önerilen: %s +ARestrictedPath=Kısıtlı bir yol +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/tr_TR/banks.lang b/htdocs/langs/tr_TR/banks.lang index d94de5e03ac..33392145699 100644 --- a/htdocs/langs/tr_TR/banks.lang +++ b/htdocs/langs/tr_TR/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Sosyal/mali vergi ödemesi BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=İç transfer -TransferDesc=Bir hesaptan başka bir hesaba transfer sırasında Dolibarr iki kayıt yazacaktır (kaynak hesaba borç ve hedef hesaba kredi). Bu işlem için aynı tutar (işaret hariç), etiket ve tarih kullanılacaktır. +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Kimden TransferTo=Kime TransferFromToDone=%s den %s nin %s %s ne bir transfer kaydedildi. CheckTransmitter=Gönderen ValidateCheckReceipt=Bu çek makbuzu doğrulansın mı? -ConfirmValidateCheckReceipt=Bu çek makbuzunu doğrulamak istediğinizden emin misiniz? Bu işlem onayından sonra değişiklik yapılamaz. +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Bu çek makbuzu silinsin mi? ConfirmDeleteCheckReceipt=Bu çek makbuzunu silmek istediğinizden emin misiniz? BankChecks=Banka çekleri @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Bu kaydı silmek istediğinizden emin misiniz? ThisWillAlsoDeleteBankRecord=Bu, oluşturulan banka kaydını da silecektir BankMovements=Hareketler PlannedTransactions=Planlanmış girişler -Graph=Grafikler +Graph=Graphs ExportDataset_banque_1=Banka kayıtları ve hesap ekstresi ExportDataset_banque_2=Banka cüzdanı TransactionOnTheOtherAccount=Diğer hesaptaki işlemler @@ -142,7 +142,7 @@ AllAccounts=Tüm banka ve kasa hesapları BackToAccount=Hesaba geri dön ShowAllAccounts=Tüm hesaplar için göster FutureTransaction=Gelecekteki işlem. Uzlaştırılamıyor. -SelectChequeTransactionAndGenerate=Çek mevduat makbuzuna dahil etmek için çekleri seç/filtrele ve "Oluştur" butonuna tıkla. +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Uzlaştırma ile ilişkili banka ekstresini seç. Sıralanabilir bir sayısal değer kullan: YYYYMM ya da YYYYMMDD EventualyAddCategory=Sonunda, kayıtları sınıflandırmak için bir kategori belirtin ToConciliate=Uzlaştırılsın mı? diff --git a/htdocs/langs/tr_TR/bills.lang b/htdocs/langs/tr_TR/bills.lang index f15d588ae96..0be1e15c206 100644 --- a/htdocs/langs/tr_TR/bills.lang +++ b/htdocs/langs/tr_TR/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Fazla ödenen miktarı mevcut indirime dönüştürün EnterPaymentReceivedFromCustomer=Müşteriden alınan ödeme girin EnterPaymentDueToCustomer=Müşteri nedeniyle ödeme yap DisabledBecauseRemainderToPayIsZero=Ödenmemiş kalan sıfır olduğundan devre dışı -PriceBase=Temel fiyat +PriceBase=Base price BillStatus=Fatura durumu StatusOfGeneratedInvoices=Oluşturulan faturaların durumu BillStatusDraft=Taslak (doğrulanma gerektirir) @@ -454,7 +454,7 @@ RegulatedOn=Buna göre düzenlenmiş ChequeNumber=Çek No ChequeOrTransferNumber=Çek/Havale No ChequeBordereau=Programı denetle -ChequeMaker=Çek/Havale gönderen +ChequeMaker=Check/Transfer sender ChequeBank=Çekin Bankası CheckBank=Çek NetToBePaid=Net ödenecek diff --git a/htdocs/langs/tr_TR/boxes.lang b/htdocs/langs/tr_TR/boxes.lang index 3a5990ccd75..54f28af256e 100644 --- a/htdocs/langs/tr_TR/boxes.lang +++ b/htdocs/langs/tr_TR/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Yer imleri: en son %s BoxOldestExpiredServices=Süresi dolmuş en eski etkin hizmetler BoxLastExpiredServices=Etkin hizmet süresi dolmuş son %s kişi BoxTitleLastActionsToDo=Yapılacak son %s eylem -BoxTitleLastContracts=Değiştirilen son %s sözleşme -BoxTitleLastModifiedDonations=Değiştirilen son %s bağış -BoxTitleLastModifiedExpenses=Değiştirilen son %s gider raporu -BoxTitleLatestModifiedBoms=Değiştirilen son %s BOM -BoxTitleLatestModifiedMos=Değiştirilen son %s Üretim Siparişleri +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Genel etkinlik (faturalar, teklifler, siparişler) BoxGoodCustomers=İyi müşteriler diff --git a/htdocs/langs/tr_TR/cashdesk.lang b/htdocs/langs/tr_TR/cashdesk.lang index f9c0a22ebd4..a7ce8a3f6d6 100644 --- a/htdocs/langs/tr_TR/cashdesk.lang +++ b/htdocs/langs/tr_TR/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Tablo ekle Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Sipariş yazıcıları +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Ürün ara Receipt=Makbuz Header=Header @@ -56,8 +57,9 @@ 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=Sipariş Notları +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Tarayıcı BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -109,7 +111,7 @@ MainTemplateToUse=Main template to use OrderTemplateToUse=Order template to use BarRestaurant=Bar Restaurant AutoOrder=Order by the customer himself -RestaurantMenu=Menu +RestaurantMenu=Menü CustomerMenu=Customer menu ScanToMenu=Scan QR code to see the menu ScanToOrder=Scan QR code to order @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/tr_TR/categories.lang b/htdocs/langs/tr_TR/categories.lang index 620b2cd832a..b1f660492f9 100644 --- a/htdocs/langs/tr_TR/categories.lang +++ b/htdocs/langs/tr_TR/categories.lang @@ -3,20 +3,20 @@ Rubrique=Etiket/Kategori Rubriques=Etiketler/Kategoriler RubriquesTransactions=İşlem Etiketleri/Kategorileri categories=etiketler/kategoriler -NoCategoryYet=Bu türde oluşturulmuş etiket/kategori yok +NoCategoryYet=No tag/category of this type has been created In=İçinde AddIn=Eklenti modify=değiştir Classify=Sınıflandır CategoriesArea=Etiketler/Kategoriler alanı -ProductsCategoriesArea=Ürün/Hizmet etiketleri/kategorileri alanı -SuppliersCategoriesArea=Tedarikçi etiketleri/kategorileri alanı -CustomersCategoriesArea=Müşteri etiketleri/kategorileri alanı -MembersCategoriesArea=Üyeler etiketleri/kategorileri alanı -ContactsCategoriesArea=Kişi etiketleri/kategorileri alanı -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Proje etiket/kategori alanı -UsersCategoriesArea=Kullanıcı Etiketleri/Kategorileri Alanı +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Alt kategoriler CatList= Etiketler/kategoriler listesi CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Kategori seç StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Kategoriler için veya operatör kullanın +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/tr_TR/companies.lang b/htdocs/langs/tr_TR/companies.lang index 6eda04aac99..e6a17f6f705 100644 --- a/htdocs/langs/tr_TR/companies.lang +++ b/htdocs/langs/tr_TR/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Firma adı zaten %s var. Başka bir tane seçin. ErrorSetACountryFirst=Önce ülkeyi ayarla. SelectThirdParty=Bir üçüncü parti seç -ConfirmDeleteCompany=Bu firmayı ve devralınan tüm bilgilerini silmek istediğinizden emin misiniz? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Bir kişi/adres sil -ConfirmDeleteContact=Bu kişiyi ve devralınan tüm bilgilerini silmek istediğinizden emin misiniz? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Yeni Üçüncü Parti MenuNewCustomer=Yeni Müşteri MenuNewProspect=Yeni Aday @@ -69,7 +69,7 @@ PhoneShort=Telefon Skype=Skype Call=Ara Chat=Sohbet -PhonePro=Telefon +PhonePro=Bus. phone PhonePerso=Dahili numarası PhoneMobile=Cep telefonu No_Email=Toplu e-postaları reddet @@ -331,7 +331,7 @@ CustomerCodeDesc=Müşteri Kodu, tüm müşteriler için benzersiz SupplierCodeDesc=Tedarikçi Kodu, tüm tedarikçiler için benzersiz RequiredIfCustomer=Eğer üçüncü parti bir müşteri ya da aday ise gereklidir RequiredIfSupplier=Eğer üçünü parti tedarikçi ise gereklidir -ValidityControledByModule=Modül tarafından kontrol edilen geçerlilik +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Bu modül için kurallar ProspectToContact=İletişime geçilecek aday CompanyDeleted="%s" Firması veritabanından silindi. @@ -439,12 +439,12 @@ ListSuppliersShort=Tedarikçi Listesi ListProspectsShort=Aday Listesi ListCustomersShort=Müşteri Listesi ThirdPartiesArea=Üçüncü Partiler/Kişiler -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Üçüncü Partilerin Toplamı +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Açık ActivityCeased=Kapalı ThirdPartyIsClosed=Üçüncü taraf kapalı -ProductsIntoElements=Şu öğeler içindeki ürün/hizmet listesi %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Geçerli bekleyen fatura OutstandingBill=Ödenmemiş fatura için ençok tutar OutstandingBillReached=Ödenmemiş fatura için ulaşılan ençok tutar @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Müşteri/tedarikçi kodu serbesttir. Bu kod herhangi bir ManagingDirectors=Yönetici(lerin) adı (CEO, müdür, başkan...) MergeOriginThirdparty=Çifte üçüncü parti (silmek istediğiniz üçüncü parti) MergeThirdparties=Üçüncü partileri birleştir -ConfirmMergeThirdparties=Bu üçüncü partiyi mevcut olanla birleştirmek istediğinizden emin misiniz? Tüm bağlantılı nesneler (teklifler, siparişler ...) mevcut üçüncü partiye taşınacak ve daha sonra taşınan üçüncü parti silinecektir. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Üçüncü partiler birleştirildi SaleRepresentativeLogin=Satış temsilcisinin kullanıcı adı SaleRepresentativeFirstname=Satış temsilcisinin adı diff --git a/htdocs/langs/tr_TR/compta.lang b/htdocs/langs/tr_TR/compta.lang index d3b33a4b579..ccf30c58ba9 100644 --- a/htdocs/langs/tr_TR/compta.lang +++ b/htdocs/langs/tr_TR/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Yeni indirim NewCheckDeposit=Yeni çek hesabı NewCheckDepositOn=Bu hesap için makbuz oluştur: %s NoWaitingChecks=Para yatırılmayı bekleyen çek yok. -DateChequeReceived=Çek giriş tarihi +DateChequeReceived=Check receiving date NbOfCheques=Çek sayısı PaySocialContribution=Bir sosyal/mali vergi öde PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/tr_TR/ecm.lang b/htdocs/langs/tr_TR/ecm.lang index 380ce8a5ab3..6364caa7e23 100644 --- a/htdocs/langs/tr_TR/ecm.lang +++ b/htdocs/langs/tr_TR/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/tr_TR/errors.lang b/htdocs/langs/tr_TR/errors.lang index b2f7a452de6..12a16261cab 100644 --- a/htdocs/langs/tr_TR/errors.lang +++ b/htdocs/langs/tr_TR/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Hata yok, taahüt ediyoruz # Errors ErrorButCommitIsDone=Hatalar bulundu, buna rağmen doğruluyoruz -ErrorBadEMail=%s e-postası hatalı -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=URL %s yanlış +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Parametreniz için hatalı değer. Genellikle çeviri eksik olduğunda eklenir. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=%s kullanıcı adı zaten var. @@ -46,8 +46,8 @@ ErrorWrongDate=Tarih doğru değil! ErrorFailedToWriteInDir=%s dizinine yazılamadı ErrorFoundBadEmailInFile=Dosyadaki %s satırları için hatalı e-posta sözdizimi bulundu (örneğin e-posta=%s ile satır %s) ErrorUserCannotBeDelete=Kullanıcı silinemiyor. Dolibarr varlıklarıyla ilişkili olabilir. -ErrorFieldsRequired=Bazı gerekli alanlar doldurulmamış. -ErrorSubjectIsRequired=E-posta konusu zorunludur +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Dizin oluşturulamadı. Web sunucusu kullanıcısının Dolibarr belgeleri dizinine yazma izinlerini denetleyin. Eğer bu parametre guvenli_mod bu PHP üzerinde etkinleştirilmişse, Dolibarr php dosyalarının web sunucusu kullanıcısına (ya da grubuna) sahip olduğunu denetleyin. ErrorNoMailDefinedForThisUser=Bu kullanıcı için tanımlı posta yok ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Etkinlik organizasyonu +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Ayarlar +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Ödeme emri +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Yapıldı +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/tr_TR/knowledgemanagement.lang b/htdocs/langs/tr_TR/knowledgemanagement.lang new file mode 100644 index 00000000000..f9f264370c1 --- /dev/null +++ b/htdocs/langs/tr_TR/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Ayarlar +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Hakkında +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Mal +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/tr_TR/mails.lang b/htdocs/langs/tr_TR/mails.lang index 8d33ac213fb..75bde1b544b 100644 --- a/htdocs/langs/tr_TR/mails.lang +++ b/htdocs/langs/tr_TR/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Kopyala MailToCCUsers=Copy to users(s) MailCCC=Önbelleğe kopyala -MailTopic=E-posta konusu +MailTopic=Email subject MailText=Mesaj MailFile=Ekli dosyalar MailMessage=E-posta gövdesi @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=E-posta gönderme yapılandırması '%s'ye ayarlandı. Bu mod toplu e-postalama için kullanılamaz. MailSendSetupIs2='%s' Modunu kullanmak için '%s' parametresini değiştirecekseniz, önce yönetici hesabı ile %sGiriş - Ayarlar - E-postalar%s menüsüne gitmelisiniz. Bu mod ile İnternet Servis Sağlayıcınız tarafından sağlanan SMTP sunucusu ayarlarını girebilir ve Toplu e-posta özelliğini kullanabilirsiniz. MailSendSetupIs3=SMTP sunucusunun nasıl yapılandırılacağı konusunda sorunuz varsa, %s e sorabilirsiniz. diff --git a/htdocs/langs/tr_TR/main.lang b/htdocs/langs/tr_TR/main.lang index d0e3f166a85..d62855ddf72 100644 --- a/htdocs/langs/tr_TR/main.lang +++ b/htdocs/langs/tr_TR/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Deneme bağlantısı ToClone=Kopyasını oluştur ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Kopyasını oluşturmak istediğiniz verileri seçin: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Kopyası oluşturulacak hiçbir veri tanımlanmamış. Of=ile ilgili Go=Git @@ -246,7 +246,7 @@ DefaultModel=Varsayılan doküman şablonu Action=Etkinlik About=Hakkında Number=Sayı -NumberByMonth=Aya göre sayı +NumberByMonth=Total reports by month AmountByMonth=Aylık Tutarı Numero=Sayı Limit=Sınır @@ -341,8 +341,8 @@ KiloBytes=Kilobayt MegaBytes=Megabayt GigaBytes=Gigabayt TeraBytes=Terabayt -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=bayt Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Tarafından From=Başlama FromDate=Gönderen FromLocation=Gönderen -at=at to=Bitiş To=Bitiş +ToDate=Bitiş +ToLocation=Bitiş +at=at and=ve or=veya Other=Diğer @@ -843,7 +845,7 @@ XMoreLines=%s gizli satır ShowMoreLines=Daha fazla/az satır göster PublicUrl=Genel URL AddBox=Kutu ekle -SelectElementAndClick=Bir öğe seçin ve %s butonuna tıklayın +SelectElementAndClick=Select an element and click on %s PrintFile=%s Dosyasını Yazdır ShowTransaction=Girişi banka hesabında göster ShowIntervention=Müdahale göster @@ -854,8 +856,8 @@ Denied=Reddedildi ListOf=%s listesi ListOfTemplates=Şablon listesi Gender=Cinsiyet -Genderman=Adam -Genderwoman=Kadın +Genderman=Male +Genderwoman=Female Genderother=Diğer ViewList=Liste görünümü ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/tr_TR/members.lang b/htdocs/langs/tr_TR/members.lang index 39f105a72eb..b3807ddbc10 100644 --- a/htdocs/langs/tr_TR/members.lang +++ b/htdocs/langs/tr_TR/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Başka bir üye (adı: %s, ku ErrorUserPermissionAllowsToLinksToItselfOnly=Güvenlik nedeniyle, bir üyenin kendinizin dışında bir kullanıcıya bağlı olabilmesi için tüm kullanıcıları düzenleme iznine sahip olmanız gerekir. SetLinkToUser=Bir Dolibarr kullanıcısına bağlantı SetLinkToThirdParty=Bir Dolibarr üçüncü partisine bağlantı -MembersCards=Üye kartvizitleri +MembersCards=Business cards for members MembersList=Üyelerin listesi MembersListToValid=Taslak üye listesi (doğrulanacak) MembersListValid=Geçerli üye listesi @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Abonelik alacal üyeler MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Abonelik tarihi DateEndSubscription=Abonelik bitiş tarihi -EndSubscription=Abonelik bitir +EndSubscription=Subscription Ends SubscriptionId=Abonelik kimliği WithoutSubscription=Without subscription MemberId=Üye kimliği @@ -83,10 +83,10 @@ WelcomeEMail=Hoşgeldin e-postası SubscriptionRequired=Abonelik gerekli DeleteType=Sil VoteAllowed=Oylamaya izin verildi -Physical=Fiziksel -Moral=Ahlaki -MorAndPhy=Moral and Physical -Reenable=Yeniden etkinleştirilebilir +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Bir üyeyi sonlandır @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Ülkeye göre üye istatistikleri MembersStatisticsByState=Eyalete/ile göre üyelik istatistikleri MembersStatisticsByTown=İlçelere göre üyelik istatistikleri MembersStatisticsByRegion=Bölgeye göre üye istatistikleri -NbOfMembers=Üye sayısı -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Doğrulanmamış üye bulunmadı -MembersByCountryDesc=Bu ekran ülkelere göre üyelik istatisklerini görüntüler. Grafik eğer internet hizmeti çalışıyor ise sadece google çevrimiçi grafik hizmetince sağlanır. -MembersByStateDesc=Bu ekran eyaletlere/illere/bölgelere göre üyelik istatiskleri görüntüler. -MembersByTownDesc=Bu ekran ilçelere göre üyelik istatistikleri görüntüler. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Görmek istediğiniz istatistikleri seçin... MenuMembersStats=İstatistikler -LastMemberDate=Son üye tarihi +LastMemberDate=Latest membership date LatestSubscriptionDate=Son abonelik tarihi -MemberNature=Nature of member -MembersNature=Nature of members -Public=Bilgiler geneldir +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Yeni üye eklendi. Onay bekliyor NewMemberForm=Yeni üyelik formu -SubscriptionsStatistics=Abonelik istatistikleri +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Abonelik sayısı -AmountOfSubscriptions=Abonelik tutarı +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Ciro (bir firma için) veya Bütçe (bir dernek için) DefaultAmount=Varsayılan abonelik tutarı CanEditAmount=Ziyaretçi kendi abonelik tutarını seçebeilir/düzenleyebilir MEMBER_NEWFORM_PAYONLINE=Entegre çevrimiçi ödeme sayfasına atla ByProperties=By nature MembersStatisticsByProperties=Yapısına göre üye istatistikleri -MembersByNature=Bu ekran doğaya göre üye istatistiklerini gösterir. -MembersByRegion=Bu ekran bölgeye göre üye istatistiklerini gösterir. VATToUseForSubscriptions=Abonelikler için kullanılacak KDV oranı NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Faturada abonelik kalemi olarak kullanılan ürün: %s diff --git a/htdocs/langs/tr_TR/modulebuilder.lang b/htdocs/langs/tr_TR/modulebuilder.lang index ae0d37ed1c7..7ca6700d744 100644 --- a/htdocs/langs/tr_TR/modulebuilder.lang +++ b/htdocs/langs/tr_TR/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/tr_TR/other.lang b/htdocs/langs/tr_TR/other.lang index 0fde88b5ca5..61054fab29e 100644 --- a/htdocs/langs/tr_TR/other.lang +++ b/htdocs/langs/tr_TR/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Bu seçeneği kullanmak için PHP nizdeki GD kütüphanesini ProfIdShortDesc=Uzman no %s üçüncü parti ülkesine bağlı bir bilgidir.
Örneğin, %s ülkesi için kodu%sdir. DolibarrDemo=Dolibarr ERP/CRM demosu StatsByNumberOfUnits=Ürün/hizmet miktarının toplamı için istatistikler -StatsByNumberOfEntities=Bahsedilen varlıkların sayısındaki istatistikler (Fatura, sipariş, ... sayısı) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Teklif sayısı NumberOfCustomerOrders=Müşteri siparişlerinin sayısı NumberOfCustomerInvoices=Müşteri faturalarının sayısı @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/tr_TR/partnership.lang b/htdocs/langs/tr_TR/partnership.lang new file mode 100644 index 00000000000..e35e657629e --- /dev/null +++ b/htdocs/langs/tr_TR/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Başlangıç tarihi +DatePartnershipEnd=Bitiş tarihi + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Ödeme emri +PartnershipAccepted = Kabul edildi +PartnershipRefused = Reddedildi +PartnershipCanceled = İptal edildi + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/tr_TR/productbatch.lang b/htdocs/langs/tr_TR/productbatch.lang index d64adff52ad..d74092c0f1a 100644 --- a/htdocs/langs/tr_TR/productbatch.lang +++ b/htdocs/langs/tr_TR/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/tr_TR/products.lang b/htdocs/langs/tr_TR/products.lang index 66e8c6516fc..fa96dffea66 100644 --- a/htdocs/langs/tr_TR/products.lang +++ b/htdocs/langs/tr_TR/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Sadece satılabilir hizmetler ServicesOnPurchaseOnly=Sadece satın alınabilir hizmetler ServicesNotOnSell=Satılık olmayan ve satın alınabilir olmayan hizmetler ServicesOnSellAndOnBuy=Satılır ve alınır hizmetler -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Kaydedilen son %s ürün LastRecordedServices=Kaydedilen son %s hizmet CardProduct0=Ürün @@ -73,12 +73,12 @@ SellingPrice=Satış fiyatı SellingPriceHT=Satış fiyatı (KDV hariç) SellingPriceTTC=Satış Fiyatı (vergi dahil) SellingMinPriceTTC=Minimum Satış fiyatı (KDV dahil) -CostPriceDescription=Bu fiyat alanı (KDV hariç), bu ürünün firmanıza ortalama olarak ne kadara mal olduğunu kaydetmek için kullanılabilir. Örneğin, ortalama alış fiyatı artı ortalama üretim ve dağıtım maliyeti şeklinde kendi kendinize hesapladığınız bir fiyat olabilir. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Bu değer margin hesaplama için kullanılabilir. SoldAmount=Satılan tutar PurchasedAmount=Satınalınan tutar NewPrice=Yeni fiyat -MinPrice=Minimum satış fiyatı +MinPrice=Min. selling price EditSellingPriceLabel=Satış fiyatı etiketini düzenle CantBeLessThanMinPrice=Satış fiyatı bu ürün için izin verilen en düşük fiyattan az olamaz (%s vergi hariç). Bu mesaj, çok fazla indirim yaparsanız da belirir. ContractStatusClosed=Kapalı @@ -157,11 +157,11 @@ ListServiceByPopularity=Popülerliğine göre hizmetler listesi Finished=Bitmiş ürün RowMaterial=Ham madde ConfirmCloneProduct=%s ürünü ve siparişinin kopyasını oluşturmak istediğinizden emin misiniz? -CloneContentProduct=Ürün/hizmet ile ilgili tüm temel bilgilerin kopyasını oluştur +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Fiyatların kopyasını oluştur -CloneCategoriesProduct=Bağlı etiketleri/kategorileri kopyala -CloneCompositionProduct=Sanal ürünü/hizmetin kopyasını oluştur -CloneCombinationsProduct=Ürün değişkenlerinin kopyasını oluştur +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Bu ürün kullanılır. NewRefForClone=Yeni ürün/hizmet ref. SellingPrices=Satış fiyatları @@ -170,12 +170,12 @@ CustomerPrices=Müşteri fiyatları SuppliersPrices=Tedarikçi fiyatları SuppliersPricesOfProductsOrServices=Tedarikçi fiyatları (ürün veya hizmetlerin) CustomCode=Customs|Commodity|HS code -CountryOrigin=Menşei ülke -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) -NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) +NatureOfProductShort=Ürünün doğası +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Kısa etiket Unit=Birim p=Adet diff --git a/htdocs/langs/tr_TR/projects.lang b/htdocs/langs/tr_TR/projects.lang index 40ada56b53b..be261f882c6 100644 --- a/htdocs/langs/tr_TR/projects.lang +++ b/htdocs/langs/tr_TR/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Proje ilgilileri ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=Tüm projeler -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Bu görünüm okuma izininiz olan tüm projeleri içerir. TasksOnProjectsPublicDesc=Bu görünüm okuma izininiz olan tüm projeleri içerir. ProjectsPublicTaskDesc=Bu görünüm, okumanıza izin verilen tüm proje ve görevleri sunar. ProjectsDesc=Bu görünüm tüm projeleri içerir (size verilen kullanıcı izinleri her şeyi görmenizi sağlar). TasksOnProjectsDesc=Bu görünüm tüm projelerdeki tüm görevleri içerir (size verilen kullanıcı izinleri her şeyi görmenizi sağlar). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Yalnızca açık projeler görünür (taslak ya da kapalı durumdaki projeler görünmez) ClosedProjectsAreHidden=Kapalı projeler görünmez. TasksPublicDesc=Bu görünüm okuma izininiz olan tüm projeleri ve görevleri içerir. TasksDesc=Bu görünüm tüm projeleri ve görevleri içerir (size verilen kullanıcı izinleri her şeyi görmenizi sağlar). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=Yeni proje @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Bu göreve atanmamış NoUserAssignedToTheProject=No users assigned to this project TimeSpentBy=Time spent by TasksAssignedTo=Tasks assigned to -AssignTaskToMe=Görevi bana ata +AssignTaskToMe=Assign task to myself AssignTaskToUser=Görevi %s kullanıcısına ata SelectTaskToAssign=Atanacak görevi seçin... AssignTask=Ata diff --git a/htdocs/langs/tr_TR/receptions.lang b/htdocs/langs/tr_TR/receptions.lang index e163d998a1a..d6755f4e8db 100644 --- a/htdocs/langs/tr_TR/receptions.lang +++ b/htdocs/langs/tr_TR/receptions.lang @@ -2,10 +2,10 @@ ReceptionsSetup=Product Reception setup RefReception=Ref. reception Reception=Kabul -Receptions=Receptions +Receptions=Resepsiyonlar AllReceptions=All Receptions Reception=Kabul -Receptions=Receptions +Receptions=Resepsiyonlar ShowReception=Show Receptions ReceptionsArea=Receptions area ListOfReceptions=List of receptions diff --git a/htdocs/langs/tr_TR/recruitment.lang b/htdocs/langs/tr_TR/recruitment.lang index caede8f42a0..b95dda73832 100644 --- a/htdocs/langs/tr_TR/recruitment.lang +++ b/htdocs/langs/tr_TR/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/tr_TR/sendings.lang b/htdocs/langs/tr_TR/sendings.lang index cdbc562d1ac..88d52576ed5 100644 --- a/htdocs/langs/tr_TR/sendings.lang +++ b/htdocs/langs/tr_TR/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=%s referanslı bu gönderiyi doğrulamak istediği ConfirmCancelSending=Bu gönderiyi iptal etmek istediğinizden emin misiniz? DocumentModelMerou=Merou A5 modeli WarningNoQtyLeftToSend=Uyarı, sevkiyat için bekleyen herhangi bir ürün yok. -StatsOnShipmentsOnlyValidated=İstatistikler yalnızca doğrulanmış sevkiyatlarda yapılmıştır. Kullanılan tarih sevkiyat doğrulama tarihidir (planlanan teslim tarihi her zaman bilinemez) +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Teslimat için planlanan tarih RefDeliveryReceipt=Teslimat makbuzu referansı StatusReceipt=Status delivery receipt @@ -55,7 +55,7 @@ ActionsOnShipping=Sevkiyattaki etkinlikler LinkToTrackYourPackage=Paketinizi izleyeceğiniz bağlantı ShipmentCreationIsDoneFromOrder=Şu an için, yeni bir sevkiyatın oluşturulması sipariş kartından yapılmıştır. ShipmentLine=Sevkiyat kalemi -ProductQtyInCustomersOrdersRunning=Product quantity from open sales orders +ProductQtyInCustomersOrdersRunning=Açık müşteri siparişlerindeki ürün miktarı 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 diff --git a/htdocs/langs/tr_TR/stocks.lang b/htdocs/langs/tr_TR/stocks.lang index 373096f7b99..ed5884d3da8 100644 --- a/htdocs/langs/tr_TR/stocks.lang +++ b/htdocs/langs/tr_TR/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Bu nesne için önceden tanımlanmış ürünlenyo DispatchVerb=Dağıtım StockLimitShort=Uyarı sınırı StockLimit=Stok sınırı uyarısı -StockLimitDesc=Boş bırakılması uyarı olmadığı anlamına gelir.
0 girilmesi ise stok tükenir tükenmez bir uyarı oluşturmak için kullanılabilir. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Fiziki Stok RealStock=Gerçek Stok RealStockDesc=Fiziksel/gerçek stok, şu anda depolardaki mevcut olan stoktur. diff --git a/htdocs/langs/tr_TR/users.lang b/htdocs/langs/tr_TR/users.lang index 36b671a893b..c7f0e909b21 100644 --- a/htdocs/langs/tr_TR/users.lang +++ b/htdocs/langs/tr_TR/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Şifre buna değiştirildi: %s SubjectNewPassword=%s için yeni parolanız GroupRights=Grup izinleri UserRights=Kullanıcı izinleri +Credentials=Credentials UserGUISetup=Kullanıcı Ekranı Ayarları DisableUser=Engelle DisableAUser=Bir kullanıcıyı engelle @@ -105,7 +106,7 @@ UseTypeFieldToChange=Değiştirmek için Alan türünü kullan OpenIDURL=OpenID URL LoginUsingOpenID=Oturum açmak için OpenID kullan WeeklyHours=Çalışma saati (haftalık toplam) -ExpectedWorkedHours=Haftalık beklenen çalışma saatleri +ExpectedWorkedHours=Expected hours worked per week ColorUser=Kullanıcı rengi DisabledInMonoUserMode=Bakım modunda devre dışıdır UserAccountancyCode=Kullanıcı muhasebe kodu @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=İşe Başlama Tarihi DateEmploymentEnd=İşi Bırakma Tarihi -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=Kendi kullanıcı kaydınızı devre dışı bırakamazsınız ForceUserExpenseValidator=Gider raporu doğrulayıcısını zorla ForceUserHolidayValidator=İzin isteği doğrulayıcısını zorla diff --git a/htdocs/langs/tr_TR/website.lang b/htdocs/langs/tr_TR/website.lang index e779f477ce1..91241e7e615 100644 --- a/htdocs/langs/tr_TR/website.lang +++ b/htdocs/langs/tr_TR/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/uk_UA/accountancy.lang b/htdocs/langs/uk_UA/accountancy.lang index fb5f2043d8e..ef34f444156 100644 --- a/htdocs/langs/uk_UA/accountancy.lang +++ b/htdocs/langs/uk_UA/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/uk_UA/admin.lang b/htdocs/langs/uk_UA/admin.lang index bd5556dd25b..9f38545d660 100644 --- a/htdocs/langs/uk_UA/admin.lang +++ b/htdocs/langs/uk_UA/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Видаліть або перейменуйте файл %s RestoreLock=Відновіть файл %s , лише з дозволом для читання, щоб відключити подальше використання інструменту "Оновити / Встановити". SecuritySetup=Налаштування безпеки PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Встановлені тут параметри пов’язані з безпекою щодо завантаження файлів. ErrorModuleRequirePHPVersion=Помилка, для цього модуля потрібна версія PHP %s або вище ErrorModuleRequireDolibarrVersion=Помилка, для цього модуля потрібна версія Dolibarr %s або вище @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/uk_UA/banks.lang b/htdocs/langs/uk_UA/banks.lang index 05707f6bc28..40801051935 100644 --- a/htdocs/langs/uk_UA/banks.lang +++ b/htdocs/langs/uk_UA/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Продавець TransferTo=Покупець TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Відправник ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/uk_UA/bills.lang b/htdocs/langs/uk_UA/bills.lang index 65df9d227a1..a6760dfe02e 100644 --- a/htdocs/langs/uk_UA/bills.lang +++ b/htdocs/langs/uk_UA/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Ввести платіж, отриманий від покупця EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Відключено, тому що оплата, що залишилася є нульовою -PriceBase=Цінова база +PriceBase=Base price BillStatus=Статус рахунку-фактури StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Проект (має бути підтверджений) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Чек № ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Банк чека CheckBank=Перевірити NetToBePaid=Чистими до сплати diff --git a/htdocs/langs/uk_UA/boxes.lang b/htdocs/langs/uk_UA/boxes.lang index 3aa0b1dcb95..d61c1c309f0 100644 --- a/htdocs/langs/uk_UA/boxes.lang +++ b/htdocs/langs/uk_UA/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/uk_UA/cashdesk.lang b/htdocs/langs/uk_UA/cashdesk.lang index a7372bb3b86..94e3e33ff42 100644 --- a/htdocs/langs/uk_UA/cashdesk.lang +++ b/htdocs/langs/uk_UA/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/uk_UA/categories.lang b/htdocs/langs/uk_UA/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/uk_UA/categories.lang +++ b/htdocs/langs/uk_UA/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/uk_UA/companies.lang b/htdocs/langs/uk_UA/companies.lang index ebe9d66cafa..f482461f4f5 100644 --- a/htdocs/langs/uk_UA/companies.lang +++ b/htdocs/langs/uk_UA/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Компанія з назвою %s уже існує. Виберіть іншу. ErrorSetACountryFirst=Спершу оберіть країну SelectThirdParty=Оберіть контрагента -ConfirmDeleteCompany=Ви впевнені що дійсно хочете видалити цю компанію та всю її інформацію? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Видалити контакт/адресу -ConfirmDeleteContact=Ви впевнені що дійсно хочете видалити цей контакт та всю зв'язану з ним інформацію? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Новий контрагент MenuNewCustomer=Новий замовник MenuNewProspect=Новий потенційний клієнт @@ -69,7 +69,7 @@ PhoneShort=Телефон Skype=Skype Call=Call Chat=Чат -PhonePro=Робочий телефон +PhonePro=Bus. phone PhonePerso=Особистий телефон PhoneMobile=Мобільний телефон No_Email=Скасувати автоматичну розсилку @@ -78,7 +78,7 @@ Zip=Індекс Town=Місто Web=Вебсайт Poste= Позиція -DefaultLang=Мова по замовчуванню +DefaultLang=Default language VATIsUsed=Податок з продажу VATIsUsedWhenSelling=Визначає, чи включати для цього контрагента податок з продажу чи ні, коли він виставляє рахунок власним клієнтам VATIsNotUsed=Податок не використовується @@ -331,7 +331,7 @@ CustomerCodeDesc=Код клієнта, унікальний для всіх к SupplierCodeDesc=Код постачальника, унікальний для всіх постачальників RequiredIfCustomer=Обов'язково, якщо контрагент є потенційним, або покупцем RequiredIfSupplier=Обов'язково, якщо контрагент є постачальником -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Зачинено ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/uk_UA/compta.lang b/htdocs/langs/uk_UA/compta.lang index 5b193a6084a..f7e2340b7c2 100644 --- a/htdocs/langs/uk_UA/compta.lang +++ b/htdocs/langs/uk_UA/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/uk_UA/ecm.lang b/htdocs/langs/uk_UA/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/uk_UA/ecm.lang +++ b/htdocs/langs/uk_UA/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/uk_UA/errors.lang b/htdocs/langs/uk_UA/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/uk_UA/errors.lang +++ b/htdocs/langs/uk_UA/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Налаштування +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Проект +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/uk_UA/knowledgemanagement.lang b/htdocs/langs/uk_UA/knowledgemanagement.lang new file mode 100644 index 00000000000..b0a14cb4840 --- /dev/null +++ b/htdocs/langs/uk_UA/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Налаштування +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/uk_UA/mails.lang b/htdocs/langs/uk_UA/mails.lang index f6e418263bd..1deee89618c 100644 --- a/htdocs/langs/uk_UA/mails.lang +++ b/htdocs/langs/uk_UA/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/uk_UA/main.lang b/htdocs/langs/uk_UA/main.lang index 169682a2c9f..70578c88f31 100644 --- a/htdocs/langs/uk_UA/main.lang +++ b/htdocs/langs/uk_UA/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=Продавець FromDate=Продавець FromLocation=Продавець -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Інший @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Інший ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/uk_UA/members.lang b/htdocs/langs/uk_UA/members.lang index 93aff32cf53..fede3a71083 100644 --- a/htdocs/langs/uk_UA/members.lang +++ b/htdocs/langs/uk_UA/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/uk_UA/modulebuilder.lang b/htdocs/langs/uk_UA/modulebuilder.lang index 1c7e0bbb9bf..b9019a9a9d3 100644 --- a/htdocs/langs/uk_UA/modulebuilder.lang +++ b/htdocs/langs/uk_UA/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/uk_UA/other.lang b/htdocs/langs/uk_UA/other.lang index b6ca500c280..54e294264bf 100644 --- a/htdocs/langs/uk_UA/other.lang +++ b/htdocs/langs/uk_UA/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/uk_UA/partnership.lang b/htdocs/langs/uk_UA/partnership.lang new file mode 100644 index 00000000000..c5aab446cd3 --- /dev/null +++ b/htdocs/langs/uk_UA/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Проект +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/uk_UA/productbatch.lang b/htdocs/langs/uk_UA/productbatch.lang index 15aefb27d54..ade9324a883 100644 --- a/htdocs/langs/uk_UA/productbatch.lang +++ b/htdocs/langs/uk_UA/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/uk_UA/products.lang b/htdocs/langs/uk_UA/products.lang index 095e1fbc0c9..e87414f9e76 100644 --- a/htdocs/langs/uk_UA/products.lang +++ b/htdocs/langs/uk_UA/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Зачинено @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/uk_UA/projects.lang b/htdocs/langs/uk_UA/projects.lang index 5fcfeff9270..4a360315952 100644 --- a/htdocs/langs/uk_UA/projects.lang +++ b/htdocs/langs/uk_UA/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/uk_UA/recruitment.lang b/htdocs/langs/uk_UA/recruitment.lang index 04e0a8bb779..09d505fb44e 100644 --- a/htdocs/langs/uk_UA/recruitment.lang +++ b/htdocs/langs/uk_UA/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/uk_UA/sendings.lang b/htdocs/langs/uk_UA/sendings.lang index 364df1eb8c9..158adef36d5 100644 --- a/htdocs/langs/uk_UA/sendings.lang +++ b/htdocs/langs/uk_UA/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/uk_UA/stocks.lang b/htdocs/langs/uk_UA/stocks.lang index e37edb28c2a..c1f5129c375 100644 --- a/htdocs/langs/uk_UA/stocks.lang +++ b/htdocs/langs/uk_UA/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/uk_UA/users.lang b/htdocs/langs/uk_UA/users.lang index c72450499b7..0a4004b0e10 100644 --- a/htdocs/langs/uk_UA/users.lang +++ b/htdocs/langs/uk_UA/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/uk_UA/website.lang b/htdocs/langs/uk_UA/website.lang index d63041a9380..bfd4eccde1e 100644 --- a/htdocs/langs/uk_UA/website.lang +++ b/htdocs/langs/uk_UA/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/uz_UZ/accountancy.lang b/htdocs/langs/uz_UZ/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/uz_UZ/accountancy.lang +++ b/htdocs/langs/uz_UZ/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/uz_UZ/admin.lang b/htdocs/langs/uz_UZ/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/uz_UZ/admin.lang +++ b/htdocs/langs/uz_UZ/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/uz_UZ/banks.lang b/htdocs/langs/uz_UZ/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/uz_UZ/banks.lang +++ b/htdocs/langs/uz_UZ/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/uz_UZ/bills.lang b/htdocs/langs/uz_UZ/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/uz_UZ/bills.lang +++ b/htdocs/langs/uz_UZ/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/uz_UZ/boxes.lang b/htdocs/langs/uz_UZ/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/uz_UZ/boxes.lang +++ b/htdocs/langs/uz_UZ/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/uz_UZ/cashdesk.lang b/htdocs/langs/uz_UZ/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/uz_UZ/cashdesk.lang +++ b/htdocs/langs/uz_UZ/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/uz_UZ/categories.lang b/htdocs/langs/uz_UZ/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/uz_UZ/categories.lang +++ b/htdocs/langs/uz_UZ/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/uz_UZ/companies.lang b/htdocs/langs/uz_UZ/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/uz_UZ/companies.lang +++ b/htdocs/langs/uz_UZ/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/uz_UZ/compta.lang b/htdocs/langs/uz_UZ/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/uz_UZ/compta.lang +++ b/htdocs/langs/uz_UZ/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/uz_UZ/ecm.lang b/htdocs/langs/uz_UZ/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/uz_UZ/ecm.lang +++ b/htdocs/langs/uz_UZ/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/uz_UZ/errors.lang b/htdocs/langs/uz_UZ/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/uz_UZ/errors.lang +++ b/htdocs/langs/uz_UZ/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/uz_UZ/knowledgemanagement.lang b/htdocs/langs/uz_UZ/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/uz_UZ/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/uz_UZ/mails.lang b/htdocs/langs/uz_UZ/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/uz_UZ/mails.lang +++ b/htdocs/langs/uz_UZ/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/uz_UZ/main.lang b/htdocs/langs/uz_UZ/main.lang index 642fa95de04..e9441bb392e 100644 --- a/htdocs/langs/uz_UZ/main.lang +++ b/htdocs/langs/uz_UZ/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/uz_UZ/members.lang b/htdocs/langs/uz_UZ/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/uz_UZ/members.lang +++ b/htdocs/langs/uz_UZ/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/uz_UZ/modulebuilder.lang b/htdocs/langs/uz_UZ/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/uz_UZ/modulebuilder.lang +++ b/htdocs/langs/uz_UZ/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/uz_UZ/other.lang b/htdocs/langs/uz_UZ/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/uz_UZ/other.lang +++ b/htdocs/langs/uz_UZ/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/uz_UZ/partnership.lang b/htdocs/langs/uz_UZ/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/uz_UZ/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/uz_UZ/productbatch.lang b/htdocs/langs/uz_UZ/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/uz_UZ/productbatch.lang +++ b/htdocs/langs/uz_UZ/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/uz_UZ/products.lang b/htdocs/langs/uz_UZ/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/uz_UZ/products.lang +++ b/htdocs/langs/uz_UZ/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/uz_UZ/projects.lang b/htdocs/langs/uz_UZ/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/uz_UZ/projects.lang +++ b/htdocs/langs/uz_UZ/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/uz_UZ/recruitment.lang b/htdocs/langs/uz_UZ/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/uz_UZ/recruitment.lang +++ b/htdocs/langs/uz_UZ/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/uz_UZ/sendings.lang b/htdocs/langs/uz_UZ/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/uz_UZ/sendings.lang +++ b/htdocs/langs/uz_UZ/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/uz_UZ/stocks.lang b/htdocs/langs/uz_UZ/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/uz_UZ/stocks.lang +++ b/htdocs/langs/uz_UZ/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/uz_UZ/users.lang b/htdocs/langs/uz_UZ/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/uz_UZ/users.lang +++ b/htdocs/langs/uz_UZ/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/uz_UZ/website.lang b/htdocs/langs/uz_UZ/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/uz_UZ/website.lang +++ b/htdocs/langs/uz_UZ/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/vi_VN/accountancy.lang b/htdocs/langs/vi_VN/accountancy.lang index 78ba39b6a06..6b1f50bfdb1 100644 --- a/htdocs/langs/vi_VN/accountancy.lang +++ b/htdocs/langs/vi_VN/accountancy.lang @@ -202,7 +202,7 @@ Docref=Tham chiếu LabelAccount=Nhãn tài khoản LabelOperation=Nhãn hoạt động Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Mã sắp đặt chữ Lettering=Sắp đặt chữ Codejournal=Nhật ký @@ -297,7 +297,7 @@ NoNewRecordSaved=Không có thêm hồ sơ để ghi nhật ký ListOfProductsWithoutAccountingAccount=Danh sách các sản phẩm không ràng buộc với bất kỳ tài khoản kế toán ChangeBinding=Thay đổi ràng buộc Accounted=Tài khoản trên Sổ cái -NotYetAccounted=Chưa hạch toán vào Sổ cái +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Chương trình hướng dẫn NotReconciled=Chưa đối chiếu WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/vi_VN/admin.lang b/htdocs/langs/vi_VN/admin.lang index 8ff7409cfac..fa276b338cb 100644 --- a/htdocs/langs/vi_VN/admin.lang +++ b/htdocs/langs/vi_VN/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Xóa / đổi tên tệp %s nếu nó tồn tại, để cho p RestoreLock=Khôi phục tệp %s , chỉ với quyền đọc, để vô hiệu hóa bất kỳ việc sử dụng thêm công cụ Cập nhật / Cài đặt nào. SecuritySetup=Thiết lập an ninh PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Xác định các tùy chọn ở đây liên quan đến bảo mật về việc tải lên các tệp. ErrorModuleRequirePHPVersion=Lỗi, module này yêu cầu phiên bản PHP %s hoặc mới hơn ErrorModuleRequireDolibarrVersion=Lỗi, module này yêu cầu Dolibarr phiên bản %s hoặc mới hơn @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Không đề nghị NoActiveBankAccountDefined=Không có tài khoản ngân hàng hoạt động được xác định OwnerOfBankAccount=Chủ sở hữu của tài khoản ngân hàng %s BankModuleNotActive=Module tài khoản ngân hàng chưa được mở -ShowBugTrackLink=Hiển thị liên kết " %s " +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Cảnh báo DelaysOfToleranceBeforeWarning=Trì hoãn trước khi hiển thị cảnh báo cho: DelaysOfToleranceDesc=Đặt độ trễ trước khi biểu tượng cảnh báo %s được hiển thị trên màn hình cho thành phần trễ. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=Chức năng SSL không có sẵn trong chương trình PHP DownloadMoreSkins=Nhiều giao diện để tải về SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Hiển thị id chuyên nghiệp với địa chỉ ShowVATIntaInAddress=Ẩn số VAT Cộng Đồng nội bộ với địa chỉ TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ UseDebugBar=Sử dụng thanh gỡ lỗi DEBUGBAR_LOGS_LINES_NUMBER=Số dòng nhật ký cuối cùng cần giữ trong bảng điều khiển WarningValueHigherSlowsDramaticalyOutput=Cảnh báo, giá trị cao hơn làm chậm đáng kể ở đầu ra ModuleActivated=Mô-đun %s được kích hoạt và làm chậm giao diện -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/vi_VN/banks.lang b/htdocs/langs/vi_VN/banks.lang index 2aa8dc26f32..49d8b63b362 100644 --- a/htdocs/langs/vi_VN/banks.lang +++ b/htdocs/langs/vi_VN/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Thanh toán phí/thuế khác BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Chuyển tiền nội bộ -TransferDesc=Chuyển từ tài khoản này sang tài khoản khác, Dolibarr sẽ viết hai bản ghi (ghi nợ trong tài khoản nguồn và ghi có tài khoản nhận). Cùng số tiền (ngoại trừ ký hiệu), nhãn và ngày sẽ được sử dụng cho giao dịch này +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=Từ TransferTo=Đến TransferFromToDone=Một chuyển khoản từ %s đến %s của %s %s đã được ghi lại. -CheckTransmitter=Đơn vị phát hành +CheckTransmitter=Người gửi ValidateCheckReceipt=Kiểm tra chứng từ séc này? -ConfirmValidateCheckReceipt=Bạn có chắc chắn muốn thông qua biên nhận séc này, bạn không thể thay đổi nếu đã hoàn thành +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Xóa biên nhận séc này? ConfirmDeleteCheckReceipt=Bạn có muốn xóa biên nhận séc này? BankChecks=Séc ngân hàng @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Bạn có muốn xóa kê khai này? ThisWillAlsoDeleteBankRecord=Đồng thời còn xóa kê khai ngân hàng đã tạo BankMovements=Biến động PlannedTransactions=Kê khai theo kế hoạch -Graph=Đồ họa +Graph=Graphs ExportDataset_banque_1=Kê khai ngân hàng và bảng kê tài khoản ExportDataset_banque_2=Phiếu nộp tiền TransactionOnTheOtherAccount=Giao dịch trên tài khoản khác @@ -142,7 +142,7 @@ AllAccounts=Tất cả tài khoản ngân hàng và tiền mặt BackToAccount=Trở lại tài khoản ShowAllAccounts=Hiển thị tất cả tài khoản FutureTransaction=Giao dịch trong tương lai. Không thể đối chiếu -SelectChequeTransactionAndGenerate=Lựa chọn/ lọc kiểm tra để có biên lai thu séc và nhấp vào "Tạo". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Chọn bảng kê ngân hàng có quan hệ với việc đối chiếu. Sử dụng giá trị số có thể sắp xếp: YYYYMM hoặc YYYYMMDD EventualyAddCategory=Cuối cùng, chỉ định một danh mục trong đó để phân loại các hồ sơ ToConciliate=Cần đối soát? diff --git a/htdocs/langs/vi_VN/bills.lang b/htdocs/langs/vi_VN/bills.lang index ddc3663bdc4..1797521d9b3 100644 --- a/htdocs/langs/vi_VN/bills.lang +++ b/htdocs/langs/vi_VN/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Chuyển đổi thanh toán vượt mức thành giảm EnterPaymentReceivedFromCustomer=Nhập thanh toán đã nhận được từ khách hàng EnterPaymentDueToCustomer=Thực hiện thanh toán do khách hàng DisabledBecauseRemainderToPayIsZero=Vô hiệu hóa bởi vì phần chưa thanh toán còn lại là bằng 0 -PriceBase=Giá cơ sở +PriceBase=Base price BillStatus=Trạng thái hóa đơn StatusOfGeneratedInvoices=Tình trạng hóa đơn được tạo BillStatusDraft=Dự thảo (cần được xác nhận) @@ -454,7 +454,7 @@ RegulatedOn=Quy định trên ChequeNumber=Kiểm tra N° ChequeOrTransferNumber=Kiểm tra/Chuyển N° ChequeBordereau=Ghi Séc -ChequeMaker=Séc/ Điện chuyển tiền +ChequeMaker=Check/Transfer sender ChequeBank=Ngân hàng của Séc CheckBank=Séc NetToBePaid=Số tiền chưa thuế được trả diff --git a/htdocs/langs/vi_VN/boxes.lang b/htdocs/langs/vi_VN/boxes.lang index e002c44df14..8a9692b7254 100644 --- a/htdocs/langs/vi_VN/boxes.lang +++ b/htdocs/langs/vi_VN/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Dấu trang: mới nhất %s BoxOldestExpiredServices=Dịch vụ đã hết hạn hoạt động cũ nhất BoxLastExpiredServices=Các liên lạc cũ nhất với các dịch vụ đã hết hạn hoạt động mới nhất %s BoxTitleLastActionsToDo=Các hành động cần làm mới nhất %s -BoxTitleLastContracts=Hợp đồng sửa đổi mới nhất %s -BoxTitleLastModifiedDonations=Đóng góp sửa đổi mới nhất %s -BoxTitleLastModifiedExpenses=Báo cáo chi phí sửa đổi mới nhất %s -BoxTitleLatestModifiedBoms=BOMs sửa đổi mới nhất %s -BoxTitleLatestModifiedMos=Đơn đặt hàng sản xuất sửa đổi mới nhất %s +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Hoạt động toàn cầu (hoá đơn, đề xuất, đơn đặt hàng) BoxGoodCustomers=Khách hàng thân thiết diff --git a/htdocs/langs/vi_VN/cashdesk.lang b/htdocs/langs/vi_VN/cashdesk.lang index e988007469f..7197ca2dbce 100644 --- a/htdocs/langs/vi_VN/cashdesk.lang +++ b/htdocs/langs/vi_VN/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Sàn AddTable=Thêm bảng Place=Địa điểm TakeposConnectorNecesary=Yêu cầu 'Trình kết nối TakePOS' -OrderPrinters=Yêu cầu máy in +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Tìm kiếm sản phẩm Receipt=Bên nhận Header=Tiêu đề @@ -56,8 +57,9 @@ Paymentnumpad=Loại Bảng để nhập thanh toán Numberspad=Bảng số BillsCoinsPad=Bảng tiền xu và tiền giấy DolistorePosCategory=Các mô-đun TakePOS và các giải pháp POS khác cho Dolibarr -TakeposNeedsCategories=TakePOS cần các danh mục sản phẩm để hoạt động -OrderNotes=Ghi chú đơn hàng +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Tài khoản mặc định được sử dụng để thanh toán trong NoPaimementModesDefined=Không có chế độ thanh toán được xác định trong cấu hình TakePOS TicketVatGrouped=VAT nhóm theo tỷ lệ trong vé | biên lai @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Hóa đơn đã được xác nhận NoLinesToBill=Không có dòng hóa đơn CustomReceipt=Biên nhận tùy chỉnh ReceiptName=Tên biên nhận -ProductSupplements=Sản phẩm bổ sung +ProductSupplements=Manage supplements of products SupplementCategory=Danh mục bổ sung ColorTheme=Màu giao diện Colorful=Màu sắc @@ -92,7 +94,7 @@ Browser=Trình duyệt BrowserMethodDescription=In hóa đơn đơn giản và dễ dàng. Chỉ có một vài tham số để cấu hình hóa đơn. In qua trình duyệt. TakeposConnectorMethodDescription=Module ngoài với các tính năng bổ sung. Khả năng in từ đám mây. PrintMethod=Phương pháp in -ReceiptPrinterMethodDescription=Phương pháp mạnh mẽ với rất nhiều thông số. Hoàn toàn tùy biến với các mẫu. Không thể in từ đám mây. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=Bởi cổng TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/vi_VN/categories.lang b/htdocs/langs/vi_VN/categories.lang index 45dff33ca44..8f4d91ccfe4 100644 --- a/htdocs/langs/vi_VN/categories.lang +++ b/htdocs/langs/vi_VN/categories.lang @@ -3,20 +3,20 @@ Rubrique=Thẻ/ Danh mục Rubriques=Thẻ/ Danh mục RubriquesTransactions=Thẻ/ Danh mục của giao dịch categories=thẻ/danh mục -NoCategoryYet=Chưa tạo thẻ/ danh mục của loại này +NoCategoryYet=No tag/category of this type has been created In=Trong AddIn=Thêm vào modify=sửa đổi Classify=Phân loại CategoriesArea=Khu vực thẻ/danh mục -ProductsCategoriesArea=Khu vực thẻ/danh mục cho sản phẩm/dịch vụ -SuppliersCategoriesArea=Khu vực thẻ/ danh mục nhà cung cấp -CustomersCategoriesArea=Khu vực thẻ/danh mục khách hàng -MembersCategoriesArea=Khu vực thẻ/danh mục thành viên -ContactsCategoriesArea=Khu vực thẻ/ danh mục liên lạc -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Khu vực thẻ/ danh mục dự án -UsersCategoriesArea=Khu vực thẻ/ danh mục người dùng +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Danh mục con CatList=Danh sách thẻ/danh mục CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Chọn danh mục StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Sử dụng hoặc điều hành các danh mục +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/vi_VN/companies.lang b/htdocs/langs/vi_VN/companies.lang index a35ab2ab2b0..dd2cc674f90 100644 --- a/htdocs/langs/vi_VN/companies.lang +++ b/htdocs/langs/vi_VN/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Tên công ty %s đã tồn tại. Chọn tên khác khác. ErrorSetACountryFirst=Thiết lập quốc gia trước SelectThirdParty=Chọn một bên thứ ba -ConfirmDeleteCompany=Bạn có chắc chắn muốn xóa công ty này và tất cả thông tin được kế thừa? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Xóa một liên lạc/địa chỉ -ConfirmDeleteContact=Bạn có chắc chắn muốn xóa liên lạc này và tất cả thông tin được kế thừa? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=Bên thứ ba mới MenuNewCustomer=Khách hàng mới MenuNewProspect=Triển vọng mới @@ -69,7 +69,7 @@ PhoneShort=Tel Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Từ chối gửi email hàng loạt @@ -78,7 +78,7 @@ Zip=Mã Zip Town=Thành phố Web=Web Poste= Chức vụ -DefaultLang=Ngôn ngữ mặc định +DefaultLang=Default language VATIsUsed=Thuế bán hàng được sử dụng VATIsUsedWhenSelling=Định nghĩa này nếu bên thứ ba này có bao gồm thuế bán hàng hay không khi họ tạo hóa đơn cho khách hàng của mình VATIsNotUsed=Thuế kinh doanh không được dùng @@ -331,7 +331,7 @@ CustomerCodeDesc=Mã khách hàng, duy nhất cho tất cả khách hàng SupplierCodeDesc=Mã nhà cung cấp, duy nhất cho tất cả các nhà cung cấp RequiredIfCustomer=Yêu cầu nếu bên thứ ba là một khách hàng hoặc KH tiềm năng RequiredIfSupplier=Buộc phải nhập nếu bên thứ ba là nhà cung cấp -ValidityControledByModule=Hiệu lực được kiểm soát bởi mô-đun +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Quy tắc cho mô-đun này ProspectToContact=KH tiềm năng để liên lạc CompanyDeleted=Công ty "%s" đã xóa khỏi cơ sở dữ liệu. @@ -439,12 +439,12 @@ ListSuppliersShort=Danh sách nhà cung cấp ListProspectsShort=Danh sách các triển vọng ListCustomersShort=Danh sách khách hàng ThirdPartiesArea=Bên thứ ba/ Liên lạc -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Tổng số bên thứ ba +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Mở ActivityCeased=Đóng ThirdPartyIsClosed=Bên thứ ba bị đóng -ProductsIntoElements=Danh sách sản phẩm/ dịch vụ vào %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Công nợ hiện tại OutstandingBill=Công nợ tối đa OutstandingBillReached=Tối đa cho hóa đơn chưa thanh toán @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=Mã này tự do. Mã này có thể được sửa đổ ManagingDirectors=Tên quản lý (CEO, giám đốc, chủ tịch...) MergeOriginThirdparty=Sao y bên thứ ba (bên thứ ba bạn muốn xóa) MergeThirdparties=Hợp nhất bên thứ ba -ConfirmMergeThirdparties=Bạn có chắc chắn muốn hợp nhất bên thứ ba này vào bên hiện tại không? Tất cả các đối tượng được liên kết (hóa đơn, đơn đặt hàng, ...) sẽ được chuyển sang bên thứ ba hiện tại, sau đó bên thứ ba sẽ bị xóa. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Các bên thứ ba đã được sáp nhập SaleRepresentativeLogin=Đăng nhập của đại diện bán hàng SaleRepresentativeFirstname=Tên đại diện bán hàng diff --git a/htdocs/langs/vi_VN/compta.lang b/htdocs/langs/vi_VN/compta.lang index ea724951735..e55aee4b875 100644 --- a/htdocs/langs/vi_VN/compta.lang +++ b/htdocs/langs/vi_VN/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=Giảm giá mới NewCheckDeposit=Tiền gửi kiểm tra mới NewCheckDepositOn=Tạo nhận đối với tiền gửi trên tài khoản: %s NoWaitingChecks=Không có séc chờ đặt cọc -DateChequeReceived=Kiểm tra ngày tiếp nhận +DateChequeReceived=Check receiving date NbOfCheques=Số lượng séc PaySocialContribution=Nộp thuế xã hội / tài chính PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/vi_VN/ecm.lang b/htdocs/langs/vi_VN/ecm.lang index 10952377cc4..4e78a6ed156 100644 --- a/htdocs/langs/vi_VN/ecm.lang +++ b/htdocs/langs/vi_VN/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/vi_VN/errors.lang b/htdocs/langs/vi_VN/errors.lang index 872a1d3b568..eec57671b9e 100644 --- a/htdocs/langs/vi_VN/errors.lang +++ b/htdocs/langs/vi_VN/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=Không có lỗi, chúng tôi cam kết # Errors ErrorButCommitIsDone=Lỗi được tìm thấy nhưng chúng tôi xác nhận mặc dù điều này -ErrorBadEMail=Email %s là sai -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url% s là sai +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Giá trị xấu cho tham số của bạn. Nói chung khi dịch bị thiếu. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Đăng nhập% s đã tồn tại. @@ -46,8 +46,8 @@ ErrorWrongDate=Ngày là không đúng! ErrorFailedToWriteInDir=Không thể viết trong thư mục% s ErrorFoundBadEmailInFile=Tìm thấy cú pháp email không chính xác cho% s dòng trong tập tin (ví dụ dòng% s với email =% s) ErrorUserCannotBeDelete=Người dùng không thể bị xóa. Có lẽ nó được liên kết với các thực thể Dolibarr. -ErrorFieldsRequired=Một số trường yêu cầu không được lấp đầy. -ErrorSubjectIsRequired=Chủ đề email là bắt buộc +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Không thể tạo một thư mục. Kiểm tra xem người sử dụng máy chủ web có quyền ghi vào thư mục tài liệu Dolibarr. Nếu tham số safe_mode được kích hoạt trên PHP này, hãy kiểm tra các tập tin php Dolibarr sở hữu cho người sử dụng máy chủ web (hoặc một nhóm). ErrorNoMailDefinedForThisUser=Không có thư xác định cho người dùng này ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=Trang/ khung chứa %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Cài đặt +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Dự thảo +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Đã hoàn thành +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/vi_VN/knowledgemanagement.lang b/htdocs/langs/vi_VN/knowledgemanagement.lang new file mode 100644 index 00000000000..0de9c4ff2c6 --- /dev/null +++ b/htdocs/langs/vi_VN/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Cài đặt +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = Về +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Điều +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/vi_VN/mails.lang b/htdocs/langs/vi_VN/mails.lang index 59190543259..2b9f6f9bd28 100644 --- a/htdocs/langs/vi_VN/mails.lang +++ b/htdocs/langs/vi_VN/mails.lang @@ -15,7 +15,7 @@ MailToUsers=(những) Người dùng MailCC=Sao chép vào MailToCCUsers=Sao chép cho (những) người dùng MailCCC=Bản cache để -MailTopic=Đề mục Email +MailTopic=Email subject MailText=Tin nhắn MailFile=File đính kèm MailMessage=Nội dung Email @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Cấu hình gửi email đã được thiết lập thành '%s'. Chế độ này không thể được sử dụng để gửi email hàng loạt. MailSendSetupIs2=Trước tiên, bạn phải đi, với tài khoản quản trị viên, vào menu %sNhà - Cài đặt - EMails %s để thay đổi tham số '%s' để sử dụng chế độ '%s' . Với chế độ này, bạn có thể nhập thiết lập máy chủ SMTP do Nhà cung cấp dịch vụ Internet của bạn cung cấp và sử dụng tính năng gửi email hàng loạt. MailSendSetupIs3=Nếu bạn có bất kỳ câu hỏi nào về cách thiết lập máy chủ SMTP của mình, bạn có thể hỏi %s. diff --git a/htdocs/langs/vi_VN/main.lang b/htdocs/langs/vi_VN/main.lang index b8bef1f3bf1..d6b2960b446 100644 --- a/htdocs/langs/vi_VN/main.lang +++ b/htdocs/langs/vi_VN/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Lưu và tạo mới TestConnection=Kiểm tra kết nối ToClone=Nhân bản ConfirmCloneAsk=Có chắc bạn muốn sao chép %s không? -ConfirmClone=Chọn dữ liệu bạn muốn sao chép: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=Không có dữ liệu nhân bản được xác định. Of=của Go=Tới @@ -246,7 +246,7 @@ DefaultModel=Mẫu tài liệu mặc định Action=Sự kiện About=Về Number=Số -NumberByMonth=Số theo tháng +NumberByMonth=Total reports by month AmountByMonth=Số tiền theo tháng Numero=Số Limit=Giới hạn @@ -341,8 +341,8 @@ KiloBytes=Kilobyte MegaBytes=MB GigaBytes=Gigabyte TeraBytes=Terabyte -UserAuthor=Người dùng để tạo -UserModif=Người dùng để cập nhật mới nhất +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=Theo From=Từ FromDate=Từ FromLocation=Từ -at=at to=đến To=đến +ToDate=đến +ToLocation=đến +at=at and=và or=hoặc Other=Khác @@ -843,7 +845,7 @@ XMoreLines=%s dòng ẩn ShowMoreLines=Hiển thị thêm hơn/ ít dòng PublicUrl=URL công khai AddBox=Thêm hộp -SelectElementAndClick=Chọn một yếu tố và nhấp vào %s +SelectElementAndClick=Select an element and click on %s PrintFile=In tập tin %s ShowTransaction=Hiển thị mục trên tài khoản ngân hàng ShowIntervention=Hiện can thiệp @@ -854,8 +856,8 @@ Denied=Đã từ chối ListOf=Danh sách %s ListOfTemplates=Danh sách các mẫu Gender=Giới tính -Genderman=Nam -Genderwoman=Nữ +Genderman=Male +Genderwoman=Female Genderother=Khác ViewList=Danh sách xem ViewGantt=Xem dạng Gantt @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/vi_VN/members.lang b/htdocs/langs/vi_VN/members.lang index 5f510070f92..c2df22f839f 100644 --- a/htdocs/langs/vi_VN/members.lang +++ b/htdocs/langs/vi_VN/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Một thành viên khác (tên: %s ErrorUserPermissionAllowsToLinksToItselfOnly=Vì lý do bảo mật, bạn phải được cấp quyền chỉnh sửa tất cả người dùng để có thể liên kết thành viên với người dùng không phải của bạn. SetLinkToUser=Liên kết với người dùng Dolibarr SetLinkToThirdParty=Liên kết với bên thứ ba Dolibarr -MembersCards=Danh thiếp thành viên +MembersCards=Business cards for members MembersList=Danh sách thành viên MembersListToValid=Danh sách thành viên dự thảo (sẽ được xác nhận) MembersListValid=Danh sách thành viên hợp lệ @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Thành viên có đăng ký để nhận MembersWithSubscriptionToReceiveShort=Đăng ký để nhận DateSubscription=Ngày đăng ký DateEndSubscription=Ngày kết thúc đăng ký -EndSubscription=Kết thúc đăng ký +EndSubscription=Subscription Ends SubscriptionId=Id đăng ký WithoutSubscription=Without subscription MemberId=ID Thành viên @@ -83,10 +83,10 @@ WelcomeEMail=Email chào mừng SubscriptionRequired=Yêu cầu đăng ký DeleteType=Xóa VoteAllowed=Bình chọn cho phép -Physical=Vật lý -Moral=Đạo đức -MorAndPhy=Moral and Physical -Reenable=Bật lại +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Chấm dứt thành viên @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Thống kê thành viên theo quốc gia MembersStatisticsByState=Thống kê thành viên theo tiểu bang / tỉnh MembersStatisticsByTown=Thống kê thành viên theo thị trấn MembersStatisticsByRegion=Thống kê thành viên theo khu vực -NbOfMembers=Số lượng thành viên -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=Không có thành viên đã xác nhận tìm thấy -MembersByCountryDesc=Màn hình này hiển thị cho bạn số liệu thống kê về các thành viên của các quốc gia. Tuy nhiên, đồ họa phụ thuộc vào dịch vụ đồ thị trực tuyến của Google và chỉ khả dụng nếu kết nối internet đang hoạt động. -MembersByStateDesc=Màn hình này hiển thị cho bạn số liệu thống kê về các thành viên theo tiểu bang / tỉnh / bang. -MembersByTownDesc=Màn hình này hiển thị cho bạn số liệu thống kê về các thành viên theo thị trấn. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Chọn thống kê mà bạn muốn đọc ... MenuMembersStats=Thống kê -LastMemberDate=Ngày thành viên mới nhất +LastMemberDate=Latest membership date LatestSubscriptionDate=Ngày đăng ký mới nhất -MemberNature=Bản chất của thành viên -MembersNature=Nature of members -Public=Thông tin là công khai +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=Thành viên mới được thêm vào. Chờ phê duyệt NewMemberForm=Hình thức thành viên mới -SubscriptionsStatistics=Thống kê về đăng ký +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Số lượng đăng ký -AmountOfSubscriptions=Số tiền đăng ký +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Doanh thu (cho một công ty) hoặc Ngân sách (cho một tổ chức) DefaultAmount=Số tiền đăng ký mặc định CanEditAmount=Khách truy cập có thể chọn / chỉnh sửa số tiền đăng ký của họ MEMBER_NEWFORM_PAYONLINE=Nhảy vào trang thanh toán trực tuyến được tích hợp ByProperties=Theo bản chất tự nhiên MembersStatisticsByProperties=Thống kê thành viên theo bản chất -MembersByNature=Màn hình này hiển thị cho bạn số liệu thống kê về các thành viên theo bản chất. -MembersByRegion=Màn hình này hiển thị cho bạn số liệu thống kê về các thành viên theo khu vực. VATToUseForSubscriptions=Thuế suất VAT được sử dụng để đăng ký NoVatOnSubscription=Không có VAT cho đăng ký ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Sản phẩm được sử dụng cho dòng đăng ký vào hóa đơn: %s diff --git a/htdocs/langs/vi_VN/modulebuilder.lang b/htdocs/langs/vi_VN/modulebuilder.lang index 99ce316be1e..6a1addc2a0d 100644 --- a/htdocs/langs/vi_VN/modulebuilder.lang +++ b/htdocs/langs/vi_VN/modulebuilder.lang @@ -85,7 +85,7 @@ 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=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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Hiển thị trên file PDF 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) diff --git a/htdocs/langs/vi_VN/other.lang b/htdocs/langs/vi_VN/other.lang index c92b2668971..0a96b0891f0 100644 --- a/htdocs/langs/vi_VN/other.lang +++ b/htdocs/langs/vi_VN/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Cài đặt hoặc kích hoạt thư viện GD trên bản c ProfIdShortDesc=Id Giáo sư% s là một thông tin phụ thuộc vào quốc gia của bên thứ ba.
Ví dụ, đối với đất nước% s, đó là mã% s. DolibarrDemo=Giới thiệu Dolibarr ERP / CRM StatsByNumberOfUnits=Thống kê tổng số lượng sản phẩm / dịch vụ -StatsByNumberOfEntities=Thống kê về số lượng thực thể tham chiếu (số hóa đơn hoặc đơn đặt hàng ...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Số lượng đề xuất NumberOfCustomerOrders=Số lượng đơn đặt hàng bán NumberOfCustomerInvoices=Số lượng hóa đơn khách hàng @@ -289,4 +289,4 @@ PopuProp=Sản phẩm/Dịch vụ phổ biến trong Đơn đề xuất PopuCom=Sản phẩm/dịch vụ phổ biến trong Đơn hàng ProductStatistics=Thống kê sản phẩm/dịch vụ NbOfQtyInOrders=Số lượng đã đặt hàng -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/vi_VN/partnership.lang b/htdocs/langs/vi_VN/partnership.lang new file mode 100644 index 00000000000..0a690c176b4 --- /dev/null +++ b/htdocs/langs/vi_VN/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Ngày bắt đầu +DatePartnershipEnd=Ngày kết thúc + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Dự thảo +PartnershipAccepted = Đã được chấp nhận +PartnershipRefused = Bị từ chối +PartnershipCanceled = Đã hủy + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/vi_VN/productbatch.lang b/htdocs/langs/vi_VN/productbatch.lang index d6942190bd5..664b919a209 100644 --- a/htdocs/langs/vi_VN/productbatch.lang +++ b/htdocs/langs/vi_VN/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/vi_VN/products.lang b/htdocs/langs/vi_VN/products.lang index 9727502004b..de924f3ac3a 100644 --- a/htdocs/langs/vi_VN/products.lang +++ b/htdocs/langs/vi_VN/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Dịch vụ chỉ để bán ServicesOnPurchaseOnly=Dịch vụ chỉ để mua ServicesNotOnSell=Dịch vụ không để bán, không mua ServicesOnSellAndOnBuy=Dịch vụ để bán và mua -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=%s sản phẩm mới được ghi lại LastRecordedServices=%s dịch vụ mới được ghi lại CardProduct0=Sản phẩm @@ -73,12 +73,12 @@ SellingPrice=Giá bán SellingPriceHT=Giá bán (chưa thuế) SellingPriceTTC=Giá bán (đã có thuế.) SellingMinPriceTTC=Giá bán tối thiểu (gồm thuế) -CostPriceDescription=Trường giá này (chưa bao gồm thuế) có thể được sử dụng để lưu số tiền trung bình chi phí của sản phẩm cho công ty của bạn. Nó có thể là bất kỳ giá nào bạn tự tính toán, ví dụ từ giá mua trung bình cộng với chi phí sản xuất và phân phối trung bình. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=Giá trị này sẽ được sử dụng cho tính toán biên độ lợi nhuận SoldAmount=Tổng bán PurchasedAmount=Tổng mua NewPrice=Giá mới -MinPrice=Giá bán tối thiểu +MinPrice=Min. selling price EditSellingPriceLabel=Sửa đổi nhãn giá bán CantBeLessThanMinPrice=Giá bán không thấp hơn mức tối thiểu được cho phép của sản phẩm này (%s chưa thuế). Thông điệp này chỉ xuất hiện khi bạn nhập giảm giá quá lớn. ContractStatusClosed=Đã đóng @@ -157,11 +157,11 @@ ListServiceByPopularity=Danh sách các dịch vụ phổ biến Finished=Thành phẩm RowMaterial=Nguyên liệu ConfirmCloneProduct=Bạn có chắc muốn sao chép sản phẩm này %s ? -CloneContentProduct=Sao chép tất cả thông tin chính của sản phẩm/ dịch vụ +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Sao chép giá -CloneCategoriesProduct=Sao chép thẻ/ danh mục được liên kết -CloneCompositionProduct=Sao chép sản phẩm/ dịch vụ ảo -CloneCombinationsProduct=Sao chép các biến thể của sản phẩm +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=Sản phẩm này đã được dùng NewRefForClone=Tham chiếu sản phẩm/dịch vụ mới SellingPrices=Giá bán @@ -170,12 +170,12 @@ CustomerPrices=Giá khách hàng SuppliersPrices=Giá nhà cung cấp SuppliersPricesOfProductsOrServices=Giá nhà cung cấp (của sản phẩm hoặc dịch vụ) CustomCode=Customs|Commodity|HS code -CountryOrigin=Nước xuất xứ -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Loại sản phẩm (nguyên liệu / thành phẩm) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Nhãn ngắn Unit=Đơn vị p=u. diff --git a/htdocs/langs/vi_VN/projects.lang b/htdocs/langs/vi_VN/projects.lang index e87f7bf0ced..5736bb007fe 100644 --- a/htdocs/langs/vi_VN/projects.lang +++ b/htdocs/langs/vi_VN/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Đàu mối dự án ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=Tất cả dự án tôi có thể đọc (của tôi + công khai) AllProjects=Tất cả dự án -MyProjectsDesc=Chế độ xem này được giới hạn cho các dự án mà bạn là người liên lạc +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=Phần xem này hiển thị tất cả các dự án mà bạn được phép đọc. TasksOnProjectsPublicDesc=Chế độ xem này trình bày tất cả các nhiệm vụ trên các dự án bạn được phép đọc. ProjectsPublicTaskDesc=Phần xem này hiển thị tất cả dự án và tác vụ mà bạn được phép đọc. ProjectsDesc=Phần xem này hiển thị tất cả các dự án (quyền người dùng cấp cho bạn được phép xem mọi thứ). TasksOnProjectsDesc=Phần xem này thể hiện tất cả các nhiệm vụ trên tất cả các dự án (quyền người dùng của bạn cấp cho bạn quyền xem mọi thứ). -MyTasksDesc=Chế độ xem này được giới hạn trong các dự án hoặc nhiệm vụ mà bạn là người liên lạc +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Chỉ các dự án mở được hiển thị (các dự án ở trạng thái dự thảo hoặc đóng không hiển thị). ClosedProjectsAreHidden=Các dự án đóng không nhìn thấy được. TasksPublicDesc=Phần xem này hiển thị tất cả dự án và tác vụ mà bạn được phép đọc. TasksDesc=Phần xem này hiển thị tất cả các dự án và tác vụ (quyền người dùng của bạn hiện đang cho phép bạn xem tất cả thông tin). AllTaskVisibleButEditIfYouAreAssigned=Tất cả các nhiệm vụ cho các dự án đủ điều kiện đều hiển thị, nhưng bạn chỉ có thể nhập thời gian cho nhiệm vụ được giao cho người dùng đã chọn. Phân công nhiệm vụ nếu bạn cần nhập thời gian vào nó. -OnlyYourTaskAreVisible=Chỉ có nhiệm vụ được giao cho bạn là có thể nhìn thấy. Giao nhiệm vụ cho chính bạn nếu nó không hiển thị và bạn cần nhập thời gian vào nó. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Nhiệm vụ của dự án ProjectCategories=Thẻ dự án/ danh mục NewProject=Dự án mới @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=Không được giao nhiệm vụ NoUserAssignedToTheProject=Không có người dùng nào được chỉ định cho dự án này TimeSpentBy=Thời gian đã qua bởi TasksAssignedTo=Nhiệm vụ được giao -AssignTaskToMe=Giao việc cho tôi +AssignTaskToMe=Assign task to myself AssignTaskToUser=Giao nhiệm vụ cho %s SelectTaskToAssign=Chọn nhiệm vụ để giao... AssignTask=Phân công diff --git a/htdocs/langs/vi_VN/recruitment.lang b/htdocs/langs/vi_VN/recruitment.lang index c62da50ed0c..c1d145f9b0a 100644 --- a/htdocs/langs/vi_VN/recruitment.lang +++ b/htdocs/langs/vi_VN/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/vi_VN/sendings.lang b/htdocs/langs/vi_VN/sendings.lang index 0311215ed2a..cdfa18ad8f3 100644 --- a/htdocs/langs/vi_VN/sendings.lang +++ b/htdocs/langs/vi_VN/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Bạn có chắc chắn muốn xác nhận lô hàng này ConfirmCancelSending=Bạn có chắc chắn muốn hủy lô hàng này? DocumentModelMerou=Mô hình Merou A5 WarningNoQtyLeftToSend=Cảnh báo, không có sản phẩm chờ đợi để được vận chuyển. -StatsOnShipmentsOnlyValidated=Thống kê tiến hành với các chuyến hàng chỉ xác nhận. Ngày sử dụng là ngày xác nhận giao hàng (dự ngày giao hàng không phải luôn luôn được biết đến). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Ngày giao hàng theo kế hoạch RefDeliveryReceipt=Tham chiếu biên nhận giao hàng StatusReceipt=Trạng thái biên nhận giao hàng diff --git a/htdocs/langs/vi_VN/stocks.lang b/htdocs/langs/vi_VN/stocks.lang index 1a90a0e49ff..6ca53c6ae44 100644 --- a/htdocs/langs/vi_VN/stocks.lang +++ b/htdocs/langs/vi_VN/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=Không có sản phẩm được xác định trư DispatchVerb=Công văn StockLimitShort=Hạn cảnh báo StockLimit=Hạn tồn kho cho cảnh báo -StockLimitDesc=(trống) có nghĩa là không có cảnh báo.
0 có thể được sử dụng để cảnh báo ngay khi tồn kho trống. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Tồn kho vật lý RealStock=Tồn kho thực RealStockDesc=Vật lý/ tồn kho thực là tồn kho hiện tại trong kho. diff --git a/htdocs/langs/vi_VN/users.lang b/htdocs/langs/vi_VN/users.lang index 019f7aeb3af..73fbed5392e 100644 --- a/htdocs/langs/vi_VN/users.lang +++ b/htdocs/langs/vi_VN/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Mật khẩu đã đổi sang: %s SubjectNewPassword=Mật khẩu mới của bạn cho %s GroupRights=Quyền Nhóm UserRights=Quyền người dùng +Credentials=Credentials UserGUISetup=Cài đặt hiển thị người dùng DisableUser=Vô hiệu hoá DisableAUser=Vô hiệu hóa người dùng @@ -105,7 +106,7 @@ UseTypeFieldToChange=Dùng trường Loại để thay đổi OpenIDURL=OpenID URL LoginUsingOpenID=Sử dụng OpenID để đăng nhập WeeklyHours=Giờ đã làm (theo tuần) -ExpectedWorkedHours=Dự kiến giờ làm việc mỗi tuần +ExpectedWorkedHours=Expected hours worked per week ColorUser=Màu của người dùng DisabledInMonoUserMode=Vô hiệu hóa trong chế độ bảo trì UserAccountancyCode=Mã kế toán của người dùng @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Ngày bắt đầu làm việc DateEmploymentEnd=Ngày kết thúc việc làm -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=Bạn không thể vô hiệu hóa hồ sơ người dùng của bạn ForceUserExpenseValidator=Thúc phê duyệt báo cáo chi phí ForceUserHolidayValidator=Thúc phê duyệt báo cáo chi phí diff --git a/htdocs/langs/vi_VN/website.lang b/htdocs/langs/vi_VN/website.lang index 9696a7d6d44..c88a35daf86 100644 --- a/htdocs/langs/vi_VN/website.lang +++ b/htdocs/langs/vi_VN/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/zh_CN/accountancy.lang b/htdocs/langs/zh_CN/accountancy.lang index 1079a11bcfe..6d6fdd5baa6 100644 --- a/htdocs/langs/zh_CN/accountancy.lang +++ b/htdocs/langs/zh_CN/accountancy.lang @@ -202,7 +202,7 @@ Docref=参考 LabelAccount=标签帐户 LabelOperation=标签操作 Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=刻字代码 Lettering=Lettering Codejournal=日记帐 @@ -297,7 +297,7 @@ NoNewRecordSaved=没有更多的记录记录 ListOfProductsWithoutAccountingAccount=未绑定到任何会计科目的产品列表 ChangeBinding=更改绑定 Accounted=占总账 -NotYetAccounted=尚未计入分类帐 +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=未调解 WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/zh_CN/admin.lang b/htdocs/langs/zh_CN/admin.lang index 20c23406c24..0ddf580c5f6 100644 --- a/htdocs/langs/zh_CN/admin.lang +++ b/htdocs/langs/zh_CN/admin.lang @@ -64,6 +64,7 @@ RemoveLock=删除/重命名文件 %s (如果存在),以允许使用 RestoreLock=恢复文件 %s 的只读权限,以禁止升级工具的使用。 SecuritySetup=安全设置 PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=在此定义与上载文件的安全性相关的选项。 ErrorModuleRequirePHPVersion=错误,此模块要求 PHP 版本 %s 或更高 ErrorModuleRequireDolibarrVersion=错误,此模块要求 Dolibarr 版本 %s 或更高 @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=不提示 NoActiveBankAccountDefined=没有定义有效的银行帐户 OwnerOfBankAccount=银行帐户 %s 的户主 BankModuleNotActive=银行账户模块没有启用 -ShowBugTrackLink=显示链接 "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=警告 DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=您必须以 %s 用户 YourPHPDoesNotHaveSSLSupport=SSL 在您的 PHP 中不可用 DownloadMoreSkins=下载更多外观主题 SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=部分翻译 @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/zh_CN/banks.lang b/htdocs/langs/zh_CN/banks.lang index 96a4fe4a833..958757ffeda 100644 --- a/htdocs/langs/zh_CN/banks.lang +++ b/htdocs/langs/zh_CN/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=支付社保/财政税 BankTransfer=Credit transfer BankTransfers=Credit transfers 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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=从 TransferTo=至 TransferFromToDone=从%s%s转帐%s已被记录。 -CheckTransmitter=发射机 +CheckTransmitter=发送方 ValidateCheckReceipt=验证此支票收据? -ConfirmValidateCheckReceipt=您确定要验证此支票收据,一旦完成,是否可以进行更改? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=删除此支票收据? ConfirmDeleteCheckReceipt=您确定要删除此支票收据吗? BankChecks=银行支票 @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=您确定要删除此条目吗? ThisWillAlsoDeleteBankRecord=这也将删除生成的银行条目 BankMovements=移动 PlannedTransactions=计划的条目 -Graph=图表 +Graph=Graphs ExportDataset_banque_1=银行条目和帐户对帐单 ExportDataset_banque_2=存款单 TransactionOnTheOtherAccount=交易的其他帐户 @@ -142,7 +142,7 @@ AllAccounts=所有银行和现金账户 BackToAccount=回到帐户 ShowAllAccounts=显示所有帐户 FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=选择/过滤支票以包括在支票存款收据中,然后单击“创建”。 +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=选择与税率有关的银行声明。 使用一个合适的数值: YYYYMM 或 YYYYMMDD EventualyAddCategory=最后,指定一个范畴对其中的记录进行分类 ToConciliate=调节? diff --git a/htdocs/langs/zh_CN/bills.lang b/htdocs/langs/zh_CN/bills.lang index 114560a8b53..270e7c8f78a 100644 --- a/htdocs/langs/zh_CN/bills.lang +++ b/htdocs/langs/zh_CN/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=将超额付款转换为可用折扣 EnterPaymentReceivedFromCustomer=输入从客户收到的付款 EnterPaymentDueToCustomer=为客户创建付款延迟 DisabledBecauseRemainderToPayIsZero=禁用,因为未支付金额为0 -PriceBase=价格基准 +PriceBase=Base price BillStatus=发票状态 StatusOfGeneratedInvoices=生成的发票的状态 BillStatusDraft=草案(需要确认) @@ -454,7 +454,7 @@ RegulatedOn=规范了 ChequeNumber=Check N° ChequeOrTransferNumber=支票/转账 N° ChequeBordereau=检查计划任务 -ChequeMaker=查看/追踪物流 +ChequeMaker=Check/Transfer sender ChequeBank=银行支票 CheckBank=支票 NetToBePaid=需要净支出 diff --git a/htdocs/langs/zh_CN/boxes.lang b/htdocs/langs/zh_CN/boxes.lang index 864117c4789..0f72cb46cb6 100644 --- a/htdocs/langs/zh_CN/boxes.lang +++ b/htdocs/langs/zh_CN/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=执行中的逾期时间最长的服务 BoxLastExpiredServices=最近 %s 老联系人激活过期服务 BoxTitleLastActionsToDo=最近的 %s 个动作 -BoxTitleLastContracts=最新的%s修改后的合同 -BoxTitleLastModifiedDonations=最近变更的 %s 份捐款 -BoxTitleLastModifiedExpenses=最近变更的 %s 份费用报表 -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=全局活动(账单,报价,订单) BoxGoodCustomers=优质客户 diff --git a/htdocs/langs/zh_CN/cashdesk.lang b/htdocs/langs/zh_CN/cashdesk.lang index bcaf0780474..3d9202d5443 100644 --- a/htdocs/langs/zh_CN/cashdesk.lang +++ b/htdocs/langs/zh_CN/cashdesk.lang @@ -41,7 +41,8 @@ Floor=地板 AddTable=添加表格 Place=地点 TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=订购打印机 +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=搜索产品 Receipt=收据 Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=浏览器 BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/zh_CN/categories.lang b/htdocs/langs/zh_CN/categories.lang index d9f0d4cf96f..e6d0e6211da 100644 --- a/htdocs/langs/zh_CN/categories.lang +++ b/htdocs/langs/zh_CN/categories.lang @@ -3,20 +3,20 @@ Rubrique=标签/分类 Rubriques=标签/分类 RubriquesTransactions=交易的标签/类别 categories=标签/分类 -NoCategoryYet=创建的类型无标签/分类 +NoCategoryYet=No tag/category of this type has been created In=在 AddIn=加入 modify=变更 Classify=分类 CategoriesArea=标签/分类区 -ProductsCategoriesArea=产品/服务 标签/分类区 -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=客户标签/类别区 -MembersCategoriesArea=会员标签/分类区 -ContactsCategoriesArea=联系人标签/分类信息区 -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=项目标签/分类区 -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=子类别 CatList=标签/分类列表 CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=选择类别 StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/zh_CN/companies.lang b/htdocs/langs/zh_CN/companies.lang index 0575152ba7d..71264d4f3d8 100644 --- a/htdocs/langs/zh_CN/companies.lang +++ b/htdocs/langs/zh_CN/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=公司名称%s已经存在。请使用其它名称。 ErrorSetACountryFirst=请先设置国家 SelectThirdParty=选择合伙人 -ConfirmDeleteCompany=你确定要删除本公司及所有关联信息? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=删除联络人 -ConfirmDeleteContact=你确定要删除这个联系人和所有关联信息? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=电话 Skype=Skype Call=Call Chat=Chat -PhonePro=工作电话 +PhonePro=Bus. phone PhonePerso=私人电话 PhoneMobile=手机 No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=邮政编码 Town=城市 Web=网站 Poste= 位置 -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=不含增值税 @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=要求合伙人为客户或是准客户 RequiredIfSupplier=如果合伙人是供应商,则必需 -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=准客户到联系人 CompanyDeleted=公司“%的”从数据库中删除。 @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=打开 ActivityCeased=禁用 ThirdPartyIsClosed=合伙人已关闭 -ProductsIntoElements= %s 的中产品/服务列表 +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=当前优质账单 OutstandingBill=优质账单最大值 OutstandingBillReached=已达到最大优质账单值 @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=客户/供应商代码是免费的。此代码可以随 ManagingDirectors=公司高管(s)称呼 (CEO, 董事长, 总裁...) MergeOriginThirdparty=重复合伙人(合伙人要删除) MergeThirdparties=合并合伙人 -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=第三方已合并 SaleRepresentativeLogin=销售代表登陆 SaleRepresentativeFirstname=销售代表的名字 diff --git a/htdocs/langs/zh_CN/compta.lang b/htdocs/langs/zh_CN/compta.lang index cb4815b8ab6..ddafa9046fd 100644 --- a/htdocs/langs/zh_CN/compta.lang +++ b/htdocs/langs/zh_CN/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=新优惠 NewCheckDeposit=新的支票存款 NewCheckDepositOn=创建于账户上的存款收据:%s的 NoWaitingChecks=空空如也——没有等待支票存款 -DateChequeReceived=支票接收日期 +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=支付社会/财政税 PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/zh_CN/ecm.lang b/htdocs/langs/zh_CN/ecm.lang index 5ac4ee9542f..6239da16498 100644 --- a/htdocs/langs/zh_CN/ecm.lang +++ b/htdocs/langs/zh_CN/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/zh_CN/errors.lang b/htdocs/langs/zh_CN/errors.lang index 0fbfa09aab9..f3840ee22b4 100644 --- a/htdocs/langs/zh_CN/errors.lang +++ b/htdocs/langs/zh_CN/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=没有错误,我们承诺 # Errors ErrorButCommitIsDone=发现错误我们将进行验证 -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=网址 %s 有误 +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=参数值不正确。它通常在缺少翻译时附加。 ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=登陆%s已经存在。 @@ -46,8 +46,8 @@ ErrorWrongDate=日期不正确! ErrorFailedToWriteInDir=无法写在目录%s ErrorFoundBadEmailInFile=找到%S的语法不正确的电子邮件文件中的行(例如行%的电子邮件s =%s)的 ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=一些必要的栏位都没有填补。 -ErrorSubjectIsRequired=电子邮件主题是必需的 +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=无法创建一个目录。检查Web服务器的用户有权限写入Dolibarr文件目录。如果参数safe_mode设置为启用这个PHP,检查Dolibarr php文件到Web服务器的用户拥有(或组)。 ErrorNoMailDefinedForThisUser=没有邮件定义该用户 ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = 设置 +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = 草稿 +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = 完成 +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/zh_CN/knowledgemanagement.lang b/htdocs/langs/zh_CN/knowledgemanagement.lang new file mode 100644 index 00000000000..bd0b2f939c5 --- /dev/null +++ b/htdocs/langs/zh_CN/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = 设置 +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = 关于 +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = 项目 +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/zh_CN/mails.lang b/htdocs/langs/zh_CN/mails.lang index 948f4d6d845..57d3caf2bc0 100644 --- a/htdocs/langs/zh_CN/mails.lang +++ b/htdocs/langs/zh_CN/mails.lang @@ -15,7 +15,7 @@ MailToUsers=给用户 MailCC=抄送 MailToCCUsers=复制给用户 MailCCC=缓存副本 -MailTopic=Email topic +MailTopic=Email subject MailText=内容 MailFile=附件 MailMessage=电子邮件正文 @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Email电子邮箱配置设定 '%s'. 这个模式无法用于邮件群发。 MailSendSetupIs2=首先您得这么地, 得先有个管理员账号吧 admin , 进入菜单 %s主页 - 设置 - EMails%s 修改参数 '%s' 用 '%s'模式。 在此模式下, 您才可输入一个 SMTP 服务器地址 来供您收发邮件。 MailSendSetupIs3=如果你对 SMTP 服务器的配置方面有疑问, 你可到这里询问 %s. diff --git a/htdocs/langs/zh_CN/members.lang b/htdocs/langs/zh_CN/members.lang index b9dfc7beb43..2c4186f315b 100644 --- a/htdocs/langs/zh_CN/members.lang +++ b/htdocs/langs/zh_CN/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=另一名成员 (名称: %s ErrorUserPermissionAllowsToLinksToItselfOnly=出于安全原因,您必须被授予权限编辑所有用户能够连接到用户的成员是不是你的。 SetLinkToUser=用户链接到Dolibarr SetLinkToThirdParty=链接到Dolibarr合作方 -MembersCards=会员名片 +MembersCards=Business cards for members MembersList=会员列表 MembersListToValid=准会员 (待验证)列表 MembersListValid=有效人员名录 @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=接受订阅会员 MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=认购日期 DateEndSubscription=认购结束日期 -EndSubscription=最终订阅 +EndSubscription=Subscription Ends SubscriptionId=认购编号 WithoutSubscription=Without subscription MemberId=会员ID @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=是否订阅 DeleteType=删除 VoteAllowed=是否允许投票 -Physical=普通会员 -Moral=荣誉会员 -MorAndPhy=Moral and Physical -Reenable=重新启用 +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=终止会员 @@ -175,32 +175,32 @@ MembersStatisticsByCountries=按国别统计人员 MembersStatisticsByState=成员由州/省的统计信息 MembersStatisticsByTown=按村镇统计人员 MembersStatisticsByRegion=各地区会员统计 -NbOfMembers=人员数量 -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=空空如也——未发现已经验证的成员 -MembersByCountryDesc=这个界面显示按国别统计人员的数据。图形依赖于谷歌在线图形服务,因此当然需要连网才能正常工作。 -MembersByStateDesc=此界面显示按省/市/村镇统计人员的数据。 -MembersByTownDesc=此界面显示按村镇统计人员的数据。 +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=选择你想读的统计... MenuMembersStats=统计 -LastMemberDate=最新成员日期 +LastMemberDate=Latest membership date LatestSubscriptionDate=最新订阅日期 -MemberNature=Nature of member -MembersNature=Nature of members -Public=信息是否公开 +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=增加了新成员。等待批准中 NewMemberForm=新成员申请表 -SubscriptionsStatistics=统计数据上的订阅 +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=订阅数 -AmountOfSubscriptions=订阅金额 +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=营业额(公司)或财政预算案(基础) DefaultAmount=默认订阅数 CanEditAmount=访客是否允许编辑/选择订阅数 MEMBER_NEWFORM_PAYONLINE=集成在线支付页面跳转 ByProperties=自然地 MembersStatisticsByProperties=成员统计数据 -MembersByNature=此屏幕显示成员的性质统计数据。 -MembersByRegion=此屏幕显示按地区划分的成员统计信息。 VATToUseForSubscriptions=增值税率,用于订阅 NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=产品使用发票明细订阅列表: %s diff --git a/htdocs/langs/zh_CN/modulebuilder.lang b/htdocs/langs/zh_CN/modulebuilder.lang index d89035568f3..e9af897fbef 100644 --- a/htdocs/langs/zh_CN/modulebuilder.lang +++ b/htdocs/langs/zh_CN/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/zh_CN/other.lang b/htdocs/langs/zh_CN/other.lang index 4169d86762f..e62ec686b2c 100644 --- a/htdocs/langs/zh_CN/other.lang +++ b/htdocs/langs/zh_CN/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=这个选项安装或启用PHP的GD支持库。 ProfIdShortDesc=Prof Id %s 取决于合作方的国别。
例如,对于%s, 它的代码是%s.。 DolibarrDemo=Dolibarr的ERP / CRM的演示 StatsByNumberOfUnits=产品/服务数量总和的统计 -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=提案数量 NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=客户发票数量 @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/zh_CN/partnership.lang b/htdocs/langs/zh_CN/partnership.lang new file mode 100644 index 00000000000..7c93d028f53 --- /dev/null +++ b/htdocs/langs/zh_CN/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=开始日期 +DatePartnershipEnd=结束日期 + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = 草稿 +PartnershipAccepted = 接受 +PartnershipRefused = 已被拒绝 +PartnershipCanceled = 已取消 + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/zh_CN/productbatch.lang b/htdocs/langs/zh_CN/productbatch.lang index 76c192781be..1fbb1699543 100644 --- a/htdocs/langs/zh_CN/productbatch.lang +++ b/htdocs/langs/zh_CN/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/zh_CN/products.lang b/htdocs/langs/zh_CN/products.lang index e6f7f593ce6..4e7397d4a13 100644 --- a/htdocs/langs/zh_CN/products.lang +++ b/htdocs/langs/zh_CN/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=服务(仅销售) ServicesOnPurchaseOnly=服务(仅采购) ServicesNotOnSell=服务(非出售也非采购) ServicesOnSellAndOnBuy=可销售的服务与可采购的服务 -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=最近登记的 %s 产品 LastRecordedServices=最后 %s 已记录服务 CardProduct0=产品 @@ -73,12 +73,12 @@ SellingPrice=售价 SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=售价(税后) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture 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=该值可用于保证金计算。 SoldAmount=销售总额 PurchasedAmount=采购总额 NewPrice=新增价格 -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=编辑销售价格标签 CantBeLessThanMinPrice=售价不能低于此产品的最低价格 (%s 税前)。此消息也可能在您输入折扣巨大时出现 ContractStatusClosed=已禁用 @@ -157,11 +157,11 @@ ListServiceByPopularity=服务列表(按人气) Finished=成品 RowMaterial=原料 ConfirmCloneProduct=您确定要克隆产品或服务 %s 吗? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=克隆价格 -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=复制产品变体 +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=此产品已使用 NewRefForClone=新产品/服务的编号 SellingPrices=售价 @@ -170,12 +170,12 @@ CustomerPrices=客户价格 SuppliersPrices=供应商价格 SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=产地国 -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=标签别名 Unit=单位 p=u. diff --git a/htdocs/langs/zh_CN/projects.lang b/htdocs/langs/zh_CN/projects.lang index d29983a9419..4589082f6b9 100644 --- a/htdocs/langs/zh_CN/projects.lang +++ b/htdocs/langs/zh_CN/projects.lang @@ -10,19 +10,19 @@ PrivateProject=项目联系人 ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=我能阅读的所有项目(我的+公共) AllProjects=所有项目 -MyProjectsDesc=此视图仅限于您作为联系人的项目 +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=这种观点提出了所有你被允许阅读的项目。 TasksOnProjectsPublicDesc=此视图显示允许您阅读的项目的所有任务。 ProjectsPublicTaskDesc=这种观点提出的所有项目,您可阅读任务。 ProjectsDesc=这种观点提出的所有项目(你的用户权限批准你认为一切)。 TasksOnProjectsDesc=此视图显示所有项目的所有任务(您的用户权限授予您查看所有项目的权限)。 -MyTasksDesc=此视图仅限于您作为联系人的项目或任务 +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=只能看到打开的项目(草稿或关闭状态的项目不可见)。 ClosedProjectsAreHidden=已关闭的项目是不可见的。 TasksPublicDesc=这种观点提出的所有项目,您可阅读任务。 TasksDesc=这种观点提出的所有项目和任务(您的用户权限批准你认为一切)。 AllTaskVisibleButEditIfYouAreAssigned=合格项目的所有任务都是可见的,但您只能为分配给所选用户的任务输入时间。如果需要在其上输入时间,请分配任务。 -OnlyYourTaskAreVisible=只有分配给您的任务才可见。如果任务不可见并且您需要在其上输入时间,则将任务分配给您自己。 +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=项目任务 ProjectCategories=项目标签/类别 NewProject=新建项目 @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=未分配给任务 NoUserAssignedToTheProject=No users assigned to this project TimeSpentBy=花费的时间 TasksAssignedTo=分配给的任务 -AssignTaskToMe=分配任务给自己 +AssignTaskToMe=Assign task to myself AssignTaskToUser=将任务分配给%s SelectTaskToAssign=选择要分配的任务... AssignTask=分配 diff --git a/htdocs/langs/zh_CN/recruitment.lang b/htdocs/langs/zh_CN/recruitment.lang index 02e8dce6590..275b1a7c633 100644 --- a/htdocs/langs/zh_CN/recruitment.lang +++ b/htdocs/langs/zh_CN/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/zh_CN/sendings.lang b/htdocs/langs/zh_CN/sendings.lang index 3abc9d1f869..589c33a5cb7 100644 --- a/htdocs/langs/zh_CN/sendings.lang +++ b/htdocs/langs/zh_CN/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=您确定要参考 %s 验证此货件吗? ConfirmCancelSending=您确定要取消此货件吗? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=警告,没有产品等待装运。 -StatsOnShipmentsOnlyValidated=对运输进行统计验证。使用的数据的验证的装运日期(计划交货日期并不总是已知)。 +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=计划运输日期 RefDeliveryReceipt=参考送货收据 StatusReceipt=状态交货收据 diff --git a/htdocs/langs/zh_CN/stocks.lang b/htdocs/langs/zh_CN/stocks.lang index 979d0a66d28..a9af10ccd53 100644 --- a/htdocs/langs/zh_CN/stocks.lang +++ b/htdocs/langs/zh_CN/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=此对象没有预定义的产品。因此,没 DispatchVerb=派遣 StockLimitShort=最小预警值 StockLimit=最小库存预警 -StockLimitDesc=(空)表示没有警告。只要库存为空,可以使用0来发出警告。 +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=实际库存 RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/zh_CN/users.lang b/htdocs/langs/zh_CN/users.lang index eac36116632..849601aab96 100644 --- a/htdocs/langs/zh_CN/users.lang +++ b/htdocs/langs/zh_CN/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=密码更改为:%s SubjectNewPassword=您的新密码为%s GroupRights=组权限 UserRights=用户权限 +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=禁用 DisableAUser=禁用用户 @@ -105,7 +106,7 @@ UseTypeFieldToChange=改变用户字段类型 OpenIDURL=OpenID URL LoginUsingOpenID=使用 OpenID 登陆 WeeklyHours=工作小时数(每周) -ExpectedWorkedHours=每周预计的工作时间 +ExpectedWorkedHours=Expected hours worked per week ColorUser=用户颜色 DisabledInMonoUserMode=在维护模式下禁用 UserAccountancyCode=用户科目代码 @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/zh_CN/website.lang b/htdocs/langs/zh_CN/website.lang index 30e49125fe1..b5b6277ab25 100644 --- a/htdocs/langs/zh_CN/website.lang +++ b/htdocs/langs/zh_CN/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/zh_HK/accountancy.lang b/htdocs/langs/zh_HK/accountancy.lang index 786f0194010..354cddb62c2 100644 --- a/htdocs/langs/zh_HK/accountancy.lang +++ b/htdocs/langs/zh_HK/accountancy.lang @@ -202,7 +202,7 @@ Docref=Reference LabelAccount=Label account LabelOperation=Label operation Sens=Direction -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=Lettering code Lettering=Lettering Codejournal=Journal @@ -297,7 +297,7 @@ NoNewRecordSaved=No more record to journalize ListOfProductsWithoutAccountingAccount=List of products not bound to any accounting account ChangeBinding=Change the binding Accounted=Accounted in ledger -NotYetAccounted=Not yet accounted in ledger +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=Show Tutorial NotReconciled=Not reconciled WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/zh_HK/admin.lang b/htdocs/langs/zh_HK/admin.lang index 8f4508ada53..fb4513a09b4 100644 --- a/htdocs/langs/zh_HK/admin.lang +++ b/htdocs/langs/zh_HK/admin.lang @@ -64,6 +64,7 @@ RemoveLock=Remove/rename file %s if it exists, to allow usage of the Upda RestoreLock=Restore file %s, with read permission only, to disable any further use of the Update/Install tool. SecuritySetup=Security setup PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=Define here options related to security about uploading files. ErrorModuleRequirePHPVersion=Error, this module requires PHP version %s or higher ErrorModuleRequireDolibarrVersion=Error, this module requires Dolibarr version %s or higher @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=Do not suggest NoActiveBankAccountDefined=No active bank account defined OwnerOfBankAccount=Owner of bank account %s BankModuleNotActive=Bank accounts module not enabled -ShowBugTrackLink=Show link "%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=Alerts DelaysOfToleranceBeforeWarning=Delay before displaying a warning alert for: DelaysOfToleranceDesc=Set the delay before an alert icon %s is shown onscreen for the late element. @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=You must run this command from YourPHPDoesNotHaveSSLSupport=SSL functions not available in your PHP DownloadMoreSkins=More skins to download SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=Show professional id with addresses ShowVATIntaInAddress=Hide intra-Community VAT number with addresses TranslationUncomplete=Partial translation @@ -2062,7 +2064,7 @@ 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 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=If you are on a production environment, you should set this property to %s. AntivirusEnabledOnUpload=Antivirus enabled on uploaded files @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/zh_HK/banks.lang b/htdocs/langs/zh_HK/banks.lang index 8e2d828c12a..df7192bee25 100644 --- a/htdocs/langs/zh_HK/banks.lang +++ b/htdocs/langs/zh_HK/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=Social/fiscal tax payment BankTransfer=Credit transfer BankTransfers=Credit transfers MenuBankInternalTransfer=Internal transfer -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=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=From TransferTo=To TransferFromToDone=A transfer from %s to %s of %s %s has been recorded. -CheckTransmitter=Transmitter +CheckTransmitter=Sender ValidateCheckReceipt=Validate this check receipt? -ConfirmValidateCheckReceipt=Are you sure you want to validate this check receipt, no change will be possible once this is done? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=Delete this check receipt? ConfirmDeleteCheckReceipt=Are you sure you want to delete this check receipt? BankChecks=Bank checks @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=Are you sure you want to delete this entry? ThisWillAlsoDeleteBankRecord=This will also delete generated bank entry BankMovements=Movements PlannedTransactions=Planned entries -Graph=Graphics +Graph=Graphs ExportDataset_banque_1=Bank entries and account statement ExportDataset_banque_2=Deposit slip TransactionOnTheOtherAccount=Transaction on the other account @@ -142,7 +142,7 @@ AllAccounts=All bank and cash accounts BackToAccount=Back to account ShowAllAccounts=Show for all accounts FutureTransaction=Future transaction. Unable to reconcile. -SelectChequeTransactionAndGenerate=Select/filter checks to include in the check deposit receipt and click on "Create". +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=Choose the bank statement related with the conciliation. Use a sortable numeric value: YYYYMM or YYYYMMDD EventualyAddCategory=Eventually, specify a category in which to classify the records ToConciliate=To reconcile? diff --git a/htdocs/langs/zh_HK/bills.lang b/htdocs/langs/zh_HK/bills.lang index c0eb886a987..c55f483873b 100644 --- a/htdocs/langs/zh_HK/bills.lang +++ b/htdocs/langs/zh_HK/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=Convert excess paid into available discount EnterPaymentReceivedFromCustomer=Enter payment received from customer EnterPaymentDueToCustomer=Make payment due to customer DisabledBecauseRemainderToPayIsZero=Disabled because remaining unpaid is zero -PriceBase=Price base +PriceBase=Base price BillStatus=Invoice status StatusOfGeneratedInvoices=Status of generated invoices BillStatusDraft=Draft (needs to be validated) @@ -454,7 +454,7 @@ RegulatedOn=Regulated on ChequeNumber=Check N° ChequeOrTransferNumber=Check/Transfer N° ChequeBordereau=Check schedule -ChequeMaker=Check/Transfer transmitter +ChequeMaker=Check/Transfer sender ChequeBank=Bank of Check CheckBank=Check NetToBePaid=Net to be paid diff --git a/htdocs/langs/zh_HK/boxes.lang b/htdocs/langs/zh_HK/boxes.lang index 4d7ee938c91..0c9ea302fb8 100644 --- a/htdocs/langs/zh_HK/boxes.lang +++ b/htdocs/langs/zh_HK/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=Bookmarks: latest %s BoxOldestExpiredServices=Oldest active expired services BoxLastExpiredServices=Latest %s oldest contacts with active expired services BoxTitleLastActionsToDo=Latest %s actions to do -BoxTitleLastContracts=Latest %s modified contracts -BoxTitleLastModifiedDonations=Latest %s modified donations -BoxTitleLastModifiedExpenses=Latest %s modified expense reports -BoxTitleLatestModifiedBoms=Latest %s modified BOMs -BoxTitleLatestModifiedMos=Latest %s modified Manufacturing Orders +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=Customers with maximum outstanding exceeded BoxGlobalActivity=Global activity (invoices, proposals, orders) BoxGoodCustomers=Good customers diff --git a/htdocs/langs/zh_HK/cashdesk.lang b/htdocs/langs/zh_HK/cashdesk.lang index 3fef645d99d..240503842f3 100644 --- a/htdocs/langs/zh_HK/cashdesk.lang +++ b/htdocs/langs/zh_HK/cashdesk.lang @@ -41,7 +41,8 @@ Floor=Floor AddTable=Add table Place=Place TakeposConnectorNecesary='TakePOS Connector' required -OrderPrinters=Order printers +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=Search product Receipt=Receipt Header=Header @@ -56,8 +57,9 @@ 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 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=Default account to use for payments in NoPaimementModesDefined=No paiment mode defined in TakePOS configuration TicketVatGrouped=Group VAT by rate in tickets|receipts @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=Invoice is already validated NoLinesToBill=No lines to bill CustomReceipt=Custom Receipt ReceiptName=Receipt Name -ProductSupplements=Product Supplements +ProductSupplements=Manage supplements of products SupplementCategory=Supplement category ColorTheme=Color theme Colorful=Colorful @@ -92,7 +94,7 @@ Browser=Browser BrowserMethodDescription=Simple and easy receipt printing. Only a few parameters to configure the receipt. Print via browser. TakeposConnectorMethodDescription=External module with extra features. Posibility to print from the cloud. PrintMethod=Print method -ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. Cannot print from the cloud. +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=By terminal TakeposNumpadUsePaymentIcon=Use icon instead of text on payment buttons of numpad CashDeskRefNumberingModules=Numbering module for POS sales @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=Module Receipt printer must have been enabled AllowDelayedPayment=Allow delayed payment PrintPaymentMethodOnReceipts=Print payment method on tickets|receipts WeighingScale=Weighing scale +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/zh_HK/categories.lang b/htdocs/langs/zh_HK/categories.lang index 9520ef65a83..29e08f66541 100644 --- a/htdocs/langs/zh_HK/categories.lang +++ b/htdocs/langs/zh_HK/categories.lang @@ -3,20 +3,20 @@ Rubrique=Tag/Category Rubriques=Tags/Categories RubriquesTransactions=Tags/Categories of transactions categories=tags/categories -NoCategoryYet=No tag/category of this type created +NoCategoryYet=No tag/category of this type has been created In=In AddIn=Add in modify=modify Classify=Classify CategoriesArea=Tags/Categories area -ProductsCategoriesArea=Products/Services tags/categories area -SuppliersCategoriesArea=Vendors tags/categories area -CustomersCategoriesArea=Customers tags/categories area -MembersCategoriesArea=Members tags/categories area -ContactsCategoriesArea=Contacts tags/categories area -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=Projects tags/categories area -UsersCategoriesArea=Users tags/categories area +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=Sub-categories CatList=List of tags/categories CatListAll=List of tags/categories (all types) @@ -96,4 +96,4 @@ ChooseCategory=Choose category StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=Page-Container Categories -UseOrOperatorForCategories=Use or operator for categories +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/zh_HK/companies.lang b/htdocs/langs/zh_HK/companies.lang index 154400c6536..fbe75f09ab0 100644 --- a/htdocs/langs/zh_HK/companies.lang +++ b/htdocs/langs/zh_HK/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=Company name %s already exists. Choose another one. ErrorSetACountryFirst=Set the country first SelectThirdParty=Select a third party -ConfirmDeleteCompany=Are you sure you want to delete this company and all inherited information? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=Delete a contact/address -ConfirmDeleteContact=Are you sure you want to delete this contact and all inherited information? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=New Third Party MenuNewCustomer=New Customer MenuNewProspect=New Prospect @@ -69,7 +69,7 @@ PhoneShort=Phone Skype=Skype Call=Call Chat=Chat -PhonePro=Prof. phone +PhonePro=Bus. phone PhonePerso=Pers. phone PhoneMobile=Mobile No_Email=Refuse bulk emailings @@ -78,7 +78,7 @@ Zip=Zip Code Town=City Web=Web Poste= Position -DefaultLang=Language default +DefaultLang=Default language VATIsUsed=Sales tax used VATIsUsedWhenSelling=This defines if this third party includes a sale tax or not when it makes an invoice to its own customers VATIsNotUsed=Sales tax is not used @@ -331,7 +331,7 @@ CustomerCodeDesc=Customer Code, unique for all customers SupplierCodeDesc=Vendor Code, unique for all vendors RequiredIfCustomer=Required if third party is a customer or prospect RequiredIfSupplier=Required if third party is a vendor -ValidityControledByModule=Validity controlled by module +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=Rules for this module ProspectToContact=Prospect to contact CompanyDeleted=Company "%s" deleted from database. @@ -439,12 +439,12 @@ ListSuppliersShort=List of Vendors ListProspectsShort=List of Prospects ListCustomersShort=List of Customers ThirdPartiesArea=Third Parties/Contacts -LastModifiedThirdParties=Latest %s modified Third Parties -UniqueThirdParties=Total of Third Parties +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=Open ActivityCeased=Closed ThirdPartyIsClosed=Third party is closed -ProductsIntoElements=List of products/services into %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=Current outstanding bill OutstandingBill=Max. for outstanding bill OutstandingBillReached=Max. for outstanding bill reached @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=The code is free. This code can be modified at any time. ManagingDirectors=Manager(s) name (CEO, director, president...) MergeOriginThirdparty=Duplicate third party (third party you want to delete) MergeThirdparties=Merge third parties -ConfirmMergeThirdparties=Are you sure you want to merge this third party into the current one? All linked objects (invoices, orders, ...) will be moved to current third party, then the third party will be deleted. +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=Third parties have been merged SaleRepresentativeLogin=Login of sales representative SaleRepresentativeFirstname=First name of sales representative diff --git a/htdocs/langs/zh_HK/compta.lang b/htdocs/langs/zh_HK/compta.lang index 926cda53c9f..7cae82e6ac7 100644 --- a/htdocs/langs/zh_HK/compta.lang +++ b/htdocs/langs/zh_HK/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=New discount NewCheckDeposit=New check deposit NewCheckDepositOn=Create receipt for deposit on account: %s NoWaitingChecks=No checks awaiting deposit. -DateChequeReceived=Check reception date +DateChequeReceived=Check receiving date NbOfCheques=No. of checks PaySocialContribution=Pay a social/fiscal tax PayVAT=Pay a VAT declaration diff --git a/htdocs/langs/zh_HK/ecm.lang b/htdocs/langs/zh_HK/ecm.lang index c4ea8018111..bc18bed4a29 100644 --- a/htdocs/langs/zh_HK/ecm.lang +++ b/htdocs/langs/zh_HK/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM Setup GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/zh_HK/errors.lang b/htdocs/langs/zh_HK/errors.lang index e71c805d506..9b14b5ad1d2 100644 --- a/htdocs/langs/zh_HK/errors.lang +++ b/htdocs/langs/zh_HK/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=No error, we commit # Errors ErrorButCommitIsDone=Errors found but we validate despite this -ErrorBadEMail=Email %s is wrong -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=Url %s is wrong +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=Bad value for your parameter. It appends generally when translation is missing. ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=Login %s already exists. @@ -46,8 +46,8 @@ ErrorWrongDate=Date is not correct! ErrorFailedToWriteInDir=Failed to write in directory %s ErrorFoundBadEmailInFile=Found incorrect email syntax for %s lines in file (example line %s with email=%s) ErrorUserCannotBeDelete=User cannot be deleted. Maybe it is associated to Dolibarr entities. -ErrorFieldsRequired=Some required fields were not filled. -ErrorSubjectIsRequired=The email topic is required +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=Failed to create a directory. Check that Web server user has permissions to write into Dolibarr documents directory. If parameter safe_mode is enabled on this PHP, check that Dolibarr php files owns to web server user (or group). ErrorNoMailDefinedForThisUser=No mail defined for this user ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=The page/container %s +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = Settings +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = Draft +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = Done +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/zh_HK/knowledgemanagement.lang b/htdocs/langs/zh_HK/knowledgemanagement.lang new file mode 100644 index 00000000000..269007e60f8 --- /dev/null +++ b/htdocs/langs/zh_HK/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = Settings +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = About +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = Article +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/zh_HK/mails.lang b/htdocs/langs/zh_HK/mails.lang index 2d02c5ddcf9..24c86cc885a 100644 --- a/htdocs/langs/zh_HK/mails.lang +++ b/htdocs/langs/zh_HK/mails.lang @@ -15,7 +15,7 @@ MailToUsers=To user(s) MailCC=Copy to MailToCCUsers=Copy to users(s) MailCCC=Cached copy to -MailTopic=Email topic +MailTopic=Email subject MailText=Message MailFile=Attached files MailMessage=Email body @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=No automatic email notifications are planned for this ANotificationsWillBeSent=1 automatic notification will be sent by email SomeNotificationsWillBeSent=%s automatic notifications will be sent by email AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=List all automatic email notifications sent +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=Configuration of email sending has been setup to '%s'. This mode can't be used to send mass emailing. MailSendSetupIs2=You must first go, with an admin account, into menu %sHome - Setup - EMails%s to change parameter '%s' to use mode '%s'. With this mode, you can enter setup of the SMTP server provided by your Internet Service Provider and use Mass emailing feature. MailSendSetupIs3=If you have any questions on how to setup your SMTP server, you can ask to %s. diff --git a/htdocs/langs/zh_HK/main.lang b/htdocs/langs/zh_HK/main.lang index dc2a83f2015..13793aad13f 100644 --- a/htdocs/langs/zh_HK/main.lang +++ b/htdocs/langs/zh_HK/main.lang @@ -180,7 +180,7 @@ SaveAndNew=Save and new TestConnection=Test connection ToClone=Clone ConfirmCloneAsk=Are you sure you want to clone the object %s? -ConfirmClone=Choose data you want to clone: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=No data to clone defined. Of=of Go=Go @@ -246,7 +246,7 @@ DefaultModel=Default doc template Action=Event About=About Number=Number -NumberByMonth=Number by month +NumberByMonth=Total reports by month AmountByMonth=Amount by month Numero=Number Limit=Limit @@ -341,8 +341,8 @@ KiloBytes=Kilobytes MegaBytes=Megabytes GigaBytes=Gigabytes TeraBytes=Terabytes -UserAuthor=User of creation -UserModif=User of last update +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=By From=From FromDate=From FromLocation=From -at=at to=to To=to +ToDate=to +ToLocation=to +at=at and=and or=or Other=Other @@ -843,7 +845,7 @@ XMoreLines=%s line(s) hidden ShowMoreLines=Show more/less lines PublicUrl=Public URL AddBox=Add box -SelectElementAndClick=Select an element and click %s +SelectElementAndClick=Select an element and click on %s PrintFile=Print File %s ShowTransaction=Show entry on bank account ShowIntervention=Show intervention @@ -854,8 +856,8 @@ Denied=Denied ListOf=List of %s ListOfTemplates=List of templates Gender=Gender -Genderman=Man -Genderwoman=Woman +Genderman=Male +Genderwoman=Female Genderother=Other ViewList=List view ViewGantt=Gantt view @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=Are you sure you want to affect tags to the %s selected CategTypeNotFound=No tag type found for type of records CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/zh_HK/members.lang b/htdocs/langs/zh_HK/members.lang index 44b583a0041..042b85598c0 100644 --- a/htdocs/langs/zh_HK/members.lang +++ b/htdocs/langs/zh_HK/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=Another member (name: %s, logi ErrorUserPermissionAllowsToLinksToItselfOnly=For security reasons, you must be granted permissions to edit all users to be able to link a member to a user that is not yours. SetLinkToUser=Link to a Dolibarr user SetLinkToThirdParty=Link to a Dolibarr third party -MembersCards=Members business cards +MembersCards=Business cards for members MembersList=List of members MembersListToValid=List of draft members (to be validated) MembersListValid=List of valid members @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=Members with subscription to receive MembersWithSubscriptionToReceiveShort=Subscription to receive DateSubscription=Subscription date DateEndSubscription=Subscription end date -EndSubscription=End subscription +EndSubscription=Subscription Ends SubscriptionId=Subscription id WithoutSubscription=Without subscription MemberId=Member id @@ -83,10 +83,10 @@ WelcomeEMail=Welcome email SubscriptionRequired=Subscription required DeleteType=Delete VoteAllowed=Vote allowed -Physical=Physical -Moral=Moral -MorAndPhy=Moral and Physical -Reenable=Reenable +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=Terminate a member @@ -175,32 +175,32 @@ MembersStatisticsByCountries=Members statistics by country MembersStatisticsByState=Members statistics by state/province MembersStatisticsByTown=Members statistics by town MembersStatisticsByRegion=Members statistics by region -NbOfMembers=Number of members -NbOfActiveMembers=Number of current active members +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=No validated members found -MembersByCountryDesc=This screen show you statistics on members by countries. Graphic depends however on Google online graph service and is available only if an internet connection is is working. -MembersByStateDesc=This screen show you statistics on members by state/provinces/canton. -MembersByTownDesc=This screen show you statistics on members by town. +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=Choose statistics you want to read... MenuMembersStats=Statistics -LastMemberDate=Latest member date +LastMemberDate=Latest membership date LatestSubscriptionDate=Latest subscription date -MemberNature=Nature of member -MembersNature=Nature of members -Public=Information are public +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=New member added. Awaiting approval NewMemberForm=New member form -SubscriptionsStatistics=Statistics on subscriptions +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=Number of subscriptions -AmountOfSubscriptions=Amount of subscriptions +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=Turnover (for a company) or Budget (for a foundation) DefaultAmount=Default amount of subscription CanEditAmount=Visitor can choose/edit amount of its subscription MEMBER_NEWFORM_PAYONLINE=Jump on integrated online payment page ByProperties=By nature MembersStatisticsByProperties=Members statistics by nature -MembersByNature=This screen show you statistics on members by nature. -MembersByRegion=This screen show you statistics on members by region. VATToUseForSubscriptions=VAT rate to use for subscriptions NoVatOnSubscription=No VAT for subscriptions ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=Product used for subscription line into invoice: %s diff --git a/htdocs/langs/zh_HK/modulebuilder.lang b/htdocs/langs/zh_HK/modulebuilder.lang index 19afb9d95ab..9fdaa1a533a 100644 --- a/htdocs/langs/zh_HK/modulebuilder.lang +++ b/htdocs/langs/zh_HK/modulebuilder.lang @@ -85,7 +85,7 @@ 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=Display on PDF 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) diff --git a/htdocs/langs/zh_HK/other.lang b/htdocs/langs/zh_HK/other.lang index 0e76e493b5a..95297a98859 100644 --- a/htdocs/langs/zh_HK/other.lang +++ b/htdocs/langs/zh_HK/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=Install or enable GD library on your PHP installation to use ProfIdShortDesc=Prof Id %s is an information depending on third party country.
For example, for country %s, it's code %s. DolibarrDemo=Dolibarr ERP/CRM demo StatsByNumberOfUnits=Statistics for sum of qty of products/services -StatsByNumberOfEntities=Statistics in number of referring entities (no. of invoice, or order...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=Number of proposals NumberOfCustomerOrders=Number of sales orders NumberOfCustomerInvoices=Number of customer invoices @@ -289,4 +289,4 @@ PopuProp=Products/Services by popularity in Proposals PopuCom=Products/Services by popularity in Orders ProductStatistics=Products/Services Statistics NbOfQtyInOrders=Qty in orders -SelectTheTypeOfObjectToAnalyze=Select the type of object to analyze... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/zh_HK/partnership.lang b/htdocs/langs/zh_HK/partnership.lang new file mode 100644 index 00000000000..09059995a8d --- /dev/null +++ b/htdocs/langs/zh_HK/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=Start date +DatePartnershipEnd=End date + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = Draft +PartnershipAccepted = Accepted +PartnershipRefused = Refused +PartnershipCanceled = Canceled + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/zh_HK/productbatch.lang b/htdocs/langs/zh_HK/productbatch.lang index 4414b6ad8d8..ad2db658e2e 100644 --- a/htdocs/langs/zh_HK/productbatch.lang +++ b/htdocs/langs/zh_HK/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/zh_HK/products.lang b/htdocs/langs/zh_HK/products.lang index 28853762424..0875be0dc07 100644 --- a/htdocs/langs/zh_HK/products.lang +++ b/htdocs/langs/zh_HK/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=Services for sale only ServicesOnPurchaseOnly=Services for purchase only ServicesNotOnSell=Services not for sale and not for purchase ServicesOnSellAndOnBuy=Services for sale and for purchase -LastModifiedProductsAndServices=Latest %s modified products/services +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=Latest %s recorded products LastRecordedServices=Latest %s recorded services CardProduct0=Product @@ -73,12 +73,12 @@ SellingPrice=Selling price SellingPriceHT=Selling price (excl. tax) SellingPriceTTC=Selling price (inc. tax) 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. +CostPriceDescription=This price field (excl. tax) can be used to capture the average amount this product costs to your company. It may be any price you calculate yourself, for example, from the average buying price plus average production and distribution cost. CostPriceUsage=This value could be used for margin calculation. SoldAmount=Sold amount PurchasedAmount=Purchased amount NewPrice=New price -MinPrice=Min. sell price +MinPrice=Min. selling price EditSellingPriceLabel=Edit selling price label CantBeLessThanMinPrice=The selling price can't be lower than minimum allowed for this product (%s without tax). This message can also appears if you type a too important discount. ContractStatusClosed=Closed @@ -157,11 +157,11 @@ ListServiceByPopularity=List of services by popularity Finished=Manufactured product RowMaterial=Raw Material ConfirmCloneProduct=Are you sure you want to clone product or service %s? -CloneContentProduct=Clone all main information of product/service +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=Clone prices -CloneCategoriesProduct=Clone tags/categories linked -CloneCompositionProduct=Clone virtual product/service -CloneCombinationsProduct=Clone product variants +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=This product is used NewRefForClone=Ref. of new product/service SellingPrices=Selling prices @@ -170,12 +170,12 @@ CustomerPrices=Customer prices SuppliersPrices=Vendor prices SuppliersPricesOfProductsOrServices=Vendor prices (of products or services) CustomCode=Customs|Commodity|HS code -CountryOrigin=Origin country -RegionStateOrigin=Region origin -StateOrigin=State|Province origin -Nature=Nature of product (material/finished) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=Nature of product -NatureOfProductDesc=Raw material or finished product +NatureOfProductDesc=Raw material or manufactured product ShortLabel=Short label Unit=Unit p=u. diff --git a/htdocs/langs/zh_HK/projects.lang b/htdocs/langs/zh_HK/projects.lang index d14e52d14e8..79c974f6e24 100644 --- a/htdocs/langs/zh_HK/projects.lang +++ b/htdocs/langs/zh_HK/projects.lang @@ -10,19 +10,19 @@ PrivateProject=Project contacts ProjectsImContactFor=Projects for which I am explicitly a contact AllAllowedProjects=All project I can read (mine + public) AllProjects=All projects -MyProjectsDesc=This view is limited to projects you are a contact for +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=This view presents all projects you are allowed to read. TasksOnProjectsPublicDesc=This view presents all tasks on projects you are allowed to read. ProjectsPublicTaskDesc=This view presents all projects and tasks you are allowed to read. ProjectsDesc=This view presents all projects (your user permissions grant you permission to view everything). TasksOnProjectsDesc=This view presents all tasks on all projects (your user permissions grant you permission to view everything). -MyTasksDesc=This view is limited to projects or tasks you are a contact for +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=Only open projects are visible (projects in draft or closed status are not visible). ClosedProjectsAreHidden=Closed projects are not visible. TasksPublicDesc=This view presents all projects and tasks you are allowed to read. TasksDesc=This view presents all projects and tasks (your user permissions grant you permission to view everything). AllTaskVisibleButEditIfYouAreAssigned=All tasks for qualified projects are visible, but you can enter time only for task assigned to selected user. Assign task if you need to enter time on it. -OnlyYourTaskAreVisible=Only tasks assigned to you are visible. Assign task to yourself if it is not visible and you need to enter time on it. +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=Tasks of projects ProjectCategories=Project tags/categories NewProject=New project @@ -202,7 +202,7 @@ 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 +AssignTaskToMe=Assign task to myself AssignTaskToUser=Assign task to %s SelectTaskToAssign=Select task to assign... AssignTask=Assign diff --git a/htdocs/langs/zh_HK/recruitment.lang b/htdocs/langs/zh_HK/recruitment.lang index 437445f25dc..6b0e8117254 100644 --- a/htdocs/langs/zh_HK/recruitment.lang +++ b/htdocs/langs/zh_HK/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/zh_HK/sendings.lang b/htdocs/langs/zh_HK/sendings.lang index 73bd9aebd42..b94891d79c5 100644 --- a/htdocs/langs/zh_HK/sendings.lang +++ b/htdocs/langs/zh_HK/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=Are you sure you want to validate this shipment with refe ConfirmCancelSending=Are you sure you want to cancel this shipment? DocumentModelMerou=Merou A5 model WarningNoQtyLeftToSend=Warning, no products waiting to be shipped. -StatsOnShipmentsOnlyValidated=Statistics conducted on shipments only validated. Date used is date of validation of shipment (planed delivery date is not always known). +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=Planned date of delivery RefDeliveryReceipt=Ref delivery receipt StatusReceipt=Status delivery receipt diff --git a/htdocs/langs/zh_HK/stocks.lang b/htdocs/langs/zh_HK/stocks.lang index 9a14fb38eb1..9ec523427b1 100644 --- a/htdocs/langs/zh_HK/stocks.lang +++ b/htdocs/langs/zh_HK/stocks.lang @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=No predefined products for this object. So no disp DispatchVerb=Dispatch StockLimitShort=Limit for alert StockLimit=Stock limit for alert -StockLimitDesc=(empty) means no warning.
0 can be used for a warning as soon as stock is empty. +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=Physical Stock RealStock=Real Stock RealStockDesc=Physical/real stock is the stock currently in the warehouses. diff --git a/htdocs/langs/zh_HK/users.lang b/htdocs/langs/zh_HK/users.lang index bbfa16450b0..372090ea5ad 100644 --- a/htdocs/langs/zh_HK/users.lang +++ b/htdocs/langs/zh_HK/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=Password changed to: %s SubjectNewPassword=Your new password for %s GroupRights=Group permissions UserRights=User permissions +Credentials=Credentials UserGUISetup=User Display Setup DisableUser=Disable DisableAUser=Disable a user @@ -105,7 +106,7 @@ UseTypeFieldToChange=Use field Type to change OpenIDURL=OpenID URL LoginUsingOpenID=Use OpenID to login WeeklyHours=Hours worked (per week) -ExpectedWorkedHours=Expected worked hours per week +ExpectedWorkedHours=Expected hours worked per week ColorUser=Color of the user DisabledInMonoUserMode=Disabled in maintenance mode UserAccountancyCode=User accounting code @@ -115,7 +116,7 @@ DateOfEmployment=Employment date DateEmployment=Employment DateEmploymentstart=Employment Start Date DateEmploymentEnd=Employment End Date -RangeOfLoginValidity=Date range of login validity +RangeOfLoginValidity=Access validity date range CantDisableYourself=You can't disable your own user record ForceUserExpenseValidator=Force expense report validator ForceUserHolidayValidator=Force leave request validator diff --git a/htdocs/langs/zh_HK/website.lang b/htdocs/langs/zh_HK/website.lang index 7d624915ef0..1e727415ec2 100644 --- a/htdocs/langs/zh_HK/website.lang +++ b/htdocs/langs/zh_HK/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=Define list of all available languag GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/langs/zh_TW/accountancy.lang b/htdocs/langs/zh_TW/accountancy.lang index dea0a0036fa..b7e0039de20 100644 --- a/htdocs/langs/zh_TW/accountancy.lang +++ b/htdocs/langs/zh_TW/accountancy.lang @@ -202,7 +202,7 @@ Docref=參考 LabelAccount=標籤帳戶 LabelOperation=標籤操作 Sens=方向 -AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you received
For an accounting account of a supplier, use Debit to record a payment you make +AccountingDirectionHelp=For an accounting account of a customer, use Credit to record a payment you have received
For an accounting account of a supplier, use Debit to record a payment you made LetteringCode=字元編碼 Lettering=字元 Codejournal=日記帳 @@ -297,7 +297,7 @@ NoNewRecordSaved=沒有交易可記錄 ListOfProductsWithoutAccountingAccount=清單中的產品沒有指定任何會計項目 ChangeBinding=修改關聯性 Accounted=計入總帳 -NotYetAccounted=尚未記入總帳 +NotYetAccounted=Not yet accounted in the ledger ShowTutorial=顯示教程 NotReconciled=未對帳 WarningRecordWithoutSubledgerAreExcluded=Warning, all operations without subledger account defined are filtered and excluded from this view diff --git a/htdocs/langs/zh_TW/admin.lang b/htdocs/langs/zh_TW/admin.lang index 83ad22dd2f6..f8ad1094586 100644 --- a/htdocs/langs/zh_TW/admin.lang +++ b/htdocs/langs/zh_TW/admin.lang @@ -64,6 +64,7 @@ RemoveLock=如果存在%s檔案,刪除/重新命名文件以允許使用 RestoreLock=還原檔案唯讀權限檔案%s ,以禁止使用更新/安裝工具。 SecuritySetup=安全設定 PHPSetup=PHP setup +OSSetup=OS setup SecurityFilesDesc=在此定義上傳檔案相關的安全設定。 ErrorModuleRequirePHPVersion=錯誤,這個模組需要的PHP版本是 %s 或更高版本 ErrorModuleRequireDolibarrVersion=錯誤,這個模組需要 Dolibarr 版本 %s 或更高版本 @@ -1159,7 +1160,7 @@ DoNotSuggestPaymentMode=不建議 NoActiveBankAccountDefined=沒有定義有效的銀行帳戶 OwnerOfBankAccount=銀行帳戶擁有者%s BankModuleNotActive=銀行帳戶模組沒有啟用 -ShowBugTrackLink=顯示連結"%s" +ShowBugTrackLink=Define the link "%s" (empty to not display this link, 'github' for the link to the Dolibarr project or define directly an url 'https://...') Alerts=警告 DelaysOfToleranceBeforeWarning=顯示警告警報之前的延遲時間: DelaysOfToleranceDesc=設定延遲時間,以在螢幕上顯示延遲元件的警告圖案%s。 @@ -1254,6 +1255,7 @@ YouMustRunCommandFromCommandLineAfterLoginToUser=用戶%s在登入終端 YourPHPDoesNotHaveSSLSupport=您的PHP中無法使用SSL功能 DownloadMoreSkins=更多佈景主題下載 SimpleNumRefModelDesc=Returns the reference number in the format %syymm-nnnn where yy is the year, mm is the month and nnnn is a sequential auto-incrementing number with no reset +SimpleNumRefNoDateModelDesc=Returns the reference number in the format %s-nnnn where nnnn is a sequential auto-incrementing number with no reset ShowProfIdInAddress=顯示帶有地址的專業ID ShowVATIntaInAddress=隱藏帶有地址的歐盟營業稅號 TranslationUncomplete=部分翻譯 @@ -2062,7 +2064,7 @@ UseDebugBar=使用debug bar DEBUGBAR_LOGS_LINES_NUMBER=控制台中可保留的日誌行數 WarningValueHigherSlowsDramaticalyOutput=警告,較高的值會嚴重降低輸出速度 ModuleActivated=模組%s已啟動並顯示於界面上 -ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances) +ModuleActivatedWithTooHighLogLevel=Module %s is activated with a too high logging level (try to use a lower level for better performances and security) ModuleSyslogActivatedButLevelNotTooVerbose=Module %s is activated and log level (%s) is correct (not too verbose) IfYouAreOnAProductionSetThis=如果您在生產環境中,則應將此屬性設定為%s。 AntivirusEnabledOnUpload=在上傳的檔案已啟用了防病毒功能 @@ -2122,3 +2124,8 @@ IfCLINotRequiredYouShouldDisablePHPFunctions=Except if you need to run system co NoWritableFilesFoundIntoRootDir=No writable files or directories of the common programs were found into your root directory (Good) RecommendedValueIs=Recommended: %s ARestrictedPath=A restricted path +CheckForModuleUpdate=Check for external modules updates +CheckForModuleUpdateHelp=This action will connect to editors of external modules to check if a new version is available. +ModuleUpdateAvailable=An update is available +NoExternalModuleWithUpdate=No updates found for external modules +SwaggerDescriptionFile=Swagger API description file (for use with redoc for example) diff --git a/htdocs/langs/zh_TW/banks.lang b/htdocs/langs/zh_TW/banks.lang index 3026ef1770b..6465e10a452 100644 --- a/htdocs/langs/zh_TW/banks.lang +++ b/htdocs/langs/zh_TW/banks.lang @@ -109,13 +109,13 @@ SocialContributionPayment=社會/財務稅負繳款單 BankTransfer=銀行轉帳 BankTransfers=銀行轉帳 MenuBankInternalTransfer=內部轉帳 -TransferDesc=從一個帳戶轉移到另一個帳戶,Dolibarr將寫入兩個記錄(來源帳戶中的借款方和目標帳戶中的貸款方)。此交易將使用相同的金額(簽名,標籤和日期除外) +TransferDesc=Use internal transfer to transfer from one account to another, the application will write two records: a debit in the source account and a credit in the target account. The same amount, label and date will be used for this transaction. TransferFrom=從 TransferTo=至 TransferFromToDone=從%s%s%s%s轉帳已記錄。 -CheckTransmitter=傳送器 +CheckTransmitter=寄件人 ValidateCheckReceipt=驗證此支票收據 -ConfirmValidateCheckReceipt=您確定要驗證這張支票收據嗎?一旦完成,不會有任何改變嗎? +ConfirmValidateCheckReceipt=Are you sure that you want to submit this check receipt for validation? No changes are possible it's done. DeleteCheckReceipt=刪除支票收據? ConfirmDeleteCheckReceipt=您確認定您要刪除此張支票收據? BankChecks=銀行支票 @@ -128,7 +128,7 @@ ConfirmDeleteTransaction=您確定要刪除此筆條目 ThisWillAlsoDeleteBankRecord=同樣也會刪除已產生的銀行條目 BankMovements=動作 PlannedTransactions=已計畫的條目 -Graph=圖形 +Graph=Graphs ExportDataset_banque_1=銀行條目和帳戶對帳單 ExportDataset_banque_2=存款單 TransactionOnTheOtherAccount=在其他帳戶的交易 @@ -142,7 +142,7 @@ AllAccounts=所有銀行及現金帳戶 BackToAccount=回到帳戶 ShowAllAccounts=顯示所有帳戶 FutureTransaction=未來交易。無法調節。 -SelectChequeTransactionAndGenerate=選擇/過濾要包括在支票存款收據中的支票,然後單擊“建立”。 +SelectChequeTransactionAndGenerate=Select/filter the checks which are to be included in the check deposit receipt. Then, click on "Create". InputReceiptNumber=選擇與調節相關的銀行對帳單。使用可排序的數值:YYYYMM或YYYYMMDD EventualyAddCategory=最後,指定要對記錄進行分類的類別 ToConciliate=對帳嗎? diff --git a/htdocs/langs/zh_TW/bills.lang b/htdocs/langs/zh_TW/bills.lang index af50c6b9267..4640ce19133 100644 --- a/htdocs/langs/zh_TW/bills.lang +++ b/htdocs/langs/zh_TW/bills.lang @@ -120,7 +120,7 @@ ConvertExcessPaidToReduc=將超額付款轉換為可用折扣 EnterPaymentReceivedFromCustomer=輸入從客戶收到的付款 EnterPaymentDueToCustomer=應付客戶款項 DisabledBecauseRemainderToPayIsZero=已關閉,因為剩餘的未付餘額為零 -PriceBase=價格基準 +PriceBase=Base price BillStatus=發票狀態 StatusOfGeneratedInvoices=已產生發票的狀態 BillStatusDraft=草稿(等待驗證) @@ -454,7 +454,7 @@ RegulatedOn=規範於 ChequeNumber=支票編號 ChequeOrTransferNumber=支票/轉移編號 ChequeBordereau=支票行事曆 -ChequeMaker=支票/轉移傳送器 +ChequeMaker=Check/Transfer sender ChequeBank=支票銀行 CheckBank=支票 NetToBePaid=要支付的淨額 diff --git a/htdocs/langs/zh_TW/boxes.lang b/htdocs/langs/zh_TW/boxes.lang index 2a6b283482d..d093fea93e2 100644 --- a/htdocs/langs/zh_TW/boxes.lang +++ b/htdocs/langs/zh_TW/boxes.lang @@ -46,11 +46,11 @@ BoxMyLastBookmarks=書籤:最新%s筆 BoxOldestExpiredServices=最舊的活動已過期服務 BoxLastExpiredServices=具有活動已過期服務的最新%s位最早聯絡人 BoxTitleLastActionsToDo=最新%s次動作 -BoxTitleLastContracts=最新%s筆已修改合約 -BoxTitleLastModifiedDonations=最新%s筆已修改捐贈 -BoxTitleLastModifiedExpenses=最新%s份已修改費用報告 -BoxTitleLatestModifiedBoms=最新%s筆已修改BOM -BoxTitleLatestModifiedMos=最新%s筆已修改製造訂單 +BoxTitleLastContracts=Latest %s contracts which were modified +BoxTitleLastModifiedDonations=Latest %s donations which were modified +BoxTitleLastModifiedExpenses=Latest %s expense reports which were modified +BoxTitleLatestModifiedBoms=Latest %s BOMs which were modified +BoxTitleLatestModifiedMos=Latest %s Manufacturing Orders which were modified BoxTitleLastOutstandingBillReached=超過最大未償還額的客戶 BoxGlobalActivity=全球活動(發票、提案/建議書、訂單) BoxGoodCustomers=好客戶 diff --git a/htdocs/langs/zh_TW/cashdesk.lang b/htdocs/langs/zh_TW/cashdesk.lang index e0d7525a4d7..e8f9444c07f 100644 --- a/htdocs/langs/zh_TW/cashdesk.lang +++ b/htdocs/langs/zh_TW/cashdesk.lang @@ -41,7 +41,8 @@ Floor=樓 AddTable=新增表格 Place=地點 TakeposConnectorNecesary=需要“ TakePOS連接器” -OrderPrinters=訂購印表機 +OrderPrinters=Add a button to send the order to some given printers, without payment (for example to send an order to a kitchen) +NotAvailableWithBrowserPrinter=Not available when printer for receipt is set to browser: SearchProduct=搜尋商品 Receipt=收據 Header=頁首 @@ -56,8 +57,9 @@ Paymentnumpad=輸入付款的便籤類型 Numberspad=號碼便籤 BillsCoinsPad=硬幣和紙幣便籤 DolistorePosCategory=用於Dolibarr的TakePOS模組與其他POS解決方案 -TakeposNeedsCategories=TakePOS 需要產品類別才能使用 -OrderNotes=訂購須知 +TakeposNeedsCategories=TakePOS needs at least one product categorie to work +TakeposNeedsAtLeastOnSubCategoryIntoParentCategory=TakePOS needs at least 1 product category under the category %s to work +OrderNotes=Can add some notes to each ordered items CashDeskBankAccountFor=用於付款的預設帳戶 NoPaimementModesDefined=在 TakePOS 設定中未定義付款方式 TicketVatGrouped=按銷售單中的費率合計營業稅 @@ -82,7 +84,7 @@ InvoiceIsAlreadyValidated=發票已通過驗證 NoLinesToBill=無計費項目 CustomReceipt=自訂收據 ReceiptName=收據名稱 -ProductSupplements=產品補充 +ProductSupplements=Manage supplements of products SupplementCategory=補充品類別 ColorTheme=顏色主題 Colorful=彩色 @@ -92,7 +94,7 @@ Browser=瀏覽器 BrowserMethodDescription=簡易列印收據。僅需幾個參數即可設定收據。通過瀏覽器列印。 TakeposConnectorMethodDescription=具有附加功能的外部模組。可以從雲端列印。 PrintMethod=列印方式 -ReceiptPrinterMethodDescription=具有很多參數的強大方法。完全可定制的模板。無法從雲端列印。 +ReceiptPrinterMethodDescription=Powerful method with a lot of parameters. Full customizable with templates. The server hosting the application can't be in the Cloud (must be able to reach the printers in your network). ByTerminal=依照站台 TakeposNumpadUsePaymentIcon=在小鍵盤的付款按鈕上使用圖示而不是文字 CashDeskRefNumberingModules=POS銷售編號模組 @@ -113,7 +115,7 @@ RestaurantMenu=選單 CustomerMenu=客戶選單 ScanToMenu=掃描QR Code顯示選單 ScanToOrder=掃描QR Code訂購 -Appearance=出現 +Appearance=顯示 HideCategoryImages=隱藏類別圖片 HideProductImages=隱藏產品圖片 NumberOfLinesToShow=要顯示的圖片行數 @@ -124,3 +126,5 @@ ModuleReceiptPrinterMustBeEnabled=必須先啟用收據印表機模組 AllowDelayedPayment=允許延遲付款 PrintPaymentMethodOnReceipts=在收據上列印付款方式 WeighingScale=秤重 +ShowPriceHT = Display the price excluding tax column +ShowPriceHTOnReceipt = Display the price excluding tax column on receipt diff --git a/htdocs/langs/zh_TW/categories.lang b/htdocs/langs/zh_TW/categories.lang index f0c1333e1c7..fbbf4dbc51b 100644 --- a/htdocs/langs/zh_TW/categories.lang +++ b/htdocs/langs/zh_TW/categories.lang @@ -3,20 +3,20 @@ Rubrique=標籤/分類 Rubriques=標籤/分類 RubriquesTransactions=交易標籤/分類 categories=標籤/分類 -NoCategoryYet=此類型沒有已建立的標籤/分類 +NoCategoryYet=No tag/category of this type has been created In=在 AddIn=加入 modify=修改 Classify=分類 CategoriesArea=標籤/類別區域 -ProductsCategoriesArea=產品/服務標籤/類別區域 -SuppliersCategoriesArea=供應商標籤/類別區域 -CustomersCategoriesArea=客戶標籤/類別區域 -MembersCategoriesArea=會員標籤/類別區域 -ContactsCategoriesArea=聯絡人標籤/類別區域 -AccountsCategoriesArea=Bank accounts tags/categories area -ProjectsCategoriesArea=專案標籤/類別區域 -UsersCategoriesArea=用戶標籤/類別區域 +ProductsCategoriesArea=Product/Service tags/categories area +SuppliersCategoriesArea=Vendor tags/categories area +CustomersCategoriesArea=Customer tags/categories area +MembersCategoriesArea=Member tags/categories area +ContactsCategoriesArea=Contact tags/categories area +AccountsCategoriesArea=Bank account tags/categories area +ProjectsCategoriesArea=Project tags/categories area +UsersCategoriesArea=User tags/categories area SubCats=子類別 CatList=標籤/類別清單 CatListAll=標籤/分類清單(所有類型) @@ -96,4 +96,4 @@ ChooseCategory=選擇類別 StocksCategoriesArea=Warehouse Categories ActionCommCategoriesArea=Event Categories WebsitePagesCategoriesArea=頁面容器類別 -UseOrOperatorForCategories=類別的使用或運算 +UseOrOperatorForCategories=Use 'OR' operator for categories diff --git a/htdocs/langs/zh_TW/companies.lang b/htdocs/langs/zh_TW/companies.lang index 1f51cecff77..42bc3707cd9 100644 --- a/htdocs/langs/zh_TW/companies.lang +++ b/htdocs/langs/zh_TW/companies.lang @@ -2,9 +2,9 @@ ErrorCompanyNameAlreadyExists=公司名稱%s已經存在。請選擇另一個。 ErrorSetACountryFirst=請先設定國家 SelectThirdParty=選擇一個合作方 -ConfirmDeleteCompany=您確定要刪除此公司和所有關聯的資訊嗎? +ConfirmDeleteCompany=Are you sure you want to delete this company and all related information? DeleteContact=刪除連絡人/地址 -ConfirmDeleteContact=您確定要刪除這個連絡人和所有關聯資訊? +ConfirmDeleteContact=Are you sure you want to delete this contact and all related information? MenuNewThirdParty=新合作方 MenuNewCustomer=新客戶 MenuNewProspect=新潛在方 @@ -69,7 +69,7 @@ PhoneShort=電話 Skype=Skype Call=通話 Chat=對話 -PhonePro=公司電話號碼 +PhonePro=Bus. phone PhonePerso=個人電話號碼 PhoneMobile=手機號碼 No_Email=拒絕批次發送電子郵件 @@ -331,7 +331,7 @@ CustomerCodeDesc=客戶代碼,每個客戶都有一個號碼 SupplierCodeDesc=供應商代碼,每個供應商都有一個號碼 RequiredIfCustomer=若合作方屬於客戶或潛在方,則必需填入 RequiredIfSupplier=若合作方是供應商,則必需填入 -ValidityControledByModule=有效性由模組控制 +ValidityControledByModule=Validity controlled by the module ThisIsModuleRules=此模組的規則 ProspectToContact=需聯絡的潛在方 CompanyDeleted=已從資料庫中刪除“%s”公司。 @@ -439,12 +439,12 @@ ListSuppliersShort=供應商清單 ListProspectsShort=潛在方清單 ListCustomersShort=客戶清單 ThirdPartiesArea=合作方/通訊錄 -LastModifiedThirdParties=最新%s筆修改的合作方 -UniqueThirdParties=全部合作方 +LastModifiedThirdParties=Latest %s Third Parties which were modified +UniqueThirdParties=Total number of Third Parties InActivity=開放 ActivityCeased=關閉 ThirdPartyIsClosed=合作方已關閉 -ProductsIntoElements=產品/服務清單於 %s +ProductsIntoElements=List of products/services mapped to %s CurrentOutstandingBill=目前未付款帳單 OutstandingBill=未付款帳單的最大金額 OutstandingBillReached=已達最大金額的未付款帳單 @@ -454,7 +454,7 @@ LeopardNumRefModelDesc=客戶/供應商編號規則不受限制,此編碼可 ManagingDirectors=主管(們)姓名 (執行長, 部門主管, 總裁...) MergeOriginThirdparty=重複的客戶/供應商 (你想刪除的客戶/供應商) MergeThirdparties=合併客戶/供應商 -ConfirmMergeThirdparties=您確定要合併此合作方到目前的資料?所有已連結的物件( 發票、訂單...)將會移到目前的合作方,並刪除被合併的合作方。 +ConfirmMergeThirdparties=Are you sure you want to merge the chosen third party with the current one? All linked objects (invoices, orders, ...) will be moved to the current third party, after which the chosen third party will be deleted. ThirdpartiesMergeSuccess=合作方已合併 SaleRepresentativeLogin=業務代表的登入 SaleRepresentativeFirstname=業務代表的名字 diff --git a/htdocs/langs/zh_TW/compta.lang b/htdocs/langs/zh_TW/compta.lang index 32228a05a2f..7ea8019f6d0 100644 --- a/htdocs/langs/zh_TW/compta.lang +++ b/htdocs/langs/zh_TW/compta.lang @@ -135,7 +135,7 @@ NewCheckReceipt=新折扣 NewCheckDeposit=新的支票存款 NewCheckDepositOn=建立帳戶存款收據:%s NoWaitingChecks=沒有支票等待存入。 -DateChequeReceived=支票接收日期 +DateChequeReceived=Check receiving date NbOfCheques=支票數量 PaySocialContribution=支付社會/財政稅 PayVAT=支付稅金申報 diff --git a/htdocs/langs/zh_TW/ecm.lang b/htdocs/langs/zh_TW/ecm.lang index 8f90c198407..575ed2de2b3 100644 --- a/htdocs/langs/zh_TW/ecm.lang +++ b/htdocs/langs/zh_TW/ecm.lang @@ -42,6 +42,6 @@ ExtraFieldsEcmFiles=Extrafields Ecm Files ExtraFieldsEcmDirectories=Extrafields Ecm Directories ECMSetup=ECM設定 GenerateImgWebp=Duplicate all images with another version with .webp format -ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder and its subfolder... +ConfirmGenerateImgWebp=If you confirm, you will generate an image in .webp format for all images currently into this folder (subfolders are not included)... ConfirmImgWebpCreation=Confirm all images duplication SucessConvertImgWebp=Images successfully duplicated diff --git a/htdocs/langs/zh_TW/errors.lang b/htdocs/langs/zh_TW/errors.lang index 9cf8fe438b5..c91ab496622 100644 --- a/htdocs/langs/zh_TW/errors.lang +++ b/htdocs/langs/zh_TW/errors.lang @@ -4,9 +4,9 @@ NoErrorCommitIsDone=我們保證沒有錯誤 # Errors ErrorButCommitIsDone=發現錯誤,但儘管如此我們仍進行驗證 -ErrorBadEMail=電子郵件%s錯誤 -ErrorBadMXDomain=Email %s seems wrong (domain has no valid MX record) -ErrorBadUrl=網址%s錯誤 +ErrorBadEMail=Email %s is incorrect +ErrorBadMXDomain=Email %s seems incorrect (domain has no valid MX record) +ErrorBadUrl=Url %s is incorrect ErrorBadValueForParamNotAString=您的參數值錯誤。一般在轉譯遺失時產生。 ErrorRefAlreadyExists=Reference %s already exists. ErrorLoginAlreadyExists=登入者%s已經存在。 @@ -46,8 +46,8 @@ ErrorWrongDate=日期不正確! ErrorFailedToWriteInDir=無法寫入資料夾%s ErrorFoundBadEmailInFile=找到電子郵件文件中的%s行語法不正確(例如電子郵件%s行 =%s) ErrorUserCannotBeDelete=無法刪除用戶。也許它與Dolibarr實體相關。 -ErrorFieldsRequired=一些必要的欄位都沒有填入。 -ErrorSubjectIsRequired=電子郵件主題為必填 +ErrorFieldsRequired=Some required fields have been left blank. +ErrorSubjectIsRequired=The email subject is required ErrorFailedToCreateDir=無法建立資料夾。檢查網頁伺服器中的用戶有權限寫入Dolibarr檔案資料夾。如果PHP使用了參數safe_mode,檢查網頁伺服器的用戶(或群組)擁有Dolibarr php檔案。 ErrorNoMailDefinedForThisUser=沒有此用戶的定義郵件 ErrorSetupOfEmailsNotComplete=Setup of emails is not complete @@ -226,6 +226,7 @@ ErrorAPageWithThisNameOrAliasAlreadyExists=此頁面/容器%s ErrorDuringChartLoad=載入會計科目表時出錯。如果幾個帳戶沒有被載入,您仍然可以手動輸入。 ErrorBadSyntaxForParamKeyForContent=參數keyforcontent的語法錯誤。必須具有以%s或%s開頭的值 ErrorVariableKeyForContentMustBeSet=錯誤,必須設定名稱為%s(帶有文字內容)或%s(帶有外部網址)的常數。 +ErrorURLMustEndWith=URL %s must end %s ErrorURLMustStartWithHttp=網址 %s 必須以 http://或https://開始 ErrorHostMustNotStartWithHttp=Host name %s must NOT start with http:// or https:// ErrorNewRefIsAlreadyUsed=錯誤,新參考已被使用 @@ -296,3 +297,4 @@ WarningAvailableOnlyForHTTPSServers=Available only if using HTTPS secured connec WarningModuleXDisabledSoYouMayMissEventHere=Module %s has not been enabled. So you may miss a lot of event here. ErrorActionCommPropertyUserowneridNotDefined=User's owner is required ErrorActionCommBadType=Selected event type (id: %n, code: %s) do not exist in Event Type dictionary +CheckVersionFail=Version check fail diff --git a/htdocs/langs/zh_TW/eventorganization.lang b/htdocs/langs/zh_TW/eventorganization.lang new file mode 100644 index 00000000000..27e902102f9 --- /dev/null +++ b/htdocs/langs/zh_TW/eventorganization.lang @@ -0,0 +1,101 @@ +# Copyright (C) 2021 Florian Henry +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModuleEventOrganizationName = Event Organization +EventOrganizationDescription = Event Organization through Module Project +EventOrganizationDescriptionLong= Manage Event organization for conference, attendees, speaker, and attendees, with public subcription page +# +# Menu +# +EventOrganizationMenuLeft = Organized events +EventOrganizationConferenceOrBoothMenuLeft = Conference Or Booth + +# +# Admin page +# +EventOrganizationSetup = Event Organization setup +Settings = 設定 +EventOrganizationSetupPage = Event Organization setup page +EVENTORGANIZATION_TASK_LABEL = Label of tasks to create automatically when project is validated +EVENTORGANIZATION_TASK_LABELTooltip = When you validate an organized event, some tasks can be automatically created in the project

For example:
Send Call for Conference
Send Call for Booth
Receive call for conferences
Receive call for Booth
Open subscriptions to events for attendees
Send remind of event to speakers
Send remind of event to Booth hoster
Send remind of event to attendees +EVENTORGANIZATION_CATEG_THIRDPARTY_CONF = Category to add to third-parties automatically created when someone suggests a conference +EVENTORGANIZATION_CATEG_THIRDPARTY_BOOTH = Category to add to third-parties automatically created when they suggests a booth +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_CONF = Template of email to send after receiving a suggestion of a conference. +EVENTORGANIZATION_TEMPLATE_EMAIL_ASK_BOOTH = Template of email to send after receiving a suggestion of a booth. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_BOOTH = Template of email to send after a subscription to a booth has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_AFT_SUBS_EVENT = Template of email to send after a subscription to an event has been paid. +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_SPEAKER = Template of email of massaction to attendes +EVENTORGANIZATION_TEMPLATE_EMAIL_BULK_ATTENDES = Template of email of massaction to speakers +EVENTORGANIZATION_FILTERATTENDEES_CAT = Filter thirdpartie's select list in attendees creation card/form with category +EVENTORGANIZATION_FILTERATTENDEES_TYPE = Filter thirdpartie's select list in attendees creation card/form with customer type + +# +# Object +# +EventOrganizationConfOrBooth= Conference Or Booth +ManageOrganizeEvent = Manage event organisation +ConferenceOrBooth = Conference Or Booth +ConferenceOrBoothTab = Conference Or Booth +AmountOfSubscriptionPaid = Amount of subscription paid +DateSubscription = Date of subscription +ConferenceOrBoothAttendee = Conference Or Booth Attendee + +# +# Template Mail +# +YourOrganizationEventConfRequestWasReceived = Your request for conference was received +YourOrganizationEventBoothRequestWasReceived = Your request for booth was received +EventOrganizationEmailAskConf = Request for conference +EventOrganizationEmailAskBooth = Request for booth +EventOrganizationEmailSubsBooth = Subscription for booth +EventOrganizationEmailSubsEvent = Subscription for an event +EventOrganizationMassEmailAttendees = Communication to attendees +EventOrganizationMassEmailSpeakers = Communication to speakers + +# +# Event +# +AllowUnknownPeopleSuggestConf=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestConfHelp=Allow unknown people to suggest conferences +AllowUnknownPeopleSuggestBooth=Allow unknown people to suggest booth +AllowUnknownPeopleSuggestBoothHelp=Allow unknown people to suggest booth +PriceOfRegistration=Price of registration +PriceOfRegistrationHelp=Price of registration +PriceOfBooth=Subscription price to stand a booth +PriceOfBoothHelp=Subscription price to stand a booth +EventOrganizationICSLink=Link ICS for events +ConferenceOrBoothInformation=Conference Or Booth informations +Attendees = Attendees +EVENTORGANIZATION_SECUREKEY = Secure Key of the public registration link to a conference +# +# Status +# +EvntOrgDraft = 草稿 +EvntOrgSuggested = Suggested +EvntOrgConfirmed = Confirmed +EvntOrgNotQualified = Not Qualified +EvntOrgDone = 完成 +EvntOrgCancelled = Cancelled +# +# Public page +# +PublicAttendeeSubscriptionPage = Public link of registration to a conference +MissingOrBadSecureKey = The security key is invalid or missing +EvntOrgWelcomeMessage = This form allows you to register as a new participant to the conference +EvntOrgStartDuration = This conference starts on +EvntOrgEndDuration = and ends on diff --git a/htdocs/langs/zh_TW/knowledgemanagement.lang b/htdocs/langs/zh_TW/knowledgemanagement.lang new file mode 100644 index 00000000000..0e4462985f9 --- /dev/null +++ b/htdocs/langs/zh_TW/knowledgemanagement.lang @@ -0,0 +1,55 @@ +# Copyright (C) 2021 SuperAdmin +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# + +# Module label 'ModuleKnowledgeManagementName' +ModuleKnowledgeManagementName = Knowledge Management System +# Module description 'ModuleKnowledgeManagementDesc' +ModuleKnowledgeManagementDesc=Manage a Knowledge Management (KM) or Help-Desk base + +# +# Admin page +# +KnowledgeManagementSetup = Knowledge Management System setup +Settings = 設定 +KnowledgeManagementSetupPage = Knowledge Management System setup page + + +# +# About page +# +About = 關於 +KnowledgeManagementAbout = About Knowledge Management +KnowledgeManagementAboutPage = Knowledge Management about page + +# +# Sample page +# +KnowledgeManagementArea = Knowledge Management + + +# +# Menu +# +MenuKnowledgeRecord = Knowledge base +ListOfArticles = List of articles +NewKnowledgeRecord = New article +ValidateReply = Validate solution +KnowledgeRecords = Articles +KnowledgeRecord = 物品 +KnowledgeRecordExtraFields = Extrafields for Article diff --git a/htdocs/langs/zh_TW/mails.lang b/htdocs/langs/zh_TW/mails.lang index 2e602c47207..c1f07ef0a6e 100644 --- a/htdocs/langs/zh_TW/mails.lang +++ b/htdocs/langs/zh_TW/mails.lang @@ -15,7 +15,7 @@ MailToUsers=發送給用戶 MailCC=副本 MailToCCUsers=CC MailCCC=CCC -MailTopic=電子郵件主題 +MailTopic=Email subject MailText=郵件內容 MailFile=附加檔案 MailMessage=電子郵件內容 @@ -131,8 +131,8 @@ NoNotificationsWillBeSent=沒有為此類型事件和公司計畫的自動電子 ANotificationsWillBeSent=1條自動通知將以電子郵件寄送 SomeNotificationsWillBeSent=%s的自動通知將以電子郵件寄送 AddNewNotification=Subscribe to a new automatic email notification (target/event) -ListOfActiveNotifications=List all active subscriptions (targets/events) for automatic email notification -ListOfNotificationsDone=列出所有已寄送的自動電子郵件通知 +ListOfActiveNotifications=List of all active subscriptions (targets/events) for automatic email notification +ListOfNotificationsDone=List of all automatic email notifications sent MailSendSetupIs=電子郵件發送的設定已設定為“ %s”。此模式不能用於發送批次電子郵件。 MailSendSetupIs2=您必須先使用管理員帳戶進入選單%s首頁-設定-EMails%s以將參數'%s'更改為使用模式 '%s'。使用此模式 ,您可以輸入Internet服務供應商提供的SMTP伺服器的設定,並使用批次電子郵件功能。 MailSendSetupIs3=如果對如何設定SMTP伺服器有任何疑問,可以詢問%s。 diff --git a/htdocs/langs/zh_TW/main.lang b/htdocs/langs/zh_TW/main.lang index 4cdffe835d3..ee97d8fc01c 100644 --- a/htdocs/langs/zh_TW/main.lang +++ b/htdocs/langs/zh_TW/main.lang @@ -180,7 +180,7 @@ SaveAndNew=儲存並新增 TestConnection=測試連線 ToClone=複製 ConfirmCloneAsk=您確定要複製物件 %s? -ConfirmClone=選擇您要複製的數據: +ConfirmClone=Choose the data you want to clone: NoCloneOptionsSpecified=沒有已定義要複製的資料。 Of=的 Go=前往 @@ -246,7 +246,7 @@ DefaultModel=預設文件範本 Action=事件 About=關於 Number=數量 -NumberByMonth=每月數量 +NumberByMonth=Total reports by month AmountByMonth=每月金額 Numero=數量 Limit=限制 @@ -341,8 +341,8 @@ KiloBytes=KB MegaBytes=MB GigaBytes=GB TeraBytes=TB -UserAuthor=建立的用戶 -UserModif=最後一次更新的用戶 +UserAuthor=Ceated by +UserModif=Updated by b=b. Kb=Kb Mb=Mb @@ -503,9 +503,11 @@ By=由 From=從 FromDate=從 FromLocation=從 -at=在 to=至 To=至 +ToDate=至 +ToLocation=至 +at=在 and=和 or=或 Other=其他 @@ -843,7 +845,7 @@ XMoreLines=%s 行(數)被隱藏 ShowMoreLines=顯示更多/更少行數 PublicUrl=公開網址 AddBox=增加盒子 -SelectElementAndClick=選擇元件及點選 %s +SelectElementAndClick=Select an element and click on %s PrintFile=列印檔案 %s ShowTransaction=在銀行帳戶中顯示交易 ShowIntervention=顯示干預 @@ -854,8 +856,8 @@ Denied=已拒絕 ListOf=%s 清單 ListOfTemplates=範本清單 Gender=性別 -Genderman=男 -Genderwoman=女 +Genderman=Male +Genderwoman=Female Genderother=其他 ViewList=檢視清單 ViewGantt=甘特圖 @@ -1129,3 +1131,4 @@ ConfirmAffectTagQuestion=您確定要影響對%s所選記錄的標籤嗎? CategTypeNotFound=找不到記錄類型的標籤類型 CopiedToClipboard=Copied to clipboard InformationOnLinkToContract=This amount is only the total of all the lines of the contract. No notion of time is taken into consideration. +ConfirmCancel=Are you sure you want to cancel diff --git a/htdocs/langs/zh_TW/members.lang b/htdocs/langs/zh_TW/members.lang index 14c60c9ba39..9bfb8a79af4 100644 --- a/htdocs/langs/zh_TW/members.lang +++ b/htdocs/langs/zh_TW/members.lang @@ -15,7 +15,7 @@ ErrorMemberIsAlreadyLinkedToThisThirdParty=另一名會員(名稱:%s ErrorUserPermissionAllowsToLinksToItselfOnly=出於安全原因,必須授予您編輯所有用戶的權限,以便能夠將會員連結到其他用戶。 SetLinkToUser=連結Dolibarr用戶 SetLinkToThirdParty=連接到Dolibarr合作方 -MembersCards=會員名片 +MembersCards=Business cards for members MembersList=會員清單 MembersListToValid=草案會員清單(待確認) MembersListValid=有效會員清單 @@ -32,7 +32,7 @@ MembersWithSubscriptionToReceive=可接收訂閱會員 MembersWithSubscriptionToReceiveShort=接收訂閱 DateSubscription=訂閱日期 DateEndSubscription=訂閱結束日期 -EndSubscription=結束訂閱 +EndSubscription=Subscription Ends SubscriptionId=訂閱編號 WithoutSubscription=沒有訂閱 MemberId=會員編號 @@ -83,10 +83,10 @@ WelcomeEMail=歡迎電子郵件 SubscriptionRequired=需要訂閱 DeleteType=刪除 VoteAllowed=允許投票 -Physical=自然人 -Moral=法人 -MorAndPhy=法人與自然人 -Reenable=重新啟用 +Physical=Individual +Moral=Corporation +MorAndPhy=Corporation and Individual +Reenable=Re-Enable ExcludeMember=Exclude a member ConfirmExcludeMember=Are you sure you want to exclude this member ? ResiliateMember=終止會員 @@ -175,32 +175,32 @@ MembersStatisticsByCountries=會員統計(國家/城市) MembersStatisticsByState=會員統計(州/省) MembersStatisticsByTown=會員統計(城鎮) MembersStatisticsByRegion=會員統計(地區) -NbOfMembers=會員數 -NbOfActiveMembers=目前活躍會員數 +NbOfMembers=Total number of members +NbOfActiveMembers=Total number of current active members NoValidatedMemberYet=無已驗證的會員 -MembersByCountryDesc=此畫面顯示依國家/地區劃分的會員統計訊息。圖形取決於Google線上圖形服務,並且僅在網路連接正常時可用。 -MembersByStateDesc=此畫面依州/省顯示有關會員的統計訊息。 -MembersByTownDesc=此畫面顯示依城鎮劃分的會員統計訊息。 +MembersByCountryDesc=This screen shows you the statistics of members by countries. Graphs and charts depend on the availability of the Google online graph service as well as on the availability of a working internet connection. +MembersByStateDesc=This screen show you statistics of members by state/provinces/canton. +MembersByTownDesc=This screen show you statistics of members by town. +MembersByNature=This screen show you statistics of members by nature. +MembersByRegion=This screen show you statistics of members by region. MembersStatisticsDesc=選擇要讀取的統計訊息... MenuMembersStats=統計 -LastMemberDate=最新會員日期 +LastMemberDate=Latest membership date LatestSubscriptionDate=最新訂閱日期 -MemberNature=會員性質 -MembersNature=會員性質 -Public=資訊是公開的 +MemberNature=Nature of the member +MembersNature=Nature of the members +Public=Information is public NewMemberbyWeb=增加了新會員。等待核准 NewMemberForm=新會員表格 -SubscriptionsStatistics=訂閱統計 +SubscriptionsStatistics=Subscriptions statistics NbOfSubscriptions=訂閱數 -AmountOfSubscriptions=訂閱金額 +AmountOfSubscriptions=Amount collected from subscriptions TurnoverOrBudget=營業額(對於公司)或預算(對於財團) DefaultAmount=預設訂閱金額 CanEditAmount=訪客可以選擇/編輯其訂閱金額 MEMBER_NEWFORM_PAYONLINE=跳至綜合線上支付頁面 ByProperties=依照性質 MembersStatisticsByProperties=會員性質統計 -MembersByNature=此畫面依性質顯示有關會員的統計訊息。 -MembersByRegion=此畫面依區域顯示有關會員的統計訊息。 VATToUseForSubscriptions=訂閱使用的營業稅率 NoVatOnSubscription=訂閱無營業稅 ADHERENT_PRODUCT_ID_FOR_SUBSCRIPTIONS=用於發票的訂閱欄的產品:%s diff --git a/htdocs/langs/zh_TW/modulebuilder.lang b/htdocs/langs/zh_TW/modulebuilder.lang index 3e33eeafd60..04eb61a2a70 100644 --- a/htdocs/langs/zh_TW/modulebuilder.lang +++ b/htdocs/langs/zh_TW/modulebuilder.lang @@ -85,7 +85,7 @@ ListOfPermissionsDefined=已定義權限清單 SeeExamples=在這裡查看範例 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), 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) -DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty +DisplayOnPdfDesc=Display this field on compatible PDF documents, you can manage position with "Position" field.
Currently, known compatibles PDF models are : eratosthene (order), espadon (ship), sponge (invoices), cyan (propal/quotation), cornas (supplier order)

For document :
0 = not displayed
1 = display
2 = display only if not empty

For document lines :
0 = not displayed
1 = displayed in a column
3 = display in line description column after the description
4 = display in description column after the description only if not empty DisplayOnPdf=以PDF顯示 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) diff --git a/htdocs/langs/zh_TW/other.lang b/htdocs/langs/zh_TW/other.lang index e424cc39c42..364d1de3f2d 100644 --- a/htdocs/langs/zh_TW/other.lang +++ b/htdocs/langs/zh_TW/other.lang @@ -183,7 +183,7 @@ EnableGDLibraryDesc=在PHP安裝上安裝或啟用GD程式庫以使用此選項 ProfIdShortDesc=Prof Id %s的資訊取決於合作方國家/地區。
例如,對於國家%s ,其代碼為%s 。 DolibarrDemo=Dolibarr的ERP / CRM的DEMO StatsByNumberOfUnits=產品/服務數量統計 -StatsByNumberOfEntities=參考實際數量的統計(發票或訂單的數量...) +StatsByNumberOfEntities=Statistics for number of referring entities (no. of invoices, or orders...) NumberOfProposals=提案/建議書的數量 NumberOfCustomerOrders=銷售訂單數量 NumberOfCustomerInvoices=客戶發票數量 @@ -289,4 +289,4 @@ PopuProp=依照在提案中受歡迎程度列出的產品/服務 PopuCom=依照在訂單中受歡迎程度列出的產品/服務 ProductStatistics=產品/服務統計 NbOfQtyInOrders=訂單數量 -SelectTheTypeOfObjectToAnalyze=選擇要分析的項目類型... +SelectTheTypeOfObjectToAnalyze=Select an object to view its statistics... diff --git a/htdocs/langs/zh_TW/partnership.lang b/htdocs/langs/zh_TW/partnership.lang new file mode 100644 index 00000000000..6563edeeac8 --- /dev/null +++ b/htdocs/langs/zh_TW/partnership.lang @@ -0,0 +1,56 @@ +# Copyright (C) 2021 NextGestion +# +# This program is free software: you can redistribute it and/or modify +# it under the terms of the GNU General Public License as published by +# the Free Software Foundation, either version 3 of the License, or +# (at your option) any later version. +# +# This program is distributed in the hope that it will be useful, +# but WITHOUT ANY WARRANTY; without even the implied warranty of +# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the +# GNU General Public License for more details. +# +# You should have received a copy of the GNU General Public License +# along with this program. If not, see . + +# +# Generic +# +ModulePartnershipName = Partnership management +PartnershipDescription = Module Partnership management +PartnershipDescriptionLong= Module Partnership management + +# +# Menu +# +NewPartnership = New Partnership +ListOfPartnerships = List of partnership + +# +# Admin page +# +PartnershipSetup = Partnership setup +PartnershipAbout = About Partnership +PartnershipAboutPage = Partnership about page + + +# +# Object +# +DatePartnershipStart=開始日期 +DatePartnershipEnd=結束日期 + +# +# Template Mail +# + + +# +# Status +# +PartnershipDraft = 草稿 +PartnershipAccepted = 已接受 +PartnershipRefused = 已拒絕 +PartnershipCanceled = 已取消 + +PartnershipManagedFor=Partners are diff --git a/htdocs/langs/zh_TW/productbatch.lang b/htdocs/langs/zh_TW/productbatch.lang index 72db592eb05..d88de961d99 100644 --- a/htdocs/langs/zh_TW/productbatch.lang +++ b/htdocs/langs/zh_TW/productbatch.lang @@ -28,8 +28,8 @@ SerialNumberAlreadyInUse=Serial number %s is already used for product %s TooManyQtyForSerialNumber=You can only have one product %s for serial number %s BatchLotNumberingModules=Options for automatic generation of batch products managed by lots BatchSerialNumberingModules=Options for automatic generation of batch products managed by serial numbers +ManageLotMask=Custom mask CustomMasks=Adds an option to define mask in the product card LotProductTooltip=Adds an option in the product card to define a dedicated batch number mask SNProductTooltip=Adds an option in the product card to define a dedicated serial number mask QtyToAddAfterBarcodeScan=Qty to add for each barcode/lot/serial scanned - diff --git a/htdocs/langs/zh_TW/products.lang b/htdocs/langs/zh_TW/products.lang index 7e05d098a4a..b603120fada 100644 --- a/htdocs/langs/zh_TW/products.lang +++ b/htdocs/langs/zh_TW/products.lang @@ -43,7 +43,7 @@ ServicesOnSaleOnly=僅供銷售服務 ServicesOnPurchaseOnly=僅供採購服務 ServicesNotOnSell=無法銷售與採購之服務 ServicesOnSellAndOnBuy=可供銷售與購買之服務 -LastModifiedProductsAndServices=最新%s筆已修改的產品/服務 +LastModifiedProductsAndServices=Latest %s products/services which were modified LastRecordedProducts=最新 %s 紀錄的產品 LastRecordedServices=最新%s 紀錄的服務 CardProduct0=產品 @@ -73,12 +73,12 @@ SellingPrice=售價 SellingPriceHT=售價(不含稅) SellingPriceTTC=售價(含稅) SellingMinPriceTTC=最低售價(含稅) -CostPriceDescription=此價格欄位(不含稅)可用於存儲該產品給貴公司的平均價格。它可以是您自己計算的任何價格,例如,根據平均購買價格加上平均生產和分銷成本得出的價格。 +CostPriceDescription=This price field (excl. tax) can be used to capture 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=此值可用於利潤計算。 SoldAmount=銷售數量 PurchasedAmount=購買數量 NewPrice=新價格 -MinPrice=最低賣價 +MinPrice=Min. selling price EditSellingPriceLabel=修改售價標籤 CantBeLessThanMinPrice=售價不能低於該產品的最低售價(%s 不含稅)。如果你輸入的折扣過高也會出現此訊息。 ContractStatusClosed=已關閉 @@ -157,11 +157,11 @@ ListServiceByPopularity=熱門服務列表 Finished=成品 RowMaterial=原材料 ConfirmCloneProduct=您確定要複製產品或服務%s嗎? -CloneContentProduct=複製產品/服務的所有主要信息 +CloneContentProduct=Clone all main information of the product/service ClonePricesProduct=複製價格 -CloneCategoriesProduct=複製已連結標籤/類別 -CloneCompositionProduct=複製虛擬產品/服務 -CloneCombinationsProduct=複製產品差異 +CloneCategoriesProduct=Clone linked tags/categories +CloneCompositionProduct=Clone virtual products/services +CloneCombinationsProduct=Clone the product variants ProductIsUsed=該產品是用於 NewRefForClone=新的產品/服務參考 SellingPrices=銷售價格 @@ -170,12 +170,12 @@ CustomerPrices=客戶價格 SuppliersPrices=供應商價格 SuppliersPricesOfProductsOrServices=供應商價格(產品或服務) CustomCode=海關|商品| HS碼 -CountryOrigin=原產地 -RegionStateOrigin=原始產地 -StateOrigin=州|省份 -Nature=產品性質(材料/成品) +CountryOrigin=Country of origin +RegionStateOrigin=Region of origin +StateOrigin=State|Province of origin +Nature=Nature of product (raw/manufactured) NatureOfProductShort=產品性質 -NatureOfProductDesc=產品原料或成品 +NatureOfProductDesc=Raw material or manufactured product ShortLabel=短標籤 Unit=單位 p=u. diff --git a/htdocs/langs/zh_TW/projects.lang b/htdocs/langs/zh_TW/projects.lang index 2dafa3a1e88..6223ae8f6e8 100644 --- a/htdocs/langs/zh_TW/projects.lang +++ b/htdocs/langs/zh_TW/projects.lang @@ -10,19 +10,19 @@ PrivateProject=專案聯絡人 ProjectsImContactFor=我是聯絡人的專案 AllAllowedProjects=我可以讀取的所有專案(我的+公共項目) AllProjects=所有專案 -MyProjectsDesc=此檢視僅顯示您為聯絡人之專案 +MyProjectsDesc=This view is limited to the projects that you are a contact for ProjectsPublicDesc=此檢視顯示您被允許讀取的所有專案。 TasksOnProjectsPublicDesc=此檢視顯示您可讀取之專案的所有任務。 ProjectsPublicTaskDesc=此檢視顯示所有您可以讀取之專案與任務。 ProjectsDesc=此檢視顯示全部專案(您的用戶權限授予您檢視所有內容)。 TasksOnProjectsDesc=此檢視顯示所有專案上的所有任務(您的用戶權限授予您檢視所有內容)。 -MyTasksDesc=此檢視僅為您是聯絡人之專案或任務 +MyTasksDesc=This view is limited to the projects or tasks that you are a contact for OnlyOpenedProject=僅顯示開放專案(不顯示草案或是已關閉狀態之專案) ClosedProjectsAreHidden=不顯示已關閉專案 TasksPublicDesc=此檢視顯示您可讀取之所有專案及任務。 TasksDesc=此檢視顯示所有專案及任務(您的用戶權限授予您查看所有內容)。 AllTaskVisibleButEditIfYouAreAssigned=合格專案的所有任務都可見,但是您只能輸入分配給所選用戶之任務的時間。如果需要輸入時間,請分配任務。 -OnlyYourTaskAreVisible=僅顯示分配給您的任務。如果任務不可見,則將任務分配給自己,並且您需要輸入時間。 +OnlyYourTaskAreVisible=Only tasks assigned to you are visible. If you need to enter time on a task and if the task is not visible here, then you need to assign the task to yourself. ImportDatasetTasks=專案任務 ProjectCategories=專案標籤/類別 NewProject=新專案 @@ -202,7 +202,7 @@ ResourceNotAssignedToTheTask=未分配給任務 NoUserAssignedToTheProject=沒有分配給此專案的用戶 TimeSpentBy=花費時間者 TasksAssignedTo=任務分配給 -AssignTaskToMe=分配任務給我 +AssignTaskToMe=Assign task to myself AssignTaskToUser=將任務分配給%s SelectTaskToAssign=選擇要分配的任務... AssignTask=分配 diff --git a/htdocs/langs/zh_TW/recruitment.lang b/htdocs/langs/zh_TW/recruitment.lang index 71b646c556d..f1f347585b2 100644 --- a/htdocs/langs/zh_TW/recruitment.lang +++ b/htdocs/langs/zh_TW/recruitment.lang @@ -72,5 +72,5 @@ YourCandidatureAnswerMessage=Thanks you for your application.
... JobClosedTextCandidateFound=The job position is closed. The position has been filled. JobClosedTextCanceled=The job position is closed. ExtrafieldsJobPosition=Complementary attributes (job positions) -ExtrafieldsCandidatures=Complementary attributes (job applications) +ExtrafieldsApplication=Complementary attributes (job applications) MakeOffer=Make an offer diff --git a/htdocs/langs/zh_TW/sendings.lang b/htdocs/langs/zh_TW/sendings.lang index 0a422561415..ef3e9fc3a8d 100644 --- a/htdocs/langs/zh_TW/sendings.lang +++ b/htdocs/langs/zh_TW/sendings.lang @@ -43,7 +43,7 @@ ConfirmValidateSending=您確定要使用參考%s驗證此出貨嗎? ConfirmCancelSending=您確定要取消此出貨嗎? DocumentModelMerou=Merou A5 範本 WarningNoQtyLeftToSend=警告,沒有等待出貨的產品。 -StatsOnShipmentsOnlyValidated=出貨統計已被驗證。使用的日期是出貨確認日期(計劃的交貨日期並非總是已知的)。 +StatsOnShipmentsOnlyValidated=Statistics are only for validated shipments. Date used is the date of validation of shipment (planned delivery date is not always known) DateDeliveryPlanned=預計交貨日期 RefDeliveryReceipt=參考交貨收據 StatusReceipt=交貨收據狀態 diff --git a/htdocs/langs/zh_TW/stocks.lang b/htdocs/langs/zh_TW/stocks.lang index db37cf3b2c5..73c7afa1e00 100644 --- a/htdocs/langs/zh_TW/stocks.lang +++ b/htdocs/langs/zh_TW/stocks.lang @@ -19,8 +19,8 @@ Stock=庫存 Stocks=庫存 MissingStocks=缺少庫存 StockAtDate=歷史庫存 -StockAtDateInPast=Date in the past -StockAtDateInFuture=Date in the future +StockAtDateInPast=過去的日期 +StockAtDateInFuture=未來的日期 StocksByLotSerial=依批次/序號的庫存 LotSerial=批次/序號 LotSerialList=批次/序號清單 @@ -34,11 +34,11 @@ StockMovementForId=移轉編號 %d ListMouvementStockProject=與項目相關的庫存變動清單 StocksArea=庫存區域 AllWarehouses=所有倉庫 -IncludeEmptyDesiredStock=Include also negative stock with undefined desired stock +IncludeEmptyDesiredStock=包括有未定義預期庫存的負數庫存 IncludeAlsoDraftOrders=包括草稿訂單 Location=位置 -LocationSummary=Short name of location -NumberOfDifferentProducts=Number of unique products +LocationSummary=地點的簡稱 +NumberOfDifferentProducts=獨特產品數量 NumberOfProducts=產品總數 LastMovement=最新變動 LastMovements=最新變動(s) @@ -91,7 +91,7 @@ NoPredefinedProductToDispatch=沒有此專案的預定義產品。因此無需 DispatchVerb=調度 StockLimitShort=警報限制 StockLimit=庫存限制的警報 -StockLimitDesc=(空白)表示沒有警告。 可將
0用作庫存警告。 +StockLimitDesc=(empty) means no warning.
0 can be used to trigger a warning as soon as the stock is empty. PhysicalStock=實體庫存 RealStock=實際庫存 RealStockDesc=實體/實際庫存是目前倉庫中的庫存。 diff --git a/htdocs/langs/zh_TW/ticket.lang b/htdocs/langs/zh_TW/ticket.lang index 1776b33f613..b1ce38cce62 100644 --- a/htdocs/langs/zh_TW/ticket.lang +++ b/htdocs/langs/zh_TW/ticket.lang @@ -249,8 +249,8 @@ TicketLogReopen=服務單%s已重新打開 # Public pages # TicketSystem=服務單系統 -ShowListTicketWithTrackId=從追蹤編號顯示服務單清單 -ShowTicketWithTrackId=從追蹤編號顯示服務單 +ShowListTicketWithTrackId=以追蹤編號顯示服務單清單 +ShowTicketWithTrackId=以追蹤編號查詢服務單 TicketPublicDesc=您可以從現有編號建立支援服務單或進行檢查。 YourTicketSuccessfullySaved=服務單已成功儲存! MesgInfosPublicTicketCreatedWithTrackId=已建立一個新的服務單,其ID為%s和參考%s。 @@ -267,7 +267,7 @@ TicketEmailPleaseDoNotReplyToThisEmail=請不要直接回覆此電子郵件! TicketPublicInfoCreateTicket=此表格使您可以在我們的管理系統中記錄支援服務單。 TicketPublicPleaseBeAccuratelyDescribe=請準確描述問題。提供盡可能多的訊息使我們能夠正確辨別您的要求。 TicketPublicMsgViewLogIn=請輸入服務單追蹤編號 -TicketTrackId=公開追踪編號 +TicketTrackId=公用追踪編號 OneOfTicketTrackId=您的追蹤編號之一 ErrorTicketNotFound=無法找到追蹤編號%s的服務單! Subject=主題 diff --git a/htdocs/langs/zh_TW/users.lang b/htdocs/langs/zh_TW/users.lang index 26b9aacbd38..4a17d9da51b 100644 --- a/htdocs/langs/zh_TW/users.lang +++ b/htdocs/langs/zh_TW/users.lang @@ -12,6 +12,7 @@ PasswordChangedTo=密碼更改為:%s SubjectNewPassword=您新的密碼是 %s GroupRights=群組權限 UserRights=用戶權限 +Credentials=Credentials UserGUISetup=用戶顯示設定 DisableUser=停用用戶 DisableAUser=停用一位用戶 @@ -105,7 +106,7 @@ UseTypeFieldToChange=使用欄位類型進行更改 OpenIDURL=OpenID URL LoginUsingOpenID=使用OpenID登入 WeeklyHours=工作小時數(每週) -ExpectedWorkedHours=預計每週工作時間 +ExpectedWorkedHours=Expected hours worked per week ColorUser=用戶顏色 DisabledInMonoUserMode=在維護模式下已關閉 UserAccountancyCode=用戶帳號 @@ -115,7 +116,7 @@ DateOfEmployment=到職日期 DateEmployment=雇傭期間 DateEmploymentstart=入職日期 DateEmploymentEnd=離職日期 -RangeOfLoginValidity=登入的有效日期範圍 +RangeOfLoginValidity=Access validity date range CantDisableYourself=您不能關閉自己的用戶記錄 ForceUserExpenseValidator=強制使用費用報告表驗證 ForceUserHolidayValidator=強制使用休假請求驗證 diff --git a/htdocs/langs/zh_TW/website.lang b/htdocs/langs/zh_TW/website.lang index 7a2ba12877b..cb7499b7303 100644 --- a/htdocs/langs/zh_TW/website.lang +++ b/htdocs/langs/zh_TW/website.lang @@ -140,8 +140,8 @@ DefineListOfAltLanguagesInWebsiteProperties=在網站屬性中定義所有可用 GenerateSitemaps=Generate website sitemap file ConfirmGenerateSitemaps=If you confirm, you will erase the existing sitemap file... ConfirmSitemapsCreation=Confirm sitemap generation -SitemapGenerated=Sitemap Generated +SitemapGenerated=Sitemap file %s generated ImportFavicon=Favicon ErrorFaviconType=Favicon must be png -ErrorFaviconSize=Favicon must be of size 32x32 -FaviconTooltip=Upload an image which needs to be a png of 32x32 +ErrorFaviconSize=Favicon must be sized 16x16, 32x32 or 64x64 +FaviconTooltip=Upload an image which needs to be a png (16x16, 32x32 or 64x64) diff --git a/htdocs/modulebuilder/index.php b/htdocs/modulebuilder/index.php index 35e5e5b81b0..9cb22f735e6 100644 --- a/htdocs/modulebuilder/index.php +++ b/htdocs/modulebuilder/index.php @@ -2149,7 +2149,7 @@ if ($module == 'initmodule') { print ''; print ''; print $formadmin->select_language($conf->global->MAIN_LANG_DEFAULT, 'newlangcode', 0, 0, 1, 0, 0, 'minwidth300', 1); - print '
'; + print '
'; print ''; print '
'; @@ -2408,7 +2408,7 @@ if ($module == 'initmodule') { print '
'; print ' '.$form->textwithpicto($langs->trans("IncludeRefGeneration"), $langs->trans("IncludeRefGenerationHelp")).'
'; print ' '.$form->textwithpicto($langs->trans("IncludeDocGeneration"), $langs->trans("IncludeDocGenerationHelp")).'
'; - print ''; + print ''; print '
'; print '
'; print '
'; @@ -2418,7 +2418,7 @@ if ($module == 'initmodule') { //print ' '; print $langs->trans("InitStructureFromExistingTable"); print ''; - print ''; + print ''; print '
'; print ''; @@ -2472,7 +2472,6 @@ if ($module == 'initmodule') { $pathtolib = strtolower($module).'/lib/'.strtolower($module).'.lib.php'; $pathtoobjlib = strtolower($module).'/lib/'.strtolower($module).'_'.strtolower($tabobj).'.lib.php'; $pathtopicto = strtolower($module).'/img/object_'.strtolower($tabobj).'.png'; - $pathtoscript = strtolower($module).'/scripts/'.strtolower($tabobj).'.php'; //var_dump($pathtoclass); var_dump($dirread); $realpathtoclass = $dirread.'/'.$pathtoclass; @@ -2491,7 +2490,6 @@ if ($module == 'initmodule') { $realpathtolib = $dirread.'/'.$pathtolib; $realpathtoobjlib = $dirread.'/'.$pathtoobjlib; $realpathtopicto = $dirread.'/'.$pathtopicto; - $realpathtoscript = $dirread.'/'.$pathtoscript; if (empty($realpathtoapi)) { // For compatibility with some old modules $pathtoapi = strtolower($module).'/class/api_'.strtolower($module).'s.class.php'; @@ -2500,11 +2498,11 @@ if ($module == 'initmodule') { $urloflist = $dirread.'/'.$pathtolist; $urlofcard = $dirread.'/'.$pathtocard; - print '
'; - print ' '.$langs->trans("ClassFile").' : '.($realpathtoclass ? '' : '').$pathtoclass.($realpathtoclass ? '' : '').''; + print '
'; + print ' '.$langs->trans("ClassFile").' : '.($realpathtoclass ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtoclass).($realpathtoclass ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; print '
'; - print ' '.$langs->trans("ApiClassFile").' : '.($realpathtoapi ? '' : '').$pathtoapi.($realpathtoapi ? '' : '').''; + print ' '.$langs->trans("ApiClassFile").' : '.($realpathtoapi ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtoapi).($realpathtoapi ? '' : '').''; if (dol_is_file($realpathtoapi)) { print ' '.img_picto($langs->trans("Edit"), 'edit').''; print ' '; @@ -2517,44 +2515,44 @@ if ($module == 'initmodule') { } } else { //print ''.$langs->trans("FileNotYetGenerated").' '; - print ''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; } // PHPUnit print '
'; - print ' '.$langs->trans("TestClassFile").' : '.($realpathtophpunit ? '' : '').$pathtophpunit.($realpathtophpunit ? '' : '').''; + print ' '.$langs->trans("TestClassFile").' : '.($realpathtophpunit ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtophpunit).($realpathtophpunit ? '' : '').''; if (dol_is_file($realpathtophpunit)) { print ' '.img_picto($langs->trans("Edit"), 'edit').''; print ' '; print ''.img_picto($langs->trans("Delete"), 'delete').''; } else { //print ''.$langs->trans("FileNotYetGenerated").' '; - print ''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; } print '
'; print '
'; - print ' '.$langs->trans("PageForLib").' : '.($realpathtolib ? '' : '').$pathtolib.($realpathtolib ? '' : '').''; + print ' '.$langs->trans("PageForLib").' : '.($realpathtolib ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtolib).($realpathtolib ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; print '
'; - print ' '.$langs->trans("PageForObjLib").' : '.($realpathtoobjlib ? '' : '').$pathtoobjlib.($realpathtoobjlib ? '' : '').''; + print ' '.$langs->trans("PageForObjLib").' : '.($realpathtoobjlib ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtoobjlib).($realpathtoobjlib ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; print '
'; - print ' '.$langs->trans("Image").' : '.($realpathtopicto ? '' : '').$pathtopicto.($realpathtopicto ? '' : '').''; + print ' '.$langs->trans("Image").' : '.($realpathtopicto ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtopicto).($realpathtopicto ? '' : '').''; //print ' '.img_picto($langs->trans("Edit"), 'edit').''; print '
'; print '
'; - print ' '.$langs->trans("SqlFile").' : '.($realpathtosql ? '' : '').$pathtosql.($realpathtosql ? '' : '').''; + print ' '.$langs->trans("SqlFile").' : '.($realpathtosql ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtosql).($realpathtosql ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; print '   '.$langs->trans("DropTableIfEmpty").''; //print '   '.$langs->trans("RunSql").''; print '
'; - print ' '.$langs->trans("SqlFileKey").' : '.($realpathtosqlkey ? '' : '').$pathtosqlkey.($realpathtosqlkey ? '' : '').''; + print ' '.$langs->trans("SqlFileKey").' : '.($realpathtosqlkey ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtosqlkey).($realpathtosqlkey ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; //print '   '.$langs->trans("RunSql").''; print '
'; - print ' '.$langs->trans("SqlFileExtraFields").' : '.($realpathtosqlextra ? '' : '').$pathtosqlextra.($realpathtosqlextra ? '' : '').''; + print ' '.$langs->trans("SqlFileExtraFields").' : '.($realpathtosqlextra ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtosqlextra).($realpathtosqlextra ? '' : '').''; if (dol_is_file($realpathtosqlextra) && dol_is_file($realpathtosqlextrakey)) { print ' '.img_picto($langs->trans("Edit"), 'edit').''; print ' '; @@ -2562,66 +2560,56 @@ if ($module == 'initmodule') { print '   '; print ''.$langs->trans("DropTableIfEmpty").''; } else { - print ''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; } //print '   '.$langs->trans("RunSql").''; print '
'; - print ' '.$langs->trans("SqlFileKeyExtraFields").' : '.($realpathtosqlextrakey ? '' : '').$pathtosqlextrakey.($realpathtosqlextrakey ? '' : '').''; + print ' '.$langs->trans("SqlFileKeyExtraFields").' : '.($realpathtosqlextrakey ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtosqlextrakey).($realpathtosqlextrakey ? '' : '').''; if (dol_is_file($realpathtosqlextra) && dol_is_file($realpathtosqlextrakey)) { print ' '.img_picto($langs->trans("Edit"), 'edit').''; print ' '; print ''.img_picto($langs->trans("Delete"), 'delete').''; } else { - print ''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; } - //print '   '.$langs->trans("RunSql").''; - print '
'; - print '
'; print '
'; - print '
'; - print ' '.$langs->trans("PageForList").' : '.($realpathtolist ? '' : '').$pathtolist.($realpathtolist ? '' : '').''; + print '
'; + print ' '.$langs->trans("PageForList").' : '.($realpathtolist ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtolist).($realpathtolist ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; print '
'; - print ' '.$langs->trans("PageForCreateEditView").' : '.($realpathtocard ? '' : '').$pathtocard.($realpathtocard ? '' : '').'?action=create'; + print ' '.$langs->trans("PageForCreateEditView").' : '.($realpathtocard ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtocard).($realpathtocard ? '' : '').'?action=create'; print ' '.img_picto($langs->trans("Edit"), 'edit').''; print '
'; - print ' '.$langs->trans("PageForContactTab").' : '.($realpathtocontact ? '' : '').$pathtocontact.($realpathtocontact ? '' : '').''; + print ' '.$langs->trans("PageForContactTab").' : '.($realpathtocontact ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtocontact).($realpathtocontact ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; if (dol_is_file($realpathtocontact)) { print ' '; print ''.img_picto($langs->trans("Delete"), 'delete').''; } print '
'; - print ' '.$langs->trans("PageForDocumentTab").' : '.($realpathtodocument ? '' : '').$pathtodocument.($realpathtodocument ? '' : '').''; + print ' '.$langs->trans("PageForDocumentTab").' : '.($realpathtodocument ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtodocument).($realpathtodocument ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; if (dol_is_file($realpathtodocument)) { print ' '; print ''.img_picto($langs->trans("Delete"), 'delete').''; } print '
'; - print ' '.$langs->trans("PageForNoteTab").' : '.($realpathtonote ? '' : '').$pathtonote.($realpathtonote ? '' : '').''; + print ' '.$langs->trans("PageForNoteTab").' : '.($realpathtonote ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtonote).($realpathtonote ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; if (dol_is_file($realpathtonote)) { print ' '; print ''.img_picto($langs->trans("Delete"), 'delete').''; } print '
'; - print ' '.$langs->trans("PageForAgendaTab").' : '.($realpathtoagenda ? '' : '').$pathtoagenda.($realpathtoagenda ? '' : '').''; + print ' '.$langs->trans("PageForAgendaTab").' : '.($realpathtoagenda ? '' : '').preg_replace('/^'.strtolower($module).'\//', '', $pathtoagenda).($realpathtoagenda ? '' : '').''; print ' '.img_picto($langs->trans("Edit"), 'edit').''; if (dol_is_file($realpathtoagenda)) { print ' '; print ''.img_picto($langs->trans("Delete"), 'delete').''; } print '
'; - - /* This is already on Tab CLI - print '
'; - print ' '.$langs->trans("ScriptFile").' : '.($realpathtoscript?'':'').$pathtoscript.($realpathtoscript?'':'').''; - print ' '.img_picto($langs->trans("Edit"), 'edit').''; - print '
';*/ - print '
'; print '
'; @@ -2666,7 +2654,7 @@ if ($module == 'initmodule') { print ''."\n"; print '
'; - print ''; + print '
'; print ''; print ''; print ''; print ''; - print ''; + print ''; print ''; //print ''; print ''; @@ -2704,26 +2692,26 @@ if ($module == 'initmodule') { if (!empty($properties)) { // Line to add a property print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - print ''; - //print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + print ''; + //print ''; print ''; print ''; print ''; print ''; print ''; - print ''; print ''; print ''; print ''; print ''; print ''; print ''; print ''; print ''; print ''; print ''; print ''; print ''; } else { print ''.$langs->trans("FileNotYetGenerated").''; - print ''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; print ''; } print ''; @@ -3313,7 +3305,7 @@ if ($module == 'initmodule') { } else { print ''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; print ''; print ''; } @@ -3361,7 +3353,7 @@ if ($module == 'initmodule') { print ''; } else { print ''.$langs->trans("FileNotYetGenerated").''; - print ''; + print ''; } print ''; } else { @@ -3406,7 +3398,7 @@ if ($module == 'initmodule') { print ''; } else { print ''.$langs->trans("FileNotYetGenerated").''; - print ''; + print ''; } print ''; } else { @@ -3456,7 +3448,7 @@ if ($module == 'initmodule') { } } else { print ''; } print '
'.$langs->trans("Property"); print ' ('.$langs->trans("SeeExamples").')'; @@ -2689,7 +2677,7 @@ if ($module == 'initmodule') { print ''.$langs->trans("CSSClass").''.$langs->trans("CSSViewClass").''.$langs->trans("CSSListClass").''.$langs->trans("KeyForTooltip").''.$langs->trans("KeyForTooltip").''.$langs->trans("ShowOnCombobox").''.$langs->trans("Disabled").''.$langs->trans("Comment").'
'; print ''; @@ -2782,23 +2770,27 @@ if ($module == 'initmodule') { print ''; print ''; - print ''; + print ''; print ''; print ''; - print ''; + print ''; print ''; - print ''; + print ''; print ''; - print ''; + print ''; + print ''; print ''; print ''; print ''; - print ''; + print ''; print ''; print ''; @@ -2807,7 +2799,7 @@ if ($module == 'initmodule') { print ''; print ''; - print ''; + print ''; print ''; print ''; @@ -2816,22 +2808,22 @@ if ($module == 'initmodule') { print ''; print ''; - print ''; + print ''; print ''; - print ''; + print ''; print ''; - print ''; + print ''; print ''; - print ''; + print ''; print ''; - print ''; + print ''; print ''; - print ''; + print ''; print ''; print ''; @@ -3251,7 +3243,7 @@ if ($module == 'initmodule') { print ''.img_picto($langs->trans("Delete"), 'delete').'
'; print ' '.$langs->trans("NoTrigger"); - print '
'.img_picto($langs->trans("Delete"), 'delete').''.img_picto('Generate', 'generate', 'class="paddingleft"').'
'.img_picto($langs->trans("Delete"), 'delete').''.img_picto('Generate', 'generate', 'class="paddingleft"').'
'.$langs->trans("NoWidget"); - print ''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; print '
'; @@ -3572,8 +3564,8 @@ if ($module == 'initmodule') { print ''; } } else { - print ' '.$langs->trans("NoCLIFile"); - print ''; + print ' '.$langs->trans("CLIFile").' : '.$langs->trans("FileNotYetGenerated");''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; print ''; } print ''; @@ -3747,8 +3739,8 @@ if ($module == 'initmodule') { } } else { print ''; - print ' '.$langs->trans("FileNotYetGenerated"); - print ''; + print ' '.$langs->trans("SpecificationFile").' : '.$langs->trans("FileNotYetGenerated").''; + print ''.img_picto('Generate', 'generate', 'class="paddingleft"').''; print ''; } print ''; diff --git a/htdocs/partnership/admin/about.php b/htdocs/partnership/admin/about.php new file mode 100644 index 00000000000..0d3fb11c4e3 --- /dev/null +++ b/htdocs/partnership/admin/about.php @@ -0,0 +1,101 @@ + + * Copyright (C) 2021 Dorian Laurent + * + * This program is free software: you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation, either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +/** + * \file partnership/admin/about.php + * \ingroup partnership + * \brief About page of module Partnership. + */ + +// Load Dolibarr environment +$res = 0; +// Try main.inc.php into web root known defined into CONTEXT_DOCUMENT_ROOT (not always defined) +if (!$res && !empty($_SERVER["CONTEXT_DOCUMENT_ROOT"])) { + $res = @include $_SERVER["CONTEXT_DOCUMENT_ROOT"]."/main.inc.php"; +} +// Try main.inc.php into web root detected using web root calculated from SCRIPT_FILENAME +$tmp = empty($_SERVER['SCRIPT_FILENAME']) ? '' : $_SERVER['SCRIPT_FILENAME']; $tmp2 = realpath(__FILE__); $i = strlen($tmp) - 1; $j = strlen($tmp2) - 1; +while ($i > 0 && $j > 0 && isset($tmp[$i]) && isset($tmp2[$j]) && $tmp[$i] == $tmp2[$j]) { + $i--; $j--; +} +if (!$res && $i > 0 && file_exists(substr($tmp, 0, ($i + 1))."/main.inc.php")) { + $res = @include substr($tmp, 0, ($i + 1))."/main.inc.php"; +} +if (!$res && $i > 0 && file_exists(dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php")) { + $res = @include dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php"; +} +// Try main.inc.php using relative path +if (!$res && file_exists("../../main.inc.php")) { + $res = @include "../../main.inc.php"; +} +if (!$res && file_exists("../../../main.inc.php")) { + $res = @include "../../../main.inc.php"; +} +if (!$res) { + die("Include of main fails"); +} + +// Libraries +require_once DOL_DOCUMENT_ROOT.'/core/lib/admin.lib.php'; +require_once DOL_DOCUMENT_ROOT.'/core/lib/functions2.lib.php'; +require_once '../lib/partnership.lib.php'; + +// Translations +$langs->loadLangs(array("errors", "admin", "partnership@partnership")); + +// Access control +if (!$user->admin) { + accessforbidden(); +} + +// Parameters +$action = GETPOST('action', 'aZ09'); +$backtopage = GETPOST('backtopage', 'alpha'); + + +/* + * Actions + */ + + +/* + * View + */ + +$form = new Form($db); + +$page_name = "PartnershipAbout"; +llxHeader('', $langs->trans($page_name)); + +// Subheader +$linkback = ''.$langs->trans("BackToModuleList").''; + +print load_fiche_titre($langs->trans($page_name), $linkback, 'title_setup'); + +// Configuration header +$head = partnershipAdminPrepareHead(); +print dol_get_fiche_head($head, 'about', '', 0, 'partnership@partnership'); + +require_once DOL_DOCUMENT_ROOT.'/core/modules/modPartnership.class.php'; +$tmpmodule = new modPartnership($db); +print $tmpmodule->getDescLong(); + +// Page end +print dol_get_fiche_end(); +llxFooter(); +$db->close(); diff --git a/htdocs/partnership/admin/setup.php b/htdocs/partnership/admin/setup.php index aac962ede72..d681274106c 100644 --- a/htdocs/partnership/admin/setup.php +++ b/htdocs/partnership/admin/setup.php @@ -82,36 +82,21 @@ include DOL_DOCUMENT_ROOT.'/core/actions_setmoduleoptions.inc.php'; if ($action == 'setting') { require_once DOL_DOCUMENT_ROOT."/core/modules/modPartnership.class.php"; - $partnership = new modPartnership($db); - $value = GETPOST('managed_for', 'alpha'); - - - $modulemenu = ($value == 'member') ? 'member' : 'thirdparty'; + $modulemenu = (GETPOST('PARTNERSHIP_IS_MANAGED_FOR', 'alpha') == 'member') ? 'member' : 'thirdparty'; $res = dolibarr_set_const($db, "PARTNERSHIP_IS_MANAGED_FOR", $modulemenu, 'chaine', 0, '', $conf->entity); - $partnership->tabs = array(); - if ($modulemenu == 'member') { - $partnership->tabs[] = array('data'=>'member:+partnership:Partnership:partnership:$user->rights->partnership->read:/partnership/partnership.php?socid=__ID__'); - $fk_mainmenu = "members"; - } else { - $partnership->tabs[] = array('data'=>'thirdparty:+partnership:Partnership:partnership:$user->rights->partnership->read:/partnership/partnership.php?socid=__ID__'); - $fk_mainmenu = "companies"; - } - - foreach ($partnership->menu as $key => $menu) { - $partnership->menu[$key]['mainmenu'] = $fk_mainmenu; - - if ($menu['leftmenu'] == 'partnership') - $partnership->menu[$key]['fk_menu'] = 'fk_mainmenu='.$fk_mainmenu; - else $partnership->menu[$key]['fk_menu'] = 'fk_mainmenu='.$fk_mainmenu.',fk_leftmenu=partnership'; - } + $partnership = new modPartnership($db); $error += $partnership->delete_tabs(); $error += $partnership->insert_tabs(); $error += $partnership->delete_menus(); $error += $partnership->insert_menus(); + + if (GETPOST("PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL", 'int')) + dolibarr_set_const($db, "PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL", GETPOST("PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL", 'int'), 'chaine', 0, '', $conf->entity); + dolibarr_set_const($db, "PARTNERSHIP_BACKLINKS_TO_CHECK", GETPOST("PARTNERSHIP_BACKLINKS_TO_CHECK"), 'chaine', 0, '', $conf->entity); } if ($action) { @@ -120,6 +105,8 @@ if ($action) { } else { setEventMessages($langs->trans("SetupNotError"), null, 'errors'); } + header("Location: ".$_SERVER['PHP_SELF']); + exit; } /* @@ -154,19 +141,48 @@ print ''; print ''; -// Default partnership price base type -print ''; -print ''; -print ''; + +print ''; +print ''; +print ''; +print ''; print ''; -print '
'.$langs->trans("PartnershipManagedFor").''; - print ''; -print '
'.$langs->trans("Setting").''.$langs->trans("Value").''.$langs->trans("Examples").'
'; +print ''.$langs->trans("PARTNERSHIP_IS_MANAGED_FOR").''; +print ''; +print ''; +print ''; +print ''.$langs->trans("partnershipforthirdpartyormember").''; +print ''; + + +if ($conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') { + print ''.$langs->trans("PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL").''; + print ''; + $dnbdays = '7'; + $backlinks = (!empty($conf->global->PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL)) ? $conf->global->PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL : $dnbdays; + print ''; + print ''; + print ''.$dnbdays.''; + print ''; +} + + +print ''.$langs->trans("PARTNERSHIP_BACKLINKS_TO_CHECK").''; +print ''; +$dbacklinks = 'dolibarr.org|dolibarr.fr|dolibarr.es'; +$backlinks = (!empty($conf->global->PARTNERSHIP_BACKLINKS_TO_CHECK)) ? $conf->global->PARTNERSHIP_BACKLINKS_TO_CHECK : $dbacklinks; +print ''; +print ''; +print ''.$dbacklinks.''; +print ''; + + +print ''; print '
'; print ''; print '
'; diff --git a/htdocs/partnership/class/partnership.class.php b/htdocs/partnership/class/partnership.class.php index 1dab8890050..a42e12fd412 100644 --- a/htdocs/partnership/class/partnership.class.php +++ b/htdocs/partnership/class/partnership.class.php @@ -100,26 +100,7 @@ class Partnership extends CommonObject /** * @var array Array with all fields and their property. Do not use it as a static var. It may be modified by constructor. */ - public $fields=array( - 'rowid' => array('type'=>'integer', 'label'=>'TechnicalID', 'enabled'=>'1', 'position'=>1, 'notnull'=>1, 'visible'=>0, 'noteditable'=>'1', 'index'=>1, 'css'=>'left', 'comment'=>"Id"), - 'ref' => array('type'=>'varchar(128)', 'label'=>'Ref', 'enabled'=>'1', 'position'=>10, 'notnull'=>1, 'visible'=>4, 'noteditable'=>'1', 'default'=>'(PROV)', 'index'=>1, 'searchall'=>1, 'showoncombobox'=>'1', 'comment'=>"Reference of object"), - 'fk_soc' => array('type'=>'integer:Societe:societe/class/societe.class.php:1:status=1 AND entity IN (__SHARED_ENTITIES__)', 'label'=>'ThirdParty', 'enabled'=>'1', 'position'=>50, 'notnull'=>-1, 'visible'=>1, 'index'=>1,), - 'note_public' => array('type'=>'html', 'label'=>'NotePublic', 'enabled'=>'1', 'position'=>61, 'notnull'=>0, 'visible'=>0,), - 'note_private' => array('type'=>'html', 'label'=>'NotePrivate', 'enabled'=>'1', 'position'=>62, 'notnull'=>0, 'visible'=>0,), - 'date_creation' => array('type'=>'datetime', 'label'=>'DateCreation', 'enabled'=>'1', 'position'=>500, 'notnull'=>1, 'visible'=>-2,), - 'tms' => array('type'=>'timestamp', 'label'=>'DateModification', 'enabled'=>'1', 'position'=>501, 'notnull'=>0, 'visible'=>-2,), - 'fk_user_creat' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'UserAuthor', 'enabled'=>'1', 'position'=>510, 'notnull'=>1, 'visible'=>-2, 'foreignkey'=>'user.rowid',), - 'fk_user_modif' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'UserModif', 'enabled'=>'1', 'position'=>511, 'notnull'=>-1, 'visible'=>-2,), - 'last_main_doc' => array('type'=>'varchar(255)', 'label'=>'LastMainDoc', 'enabled'=>'1', 'position'=>600, 'notnull'=>0, 'visible'=>0,), - 'import_key' => array('type'=>'varchar(14)', 'label'=>'ImportId', 'enabled'=>'1', 'position'=>1000, 'notnull'=>-1, 'visible'=>-2,), - 'model_pdf' => array('type'=>'varchar(255)', 'label'=>'Model pdf', 'enabled'=>'1', 'position'=>1010, 'notnull'=>-1, 'visible'=>0,), - 'status' => array('type'=>'smallint', 'label'=>'Status', 'enabled'=>'1', 'position'=>1000, 'notnull'=>1, 'visible'=>4, 'default'=>0, 'index'=>1, 'arrayofkeyval'=>array('0'=>'Draft', '1'=>'Validated', '2'=>'Refused', '9'=>'Canceled'),), - 'fk_member' => array('type'=>'integer:Adherent:adherents/class/adherent.class.php:1', 'label'=>'Member', 'enabled'=>'1', 'position'=>51, 'notnull'=>-1, 'visible'=>1, 'index'=>1,), - 'date_partnership_start' => array('type'=>'datetime', 'label'=>'DatePartnershipStart', 'enabled'=>'1', 'position'=>52, 'notnull'=>1, 'visible'=>1,), - 'date_partnership_end' => array('type'=>'datetime', 'label'=>'DatePartnershipEnd', 'enabled'=>'1', 'position'=>53, 'notnull'=>1, 'visible'=>1,), - 'count_last_url_check_error' => array('type'=>'integer', 'label'=>'CountLastUrlCheckError', 'enabled'=>'1', 'position'=>63, 'notnull'=>0, 'visible'=>-2, 'default'=>'0',), - 'reason_decline_or_cancel' => array('type'=>'text', 'label'=>'ReasonDeclineOrCancel', 'enabled'=>'1', 'position'=>64, 'notnull'=>0, 'visible'=>-2,), - ); + public $fields=array(); public $rowid; public $ref; public $fk_soc; @@ -137,6 +118,7 @@ class Partnership extends CommonObject public $date_partnership_start; public $date_partnership_end; public $count_last_url_check_error; + public $last_check_backlink; public $reason_decline_or_cancel; // END MODULEBUILDER PROPERTIES @@ -188,12 +170,39 @@ class Partnership extends CommonObject $this->db = $db; + $this->fields=array( + 'rowid' => array('type'=>'integer', 'label'=>'TechnicalID', 'enabled'=>'1', 'position'=>1, 'notnull'=>1, 'visible'=>0, 'noteditable'=>'1', 'index'=>1, 'css'=>'left', 'comment'=>"Id"), + 'ref' => array('type'=>'varchar(128)', 'label'=>'Ref', 'enabled'=>'1', 'position'=>10, 'notnull'=>1, 'visible'=>4, 'noteditable'=>'1', 'default'=>'(PROV)', 'index'=>1, 'searchall'=>1, 'showoncombobox'=>'1', 'comment'=>"Reference of object"), + 'entity' => array('type' => 'integer', 'label' => 'Entity', 'default' => 1, 'enabled' => 1, 'visible' => -2, 'notnull' => 1, 'position' => 15, 'index' => 1), + 'note_public' => array('type'=>'html', 'label'=>'NotePublic', 'enabled'=>'1', 'position'=>61, 'notnull'=>0, 'visible'=>0,), + 'note_private' => array('type'=>'html', 'label'=>'NotePrivate', 'enabled'=>'1', 'position'=>62, 'notnull'=>0, 'visible'=>0,), + 'date_creation' => array('type'=>'datetime', 'label'=>'DateCreation', 'enabled'=>'1', 'position'=>500, 'notnull'=>1, 'visible'=>-2,), + 'tms' => array('type'=>'timestamp', 'label'=>'DateModification', 'enabled'=>'1', 'position'=>501, 'notnull'=>0, 'visible'=>-2,), + 'fk_user_creat' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'UserAuthor', 'enabled'=>'1', 'position'=>510, 'notnull'=>1, 'visible'=>-2, 'foreignkey'=>'user.rowid',), + 'fk_user_modif' => array('type'=>'integer:User:user/class/user.class.php', 'label'=>'UserModif', 'enabled'=>'1', 'position'=>511, 'notnull'=>-1, 'visible'=>-2,), + 'last_main_doc' => array('type'=>'varchar(255)', 'label'=>'LastMainDoc', 'enabled'=>'1', 'position'=>600, 'notnull'=>0, 'visible'=>0,), + 'import_key' => array('type'=>'varchar(14)', 'label'=>'ImportId', 'enabled'=>'1', 'position'=>1000, 'notnull'=>-1, 'visible'=>-2,), + 'model_pdf' => array('type'=>'varchar(255)', 'label'=>'Model pdf', 'enabled'=>'1', 'position'=>1010, 'notnull'=>-1, 'visible'=>0,), + 'date_partnership_start' => array('type'=>'date', 'label'=>'DatePartnershipStart', 'enabled'=>'1', 'position'=>52, 'notnull'=>1, 'visible'=>1,), + 'date_partnership_end' => array('type'=>'date', 'label'=>'DatePartnershipEnd', 'enabled'=>'1', 'position'=>53, 'notnull'=>1, 'visible'=>1,), + 'status' => array('type'=>'smallint', 'label'=>'Status', 'enabled'=>'1', 'position'=>54, 'notnull'=>0, 'visible'=>2, 'index'=>1, 'arrayofkeyval'=>array('-1'=>'','0'=>$langs->trans('Draft'), '1'=>$langs->trans('Accepted'), '2'=>$langs->trans('Refused'), '9'=>$langs->trans('Canceled')),), + 'count_last_url_check_error' => array('type'=>'integer', 'label'=>'CountLastUrlCheckError', 'enabled'=>'1', 'position'=>63, 'notnull'=>0, 'visible'=>-2, 'default'=>'0',), + 'last_check_backlink' => array('type'=>'datetime', 'label'=>'LastCheckBacklink', 'enabled'=>'1', 'position'=>65, 'notnull'=>0, 'visible'=>-2,), + 'reason_decline_or_cancel' => array('type'=>'text', 'label'=>'ReasonDeclineOrCancel', 'enabled'=>'1', 'position'=>64, 'notnull'=>0, 'visible'=>-2,), + ); + + if ($conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') { + $this->fields['fk_member'] = array('type'=>'integer:Adherent:adherents/class/adherent.class.php:1', 'label'=>'Member', 'enabled'=>'1', 'position'=>50, 'notnull'=>-1, 'visible'=>1, 'index'=>1,); + } else { + $this->fields['fk_soc'] = array('type'=>'integer:Societe:societe/class/societe.class.php:1:status=1 AND entity IN (__SHARED_ENTITIES__)', 'label'=>'ThirdParty', 'enabled'=>'1', 'position'=>50, 'notnull'=>-1, 'visible'=>1, 'index'=>1,); + } + if (empty($conf->global->MAIN_SHOW_TECHNICAL_ID) && isset($this->fields['rowid'])) { $this->fields['rowid']['visible'] = 0; } - if (empty($conf->multicompany->enabled) && isset($this->fields['entity'])) { - $this->fields['entity']['enabled'] = 0; - } + // if (empty($conf->multicompany->enabled) && isset($this->fields['entity'])) { + // $this->fields['entity']['enabled'] = 0; + // } // Example to show how to set values of fields definition dynamically /*if ($user->rights->partnership->read) { @@ -229,6 +238,7 @@ class Partnership extends CommonObject */ public function create(User $user, $notrigger = false) { + $this->status = 0; return $this->createCommon($user, $notrigger); } @@ -333,20 +343,97 @@ class Partnership extends CommonObject /** * Load object in memory from the database + * Get object from database. Get also lines. * - * @param int $id Id object - * @param string $ref Ref - * @return int <0 if KO, 0 if not found, >0 if OK + * @param int $id Id of object to load + * @param string $ref Ref of object + * @param int $fk_soc_or_member fk_soc or fk_member + * @return int >0 if OK, <0 if KO, 0 if not found */ - public function fetch($id, $ref = null) + public function fetch($id, $ref = null, $fk_soc_or_member = null) { - $result = $this->fetchCommon($id, $ref); - if ($result > 0 && !empty($this->table_element_line)) { - $this->fetchLines(); + global $conf; + + // Check parameters + if (empty($id) && empty($ref) && empty($fk_soc_or_member)) { + return -1; + } + + $sql = 'SELECT p.rowid, p.ref, p.fk_soc, p.fk_member, p.status'; + $sql .= ', p.entity, p.date_partnership_start, p.date_partnership_end, p.date_creation'; + $sql .= ', p.fk_user_creat, p.tms, p.fk_user_modif, p.fk_user_modif'; + $sql .= ', p.note_private, p.note_public'; + $sql .= ', p.last_main_doc, p.count_last_url_check_error, p.last_check_backlink, p.reason_decline_or_cancel'; + $sql .= ', p.import_key, p.model_pdf'; + + $sql .= ' FROM '.MAIN_DB_PREFIX.'partnership as p'; + + if ($id) { + $sql .= " WHERE p.rowid=".$id; + } else { + $sql .= " WHERE p.entity IN (0,".getEntity('partnership').")"; // Dont't use entity if you use rowid + } + + if ($ref) { + $sql .= " AND p.ref='".$this->db->escape($ref)."'"; + } + + if ($fk_soc_or_member) { + $sql .= ' AND'; + if ($conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') + $sql .= ' p.fk_member = '; + else $sql .= ' p.fk_soc = '; + $sql .= $fk_soc_or_member; + $sql .= ' ORDER BY p.date_partnership_end DESC'; + } + + dol_syslog(get_class($this)."::fetch", LOG_DEBUG); + $result = $this->db->query($sql); + if ($result) { + $obj = $this->db->fetch_object($result); + if ($obj) { + $this->id = $obj->rowid; + $this->entity = $obj->entity; + $this->rowid = $obj->rowid; + $this->ref = $obj->ref; + $this->fk_soc = $obj->fk_soc; + $this->fk_member = $obj->fk_member; + $this->status = $obj->status; + $this->date_partnership_start = $this->db->jdate($obj->date_partnership_start); + $this->date_partnership_end = $this->db->jdate($obj->date_partnership_end); + $this->date_creation = $this->db->jdate($obj->date_creation); + $this->fk_user_creat = $obj->fk_user_creat; + $this->tms = $obj->tms; + $this->fk_user_modif = $obj->fk_user_modif; + $this->note_private = $obj->note_private; + $this->note_public = $obj->note_public; + $this->last_main_doc = $obj->last_main_doc; + $this->count_last_url_check_error = $obj->count_last_url_check_error; + $this->last_check_backlink = $this->db->jdate($obj->last_check_backlink); + $this->reason_decline_or_cancel = $obj->reason_decline_or_cancel; + $this->import_key = $obj->import_key; + $this->model_pdf = $obj->model_pdf; + + $this->lines = array(); + + // Retrieve all extrafield + // fetch optionals attributes and labels + $this->fetch_optionals(); + + $this->db->free($result); + + return 1; + } else { + // $this->error = 'Partnership with id '.$id.' not found sql='.$sql; + return 0; + } + } else { + $this->error = $this->db->error(); + return -1; } - return $result; } + /** * Load object lines in memory from the database * @@ -765,21 +852,24 @@ class Partnership extends CommonObject * @param int $notrigger 1=Does not execute triggers, 0=Execute triggers * @return int <0 if KO, 0=Nothing done, >0 if OK */ - public function refused($user, $notrigger = '') + public function refused($user, $reasondeclinenote = '', $notrigger = 0) { // Protection - // if ($this->status != self::STATUS_DRAFT) { - // return 0; - // } + if ($this->status == self::STATUS_REFUSED) { + return 0; + } - /*if (! ((empty($conf->global->MAIN_USE_ADVANCED_PERMS) && ! empty($user->rights->partnership->write)) - || (! empty($conf->global->MAIN_USE_ADVANCED_PERMS) && ! empty($user->rights->partnership_advance->validate)))) - { - $this->error='Permission denied'; - return -1; - }*/ + $this->status = self::STATUS_REFUSED; + $this->reason_decline_or_cancel = $reasondeclinenote; - return $this->setStatusCommon($user, self::STATUS_REFUSED, $notrigger, 'PARTNERSHIP_REFUSE'); + $result = $this->update($user); + + if ($result) { + $this->reason_decline_or_cancel = $reasondeclinenote; + return 1; + } + + return -1; } /** @@ -816,7 +906,7 @@ class Partnership extends CommonObject public function reopen($user, $notrigger = 0) { // Protection - if ($this->status != self::STATUS_CANCELED) { + if ($this->status != self::STATUS_CANCELED && $this->status != self::STATUS_REFUSED) { return 0; } diff --git a/htdocs/partnership/class/partnershiputils.class.php b/htdocs/partnership/class/partnershiputils.class.php index 61659e6075c..992fca2703e 100644 --- a/htdocs/partnership/class/partnershiputils.class.php +++ b/htdocs/partnership/class/partnershiputils.class.php @@ -26,16 +26,20 @@ require_once DOL_DOCUMENT_ROOT.'/comm/action/class/actioncomm.class.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/date.lib.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/files.lib.php'; +require_once DOL_DOCUMENT_ROOT.'/core/lib/geturl.lib.php'; + dol_include_once('partnership/lib/partnership.lib.php'); +dol_include_once('/partnership/class/partnership.class.php'); - +require_once DOL_DOCUMENT_ROOT."/societe/class/societe.class.php"; +require_once DOL_DOCUMENT_ROOT.'/adherents/class/adherent.class.php'; /** * Class with cron tasks of Partnership module */ class PartnershipUtils { public $db; //!< To store db handler - public $error; //!< To return error code (or message) + public $error; //!< To return error code (or message) public $errors=array(); //!< To return several error codes (or messages) @@ -50,33 +54,387 @@ class PartnershipUtils return 1; } - /** - * Action executed by scheduler to cancel status of partnership when subscription is expired + x days. (Max number of cancel per call = $conf->global->PARTNERSHIP_MAX_CANCEL_PER_CALL) + * Action executed by scheduler to cancel status of partnership when subscription is expired + x days. (Max number of action batch per call = $conf->global->PARTNERSHIP_MAX_EXPIRATION_CANCEL_PER_CALL) * * CAN BE A CRON TASK * * @return int 0 if OK, <>0 if KO (this function is used also by cron so only 0 is OK) */ - public function doCancelStatusOfPartnership() + public function doCancelStatusOfMemberPartnership() { global $conf, $langs, $user; - $langs->load("agenda"); + $managedfor = $conf->global->PARTNERSHIP_IS_MANAGED_FOR; - $MAXPERCALL = (empty($conf->global->PARTNERSHIP_MAX_CANCEL_PER_CALL) ? 100 : $conf->global->PARTNERSHIP_MAX_CANCEL_PER_CALL); // Limit to 100 per call + if ($managedfor != 'member') { + return 0; // If option 'PARTNERSHIP_IS_MANAGED_FOR' = 'thirdparty', this cron job does nothing. + } - $error = 0; - $this->output = ''; - $this->error=''; + $partnership = new Partnership($this->db); + $MAXPERCALL = (empty($conf->global->PARTNERSHIP_MAX_EXPIRATION_CANCEL_PER_CALL) ? 25 : $conf->global->PARTNERSHIP_MAX_EXPIRATION_CANCEL_PER_CALL); // Limit to 25 per call + $langs->loadLangs(array("partnership", "member")); - dol_syslog(__METHOD__." we cancel status of partnership ", LOG_DEBUG); + $error = 0; + $erroremail = ''; + $this->output = ''; + $this->error = ''; + $partnershipsprocessed = array(); + + $gracedelay=$conf->global->PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL; + if ($gracedelay < 1) { + $this->error='BadValueForDelayBeforeCancelCheckSetup'; + return -1; + } + + dol_syslog(get_class($this)."::doCancelStatusOfMemberPartnership cancel expired partnerships with grace delay of ".$gracedelay); $now = dol_now(); + $datetotest = dol_time_plus_duree($now, -1 * abs($gracedelay), 'd'); - // En cours de traitement ... + $this->db->begin(); + + $sql = "SELECT p.rowid, p.fk_member, p.status"; + $sql .= ", d.datefin, d.fk_adherent_type, dty.subscription"; + $sql .= " FROM ".MAIN_DB_PREFIX."partnership as p"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."adherent as d on (d.rowid = p.fk_member)"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."adherent_type as dty on (dty.rowid = d.fk_adherent_type)"; + $sql .= " WHERE fk_member > 0"; + $sql .= " AND (d.datefin < '".$this->db->idate($datetotest)."' AND dty.subscription = 1)"; + $sql .= " AND p.status = ".$partnership::STATUS_ACCEPTED; // Only accepted not yet canceled + $sql .= $this->db->order('d.rowid', 'ASC'); + // Limit is managed into loop later + + $resql = $this->db->query($sql); + if ($resql) { + $numofexpiredmembers = $this->db->num_rows($resql); + + $somethingdoneonpartnership = 0; + $ifetchpartner = 0; + while ($ifetchpartner < $numofexpiredmembers) { + $ifetchpartner++; + + $obj = $this->db->fetch_object($resql); + if ($obj) { + if (! empty($partnershipsprocessed[$obj->rowid])) continue; + + if ($somethingdoneonpartnership >= $MAXPERCALL) { + dol_syslog("We reach the limit of ".$MAXPERCALL." partnership processed, so we quit loop for this batch doCancelStatusOfMemberPartnership to avoid to reach email quota.", LOG_WARNING); + break; + } + + $object = new Partnership($this->db); + $object->fetch($obj->rowid); + + // Get expiration date + $expirationdate = $obj->datefin; + + if ($expirationdate && $expirationdate < $now) { // If contract expired (we already had a test into main select, this is a security) + $somethingdoneonpartnership++; + + $result = $object->cancel($user, 0); + // $conf->global->noapachereload = null; + if ($result < 0) { + $error++; + $this->error = $object->error; + if (is_array($object->errors) && count($object->errors)) { + if (is_array($this->errors)) $this->errors = array_merge($this->errors, $object->errors); + else $this->errors = $object->errors; + } + } else { + $partnershipsprocessed[$object->id]=$object->ref; + + // Send an email to inform member + $labeltemplate = '(SendingEmailOnPartnershipCanceled)'; + + dol_syslog("Now we will send an email to member id=".$object->fk_member." with label ".$labeltemplate); + + // Send deployment email + include_once DOL_DOCUMENT_ROOT.'/core/class/html.formmail.class.php'; + include_once DOL_DOCUMENT_ROOT.'/core/class/CMailFile.class.php'; + $formmail=new FormMail($this->db); + + // Define output language + $outputlangs = $langs; + $newlang = ''; + if ($conf->global->MAIN_MULTILANGS && empty($newlang) && GETPOST('lang_id', 'aZ09')) $newlang = GETPOST('lang_id', 'aZ09'); + if (! empty($newlang)) { + $outputlangs = new Translate("", $conf); + $outputlangs->setDefaultLang($newlang); + $outputlangs->loadLangs(array('main','member','partnership')); + } + + $arraydefaultmessage=$formmail->getEMailTemplate($this->db, 'partnership_send', $user, $outputlangs, 0, 1, $labeltemplate); + + $substitutionarray=getCommonSubstitutionArray($outputlangs, 0, null, $object); + complete_substitutions_array($substitutionarray, $outputlangs, $object); + + $subject = make_substitutions($arraydefaultmessage->topic, $substitutionarray, $outputlangs); + $msg = make_substitutions($arraydefaultmessage->content, $substitutionarray, $outputlangs); + $from = dol_string_nospecial($conf->global->MAIN_INFO_SOCIETE_NOM, ' ', array(",")).' <'.$conf->global->MAIN_INFO_SOCIETE_MAIL.'>'; + + $adherent = new Adherent($this->db); + $adherent->fetch($object->fk_member); + $to = $adherent->email; + + $cmail = new CMailFile($subject, $to, $from, $msg, array(), array(), array(), '', '', 0, 1); + $result = $cmail->sendfile(); + if (! $result || $cmail->error) { + $erroremail .= ($erroremail ? ', ' : '').$cmail->error; + $this->errors[] = $cmail->error; + if (is_array($cmail->errors) && count($cmail->errors) > 0) $this->errors += $cmail->errors; + } + } + } + } + } + } else { + $error++; + $this->error = $this->db->lasterror(); + } + + if (! $error) { + $this->db->commit(); + $this->output = $numofexpiredmembers.' expired partnership members found'."\n"; + if ($erroremail) $this->output.='. Got errors when sending some email : '.$erroremail; + } else { + $this->db->rollback(); + $this->output = "Rollback after error\n"; + $this->output.= $numofexpiredmembers.' expired partnership members found'."\n"; + if ($erroremail) $this->output.='. Got errors when sending some email : '.$erroremail; + } return ($error ? 1: 0); } + + + /** + * Action executed by scheduler to check if Dolibarr backlink not found on partner website. (Max number of action batch per call = $conf->global->PARTNERSHIP_MAX_WARNING_BACKLINK_PER_CALL) + * + * CAN BE A CRON TASK + * + * @return int 0 if OK, <>0 if KO (this function is used also by cron so only 0 is OK) + */ + public function doWarningOfPartnershipIfDolibarrBacklinkNotfound() + { + global $conf, $langs, $user; + + $managedfor = $conf->global->PARTNERSHIP_IS_MANAGED_FOR; + + $partnership = new Partnership($this->db); + $MAXPERCALL = (empty($conf->global->PARTNERSHIP_MAX_WARNING_BACKLINK_PER_CALL) ? 10 : $conf->global->PARTNERSHIP_MAX_WARNING_BACKLINK_PER_CALL); // Limit to 10 per call + + $langs->loadLangs(array("partnership", "member")); + + $error = 0; + $erroremail = ''; + $this->output = ''; + $this->error = ''; + $partnershipsprocessed = array(); + + $gracedelay=$conf->global->PARTNERSHIP_NBDAYS_AFTER_MEMBER_EXPIRATION_BEFORE_CANCEL; + if ($gracedelay < 1) { + $this->error='BadValueForDelayBeforeCancelCheckSetup'; + return -1; + } + + $fk_partner = ($managedfor == 'member') ? 'fk_member' : 'fk_soc'; + + dol_syslog(get_class($this)."::doWarningOfPartnershipIfDolibarrBacklinkNotfound Warning of partnership"); + + $now = dol_now(); + $datetotest = dol_time_plus_duree($now, -1 * abs($gracedelay), 'd'); + + $this->db->begin(); + + $sql = "SELECT p.rowid, p.status, p.".$fk_partner; + $sql .= ", p.last_check_backlink"; + + $sql .= ', partner.url, partner.email'; + + $sql .= " FROM ".MAIN_DB_PREFIX."partnership as p"; + + if ($managedfor == 'member') { + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."adherent as partner on (partner.rowid = p.fk_member)"; + } else { + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."societe as partner on (partner.rowid = p.fk_soc)"; + } + + $sql .= " WHERE 1 = 1"; + $sql .= " AND p.".$fk_partner." > 0"; + $sql .= " AND p.status = ".$partnership::STATUS_ACCEPTED; // Only accepted not yet canceled + $sql .= " AND (p.last_check_backlink IS NULL OR p.last_check_backlink <= '".$this->db->idate($now - 7 * 24 * 3600)."')"; // Every week, check that website contains a link to dolibarr. + $sql .= $this->db->order('p.rowid', 'ASC'); + // Limit is managed into loop later + + $resql = $this->db->query($sql); + if ($resql) { + $numofexpiredmembers = $this->db->num_rows($resql); + $somethingdoneonpartnership = 0; + $ifetchpartner = 0; + while ($ifetchpartner < $numofexpiredmembers) { + $ifetchpartner++; + + $obj = $this->db->fetch_object($resql); + if ($obj) { + if (! empty($partnershipsprocessed[$obj->rowid])) continue; + + if ($somethingdoneonpartnership >= $MAXPERCALL) { + dol_syslog("We reach the limit of ".$MAXPERCALL." partnership processed, so we quit loop for this batch doWarningOfPartnershipIfDolibarrBacklinkNotfound to avoid to reach email quota.", LOG_WARNING); + break; + } + + $backlinkfound = 0; + + $object = new Partnership($this->db); + $object->fetch($obj->rowid); + + if ($managedfor == 'member') { + $fk_partner = $object->fk_member; + } else { + $fk_partner = $object->fk_soc; + } + + $website = $obj->url; + + if (empty($website)) { + $websitenotfound .= ($websitenotfound ? ', ' : '').'Website not found for id="'.$fk_partner.'"'."\n"; + } else { + $backlinkfound = $this->checkDolibarrBacklink($website); + } + + if (!$backlinkfound) { + $tmpcount = $object->count_last_url_check_error + 1; + + if ($tmpcount > 2 && $tmpcount <= 4) { // Send Warning Email + if (!empty($obj->email)) { + $emailnotfound .= ($emailnotfound ? ', ' : '').'Email not found for id="'.$fk_partner.'"'."\n"; + } else { + $labeltemplate = '(SendingEmailOnPartnershipWillSoonBeCanceled)'; + + dol_syslog("Now we will send an email to partner id=".$fk_partner." with label ".$labeltemplate); + + // Send deployment email + include_once DOL_DOCUMENT_ROOT.'/core/class/html.formmail.class.php'; + include_once DOL_DOCUMENT_ROOT.'/core/class/CMailFile.class.php'; + $formmail=new FormMail($this->db); + + // Define output language + $outputlangs = $langs; + $newlang = ''; + if ($conf->global->MAIN_MULTILANGS && empty($newlang) && GETPOST('lang_id', 'aZ09')) $newlang = GETPOST('lang_id', 'aZ09'); + if (! empty($newlang)) { + $outputlangs = new Translate("", $conf); + $outputlangs->setDefaultLang($newlang); + $outputlangs->loadLangs(array('main','member','partnership')); + } + + $arraydefaultmessage=$formmail->getEMailTemplate($this->db, 'partnership_send', $user, $outputlangs, 0, 1, $labeltemplate); + + $substitutionarray=getCommonSubstitutionArray($outputlangs, 0, null, $object); + complete_substitutions_array($substitutionarray, $outputlangs, $object); + + $subject = make_substitutions($arraydefaultmessage->topic, $substitutionarray, $outputlangs); + $msg = make_substitutions($arraydefaultmessage->content, $substitutionarray, $outputlangs); + $from = dol_string_nospecial($conf->global->MAIN_INFO_SOCIETE_NOM, ' ', array(",")).' <'.$conf->global->MAIN_INFO_SOCIETE_MAIL.'>'; + + $to = $obj->email; + + $cmail = new CMailFile($subject, $to, $from, $msg, array(), array(), array(), '', '', 0, 1); + $result = $cmail->sendfile(); + if (! $result || $cmail->error) { + $erroremail .= ($erroremail ? ', ' : '').$cmail->error; + $this->errors[] = $cmail->error; + if (is_array($cmail->errors) && count($cmail->errors) > 0) $this->errors += $cmail->errors; + } + } + } elseif ($tmpcount > 4) { // Cancel Partnership + $object->status = $object::STATUS_CANCELED; + $object->reason_decline_or_cancel = $langs->trans('BacklinkNotFoundOnPartnerWebsite'); + } + + $object->count_last_url_check_error = $tmpcount; + } else { + $object->count_last_url_check_error = 0; + $object->reason_decline_or_cancel = ''; + } + + $partnershipsprocessed[$object->id]=$object->ref; + + $object->last_check_backlink = $this->db->idate($now); + + $object->update($user); + } + } + } else { + $error++; + $this->error = $this->db->lasterror(); + } + + if (! $error) { + $this->db->commit(); + $this->output = $numofexpiredmembers.' partnership checked'."\n"; + if ($erroremail) $this->output.='. Got errors when sending some email : '.$erroremail."\n"; + if ($emailnotfound) $this->output.='. Email not found for some partner : '.$emailnotfound."\n"; + if ($websitenotfound) $this->output.='. Website not found for some partner : '.$websitenotfound."\n"; + } else { + $this->db->rollback(); + $this->output = "Rollback after error\n"; + $this->output.= $numofexpiredmembers.' partnership checked'."\n"; + if ($erroremail) $this->output.='. Got errors when sending some email : '.$erroremail."\n"; + if ($emailnotfound) $this->output.='. Email not found for some partner : '.$emailnotfound."\n"; + if ($websitenotfound) $this->output.='. Website not found for some partner : '.$websitenotfound."\n"; + } + + return ($error ? 1: 0); + } + + /** + * Action to check if Dolibarr backlink not found on partner website + * + * CAN BE A CRON TASK + * @param $website Partner's website + * @return int 0 if KO, 1 if OK + */ + public function checkDolibarrBacklink($website = null) + { + global $conf, $langs, $user; + + $found = 0; + $error = 0; + $webcontent = ''; + + // $website = 'https://nextgestion.com/'; // For Test + $tmpgeturl = getURLContent($website); + if ($tmpgeturl['curl_error_no']) { + $error++; + dol_syslog('Error getting '.$website.': '.$tmpgeturl['curl_error_msg']); + } elseif ($tmpgeturl['http_code'] != '200') { + $error++; + dol_syslog('Error getting '.$website.': '.$tmpgeturl['curl_error_msg']); + } else { + $urlContent = $tmpgeturl['content']; + $dom = new DOMDocument(); + @$dom->loadHTML($urlContent); + + $xpath = new DOMXPath($dom); + $hrefs = $xpath->evaluate("//a"); + + for ($i = 0; $i < $hrefs->length; $i++) { + $href = $hrefs->item($i); + $url = $href->getAttribute('href'); + $url = filter_var($url, FILTER_SANITIZE_URL); + if (!filter_var($url, FILTER_VALIDATE_URL) === false) { + $webcontent .= $url; + } + } + } + + if ($webcontent && !empty($conf->global->PARTNERSHIP_BACKLINKS_TO_CHECK) && preg_match('/'.$conf->global->PARTNERSHIP_BACKLINKS_TO_CHECK.'/', $webcontent)) { + $found = 1; + } + + return $found; + } } diff --git a/htdocs/partnership/partnership_card.php b/htdocs/partnership/partnership_card.php index 5c2b46415b6..b31ced3556f 100644 --- a/htdocs/partnership/partnership_card.php +++ b/htdocs/partnership/partnership_card.php @@ -108,9 +108,7 @@ $search_array_options = $extrafields->getOptionalsFromPost($object->table_elemen // Initialize array of search criterias $search_all = GETPOST("search_all", 'alpha'); $search = array(); -if ($conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') - unset($object->fields['fk_soc']); -else unset($object->fields['fk_member']); + foreach ($object->fields as $key => $val) { if (GETPOST('search_'.$key, 'alpha')) { $search[$key] = GETPOST('search_'.$key, 'alpha'); @@ -125,21 +123,18 @@ if (empty($action) && empty($id) && empty($ref)) { include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Must be include, not include_once. -$permissiontoread = $user->rights->partnership->read; -$permissiontoadd = $user->rights->partnership->write; // Used by the include of actions_addupdatedelete.inc.php and actions_lineupdown.inc.php -$permissiontodelete = $user->rights->partnership->delete || ($permissiontoadd && isset($object->status) && $object->status == $object::STATUS_DRAFT); -$permissionnote = $user->rights->partnership->write; // Used by the include of actions_setnotes.inc.php -$permissiondellink = $user->rights->partnership->write; // Used by the include of actions_dellink.inc.php -$upload_dir = $conf->partnership->multidir_output[isset($object->entity) ? $object->entity : 1]; - -// Security check - Protection if external user -//if ($user->socid > 0) accessforbidden(); -//if ($user->socid > 0) $socid = $user->socid; -//$isdraft = (($object->status == $object::STATUS_DRAFT) ? 1 : 0); -//restrictedArea($user, $object->element, $object->id, '', '', 'fk_soc', 'rowid', $isdraft); -//if (empty($conf->partnership->enabled)) accessforbidden(); -//if (empty($permissiontoread)) accessforbidden(); +$permissiontoread = $user->rights->partnership->read; +$permissiontoadd = $user->rights->partnership->write; // Used by the include of actions_addupdatedelete.inc.php and actions_lineupdown.inc.php +$permissiontodelete = $user->rights->partnership->delete || ($permissiontoadd && isset($object->status) && $object->status == $object::STATUS_DRAFT); +$permissionnote = $user->rights->partnership->write; // Used by the include of actions_setnotes.inc.php +$permissiondellink = $user->rights->partnership->write; // Used by the include of actions_dellink.inc.php +$upload_dir = $conf->partnership->multidir_output[isset($object->entity) ? $object->entity : 1]; +$managedfor = $conf->global->PARTNERSHIP_IS_MANAGED_FOR; +if (empty($conf->partnership->enabled)) accessforbidden(); +if (empty($permissiontoread)) accessforbidden(); +if ($object->id > 0 && $object->fk_member > 0 && $managedfor != 'member') accessforbidden(); +if ($object->id > 0 && $object->fk_soc > 0 && $managedfor != 'thirdparty') accessforbidden(); /* * Actions @@ -166,6 +161,19 @@ if (empty($reshook)) { } } + $fk_partner = ($managedfor == 'member') ? GETPOST('fk_member', 'int') : GETPOST('fk_soc', 'int'); + $obj_partner = ($managedfor == 'member') ? $object->fk_member : $object->fk_soc; + + if ($action == 'add' || ($action == 'update' && $obj_partner != $fk_partner)) { + $fpartnership = new Partnership($db); + + $partnershipid = $fpartnership->fetch(0, "", $fk_partner); + if ($partnershipid > 0) { + setEventMessages($langs->trans('PartnershipAlreadyExist').' : '.$fpartnership->getNomUrl(0, '', 1), '', 'errors'); + $action = ($action == 'add') ? 'create' : 'edit'; + } + } + $triggermodname = 'PARTNERSHIP_MODIFY'; // Name of trigger action code to execute when we modify record // Actions cancel, add, update, update_extras, confirm_validate, confirm_delete, confirm_deleteline, confirm_clone, confirm_close, confirm_setdraft, confirm_reopen @@ -214,10 +222,12 @@ if (empty($reshook)) { if ($object->statut != $object::STATUS_REFUSED) { $db->begin(); - $result = $object->refused($user, GETPOST('reason_decline_or_cancel', 'alpha')); + $result = $object->refused($user, GETPOST('reason_decline_or_cancel', 'restricthtml')); if ($result < 0) { setEventMessages($object->error, $object->errors, 'errors'); $error++; + } else { + $object->reason_decline_or_cancel = GETPOST('reason_decline_or_cancel', 'restricthtml'); } if (!$error) { @@ -252,8 +262,14 @@ if (empty($reshook)) { $autocopy = 'MAIN_MAIL_AUTOCOPY_PARTNERSHIP_TO'; $trackid = 'partnership'.$object->id; include DOL_DOCUMENT_ROOT.'/core/actions_sendmails.inc.php'; + + if (!empty($id) && !empty(GETPOST('confirm'))) { + header("Location: ".$_SERVER['PHP_SELF']."?id=".$id); + exit; + } } +if ($object->id > 0 && $object->status == $object::STATUS_REFUSED) $object->fields['reason_decline_or_cancel']['visible'] = 3; @@ -392,7 +408,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea if ($action == 'close') { // Create an array for form $formquestion = array(); - $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ToClose'), $langs->trans('ConfirmCloseAsk', $object->ref), 'confirm_close', $formquestion, 'yes', 1); + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ToClose'), $langs->trans('ConfirmClosePartnershipAsk', $object->ref), 'confirm_close', $formquestion, 'yes', 1); } // Reopon confirmation if ($action == 'reopen') { @@ -405,7 +421,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea if ($action == 'refuse') { //Form to close proposal (signed or not) $formquestion = array( - array('type' => 'text', 'name' => 'reason_decline_or_cancel', 'label' => $langs->trans("Note"), 'morecss' => 'reason_decline_or_cancel', 'value' => '') // Field to complete private note (not replace) + array('type' => 'text', 'name' => 'reason_decline_or_cancel', 'label' => $langs->trans("Note"), 'morecss' => 'reason_decline_or_cancel minwidth400', 'value' => '') // Field to complete private note (not replace) ); // if (!empty($conf->notification->enabled)) { @@ -416,7 +432,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // )); // } - $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ReasonDecline'), $text, 'confirm_refuse', $formquestion, '', 1, 250); + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ToRefuse'), $text, 'confirm_refuse', $formquestion, '', 1, 250); } // Confirmation of action xxxx @@ -489,6 +505,8 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea }*/ $morehtmlref .= '
'; + if ($managedfor == 'member') $npfilter .= " AND te.fk_member > 0 "; else $npfilter .= " AND te.fk_soc > 0 "; + $object->next_prev_filter = $npfilter; dol_banner_tab($object, 'ref', $linkback, 1, 'ref', 'ref', $morehtmlref); @@ -504,6 +522,32 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea //unset($object->fields['fk_soc']); // Hide field already shown in banner include DOL_DOCUMENT_ROOT.'/core/tpl/commonfields_view.tpl.php'; + // End of subscription date + if ($managedfor == 'member') { + $fadherent = new Adherent($db); + $fadherent->fetch($object->fk_member); + print ''.$langs->trans("SubscriptionEndDate").''; + if ($fadherent->datefin) { + print dol_print_date($fadherent->datefin, 'day'); + if ($fadherent->hasDelay()) { + print " ".img_warning($langs->trans("Late")); + } + } else { + if (!$adht->subscription) { + print $langs->trans("SubscriptionNotRecorded"); + if ($fadherent->statut > 0) { + print " ".img_warning($langs->trans("Late")); // Display a delay picto only if it is not a draft and is not canceled + } + } else { + print $langs->trans("SubscriptionNotReceived"); + if ($fadherent->statut > 0) { + print " ".img_warning($langs->trans("Late")); // Display a delay picto only if it is not a draft and is not canceled + } + } + } + print ''; + } + // Other attributes. Fields from hook formObjectOptions and Extrafields. include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_view.tpl.php'; @@ -583,7 +627,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea } // Back to draft - if ($object->status == $object::STATUS_ACCEPTED) { + if ($object->status != $object::STATUS_DRAFT) { print dolGetButtonAction($langs->trans('SetToDraft'), '', 'default', $_SERVER["PHP_SELF"].'?id='.$object->id.'&action=confirm_setdraft&confirm=yes', '', $permissiontoadd); } @@ -600,23 +644,11 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea } } - // Clone - // print dolGetButtonAction($langs->trans('ToClone'), '', 'default', $_SERVER['PHP_SELF'].'?id='.$object->id.'&socid='.$object->socid.'&action=clone&object=scrumsprint', '', $permissiontoadd); - - - // if ($permissiontoadd) { - // if ($object->status == $object::STATUS_ENABLED) { - // print ''.$langs->trans("Disable").''."\n"; - // } else { - // print ''.$langs->trans("Enable").''."\n"; - // } - // } - // Cancel if ($permissiontoadd) { if ($object->status == $object::STATUS_ACCEPTED) { - print dolGetButtonAction($langs->trans('Cancel'), '', 'default', $_SERVER["PHP_SELF"].'?id='.$object->id.'&action=confirm_close&confirm=yes&token='.newToken(), '', $permissiontoadd); - } elseif ($object->status == $object::STATUS_CANCELED) { + print dolGetButtonAction($langs->trans('Cancel'), '', 'default', $_SERVER["PHP_SELF"].'?id='.$object->id.'&action=close&token='.newToken(), '', $permissiontoadd); + } elseif ($object->status > $object::STATUS_ACCEPTED) { // print ''.$langs->trans("Re-Open").''."\n"; print dolGetButtonAction($langs->trans('Re-Open'), '', 'default', $_SERVER["PHP_SELF"].'?id='.$object->id.'&action=confirm_reopen&confirm=yes&token='.newToken(), '', $permissiontoadd); } @@ -624,7 +656,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea // Refuse if ($permissiontoadd) { - if ($object->status != $object::STATUS_CANCELED) { + if ($object->status != $object::STATUS_CANCELED && $object->status != $object::STATUS_REFUSED) { print ''.$langs->trans("Refuse").''."\n"; } } @@ -685,7 +717,7 @@ if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'crea } // Presend form - $modelmail = 'partnership'; + $modelmail = 'partnership_send'; $defaulttopic = 'InformationMessage'; $diroutput = $conf->partnership->dir_output; $trackid = 'partnership'.$object->id; diff --git a/htdocs/partnership/partnership_list.php b/htdocs/partnership/partnership_list.php index d0a4738576d..1ae90d0d4cf 100644 --- a/htdocs/partnership/partnership_list.php +++ b/htdocs/partnership/partnership_list.php @@ -77,6 +77,7 @@ if (!$res) { require_once DOL_DOCUMENT_ROOT.'/core/class/html.formcompany.class.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/date.lib.php'; require_once DOL_DOCUMENT_ROOT.'/core/lib/company.lib.php'; +require_once DOL_DOCUMENT_ROOT.'/adherents/class/adherent.class.php'; // load partnership libraries require_once __DIR__.'/class/partnership.class.php'; @@ -85,7 +86,7 @@ require_once __DIR__.'/class/partnership.class.php'; //dol_include_once('/othermodule/class/otherobject.class.php'); // Load translation files required by the page -$langs->loadLangs(array("partnership", "other")); +$langs->loadLangs(array("partnership", "members", "other")); $action = GETPOST('action', 'aZ09') ?GETPOST('action', 'aZ09') : 'view'; // The action 'add', 'create', 'edit', 'update', 'view', ... $massaction = GETPOST('massaction', 'alpha'); // The bulk action (combo box choice into lists) @@ -112,8 +113,9 @@ $pageprev = $page - 1; $pagenext = $page + 1; // Initialize technical objects -$object = new Partnership($db); -$extrafields = new ExtraFields($db); +$object = new Partnership($db); +$extrafields = new ExtraFields($db); +$adherent = new Adherent($db); $diroutputmassaction = $conf->partnership->dir_output.'/temp/massgeneration/'.$user->id; $hookmanager->initHooks(array('partnershiplist')); // Note that conf->hooks_modules contains array @@ -123,9 +125,9 @@ $extrafields->fetch_name_optionals_label($object->table_element); $search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); -if ($conf->global->PARTNERSHIP_IS_MANAGED_FOR == 'member') - unset($object->fields['fk_soc']); -else unset($object->fields['fk_member']); +$managedfor = $conf->global->PARTNERSHIP_IS_MANAGED_FOR; + +if ($managedfor != 'member' && $sortfield == 'd.datefin') $sortfield = ''; // Default sort order (if not yet defined by previous GETPOST) if (!$sortfield) { @@ -148,6 +150,11 @@ foreach ($object->fields as $key => $val) { $search[$key.'_dtend'] = dol_mktime(23, 59, 59, GETPOST('search_'.$key.'_dtendmonth', 'int'), GETPOST('search_'.$key.'_dtendday', 'int'), GETPOST('search_'.$key.'_dtendyear', 'int')); } } +$search_filter = GETPOST("search_filter", 'alpha'); +$filter = GETPOST("filter", 'alpha'); +if ($filter) { + $search_filter = $filter; // For backward compatibility +} // List of fields to search into when doing a "search in all" $fieldstosearchall = array(); @@ -178,8 +185,8 @@ include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_array_fields.tpl.php'; $object->fields = dol_sort_array($object->fields, 'position'); $arrayfields = dol_sort_array($arrayfields, 'position'); -$permissiontoread = $user->rights->partnership->read; -$permissiontoadd = $user->rights->partnership->write; +$permissiontoread = $user->rights->partnership->read; +$permissiontoadd = $user->rights->partnership->write; $permissiontodelete = $user->rights->partnership->delete; // Security check @@ -229,6 +236,7 @@ if (empty($reshook)) { } $toselect = ''; $search_array_options = array(); + $search_filter = ""; } if (GETPOST('button_removefilter_x', 'alpha') || GETPOST('button_removefilter.x', 'alpha') || GETPOST('button_removefilter', 'alpha') || GETPOST('button_search_x', 'alpha') || GETPOST('button_search.x', 'alpha') || GETPOST('button_search', 'alpha')) { @@ -240,6 +248,38 @@ if (empty($reshook)) { $objectlabel = 'Partnership'; $uploaddir = $conf->partnership->dir_output; include DOL_DOCUMENT_ROOT.'/core/actions_massactions.inc.php'; + + // Cancel partnership + if ($massaction == 'cancel' && $permissiontoadd) { + $db->begin(); + + $objecttmp = new $objectclass($db); + $nbok = 0; + foreach ($toselect as $toselectid) { + $result = $objecttmp->fetch($toselectid); + if ($result > 0) { + $result = $objecttmp->cancel($user, 3); + if ($result <= 0) { + setEventMessages($objecttmp->error, $objecttmp->errors, 'errors'); + $error++; + break; + } else { + $nbok++; + } + } else { + setEventMessages($objecttmp->error, $objecttmp->errors, 'errors'); + $error++; + break; + } + } + + if (!$error) { + setEventMessages($langs->trans("RecordsModified", $nbok), null, 'mesgs'); + $db->commit(); + } else { + $db->rollback(); + } + } } @@ -263,10 +303,13 @@ $morecss = array(); // -------------------------------------------------------------------- $sql = 'SELECT '; $sql .= $object->getFieldList('t'); +if ($managedfor == 'member') { + $sql .= ', d.datefin, d.fk_adherent_type, dty.subscription'; +} // Add fields from extrafields if (!empty($extrafields->attributes[$object->table_element]['label'])) { foreach ($extrafields->attributes[$object->table_element]['label'] as $key => $val) { - $sql .= ($extrafields->attributes[$object->table_element]['type'][$key] != 'separate' ? ", ef.".$key.' as options_'.$key.', ' : ''); + $sql .= ($extrafields->attributes[$object->table_element]['type'][$key] != 'separate' ? ", ef.".$key.' as options_'.$key : ''); } } // Add fields from hooks @@ -278,6 +321,10 @@ $sql .= " FROM ".MAIN_DB_PREFIX.$object->table_element." as t"; if (is_array($extrafields->attributes[$object->table_element]['label']) && count($extrafields->attributes[$object->table_element]['label'])) { $sql .= " LEFT JOIN ".MAIN_DB_PREFIX.$object->table_element."_extrafields as ef on (t.rowid = ef.fk_object)"; } +if ($managedfor == 'member') { + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."adherent as d on (d.rowid = t.fk_member)"; + $sql .= " LEFT JOIN ".MAIN_DB_PREFIX."adherent_type as dty on (dty.rowid = d.fk_adherent_type)"; +} // Add table from hooks $parameters = array(); $reshook = $hookmanager->executeHooks('printFieldListFrom', $parameters, $object); // Note that $action and $object may have been modified by hook @@ -287,6 +334,9 @@ if ($object->ismultientitymanaged == 1) { } else { $sql .= " WHERE 1 = 1"; } +if ($managedfor == 'member') + $sql .= " AND fk_member > 0"; +else $sql .= " AND fk_soc > 0"; foreach ($search as $key => $val) { if (array_key_exists($key, $object->fields)) { if ($key == 'status' && $search[$key] == -1) { @@ -316,6 +366,17 @@ foreach ($search as $key => $val) { } } } +if ($managedfor == 'member') { + if ($search_filter == 'withoutsubscription') { + $sql .= " AND (d.datefin IS NULL OR dty.subscription = 0)"; + } + if ($search_filter == 'uptodate') { + $sql .= " AND (d.datefin >= '".$db->idate($now)."' OR dty.subscription = 0)"; + } + if ($search_filter == 'outofdate') { + $sql .= " AND (d.datefin < '".$db->idate($now)."' AND dty.subscription = 1)"; + } +} if ($search_all) { $sql .= natural_search(array_keys($fieldstosearchall), $search_all); } @@ -422,6 +483,9 @@ foreach ($search as $key => $val) { if ($optioncss != '') { $param .= '&optioncss='.urlencode($optioncss); } +if ($search_filter && $search_filter != '-1') { + $param .= "&search_filter=".urlencode($search_filter); +} // Add $param from extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_param.tpl.php'; // Add $param from hooks @@ -431,10 +495,10 @@ $param .= $hookmanager->resPrint; // List of mass actions available $arrayofmassactions = array( - 'cancel'=>img_picto('', 'close_title', 'class="pictofixedwidth"').$langs->trans("Cancel"), - //'generate_doc'=>img_picto('', 'pdf', 'class="pictofixedwidth"').$langs->trans("ReGeneratePDF"), - //'builddoc'=>img_picto('', 'pdf', 'class="pictofixedwidth"').$langs->trans("PDFMerge"), - 'presend'=>img_picto('', 'email', 'class="pictofixedwidth"').$langs->trans("SendByMail"), +'cancel'=>img_picto('', 'close_title', 'class="pictofixedwidth"').$langs->trans("Cancel"), + //'generate_doc'=>img_picto('', 'pdf').$langs->trans("ReGeneratePDF"), + //'builddoc'=>img_picto('', 'pdf').$langs->trans("PDFMerge"), + 'presend'=>img_picto('', 'email', 'class="pictofixedwidth"').$langs->trans("SendMail"), ); if ($permissiontodelete) { $arrayofmassactions['predelete'] = img_picto('', 'delete', 'class="pictofixedwidth"').$langs->trans("Delete"); @@ -461,9 +525,9 @@ print_barre_liste($title, $page, $_SERVER["PHP_SELF"], $param, $sortfield, $sort // Add code for pre mass action (confirmation or email presend form) $topicmail = "SendPartnershipRef"; -$modelmail = "partnership"; +$modelmail = "partnership_send"; $objecttmp = new Partnership($db); -$trackid = 'xxxx'.$object->id; +$trackid = 'partnership'.$object->id; include DOL_DOCUMENT_ROOT.'/core/tpl/massactions_pre.tpl.php'; if ($search_all) { @@ -500,6 +564,11 @@ print '
'; // You can use div-table-responsive- print ''."\n"; +if ($managedfor == 'member') { + $arrayfields['t.fk_member']['checked'] = 1; +} else { + $arrayfields['t.fk_soc']['checked'] = 1; +} // Fields title search // -------------------------------------------------------------------- print ''; @@ -533,6 +602,13 @@ foreach ($object->fields as $key => $val) { print ''; } } +// End of subscription date +if ($managedfor == 'member') { + print ''; +} // Extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_input.tpl.php'; @@ -566,6 +642,12 @@ foreach ($object->fields as $key => $val) { print getTitleFieldOfList($arrayfields['t.'.$key]['label'], 0, $_SERVER['PHP_SELF'], 't.'.$key, '', $param, ($cssforfield ? 'class="'.$cssforfield.'"' : ''), $sortfield, $sortorder, ($cssforfield ? $cssforfield.' ' : ''))."\n"; } } +// End of subscription date +if ($managedfor == 'member') { + $key = 'datefin'; + $cssforfield = 'center'; + print getTitleFieldOfList('SubscriptionEndDate', 0, $_SERVER['PHP_SELF'], 'd.'.$key, '', $param, ($cssforfield ? 'class="'.$cssforfield.'"' : ''), $sortfield, $sortorder, ($cssforfield ? $cssforfield.' ' : ''))."\n"; +} // Extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_title.tpl.php'; // Hook fields @@ -641,6 +723,31 @@ while ($i < ($limit ? min($num, $limit) : $num)) { } } } + // End of subscription date + if ($managedfor == 'member') { + print ''; + } // Extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_print_fields.tpl.php'; // Fields from hook @@ -665,6 +772,7 @@ while ($i < ($limit ? min($num, $limit) : $num)) { $i++; } +if ($managedfor != 'member') $totalarray['nbfield']++; // End of subscription date // Show total line include DOL_DOCUMENT_ROOT.'/core/tpl/list_print_total.tpl.php'; @@ -677,6 +785,7 @@ if ($num == 0) { $colspan++; } } + if ($managedfor != 'member') $colspan++; // End of subscription date print ''; } diff --git a/htdocs/product/class/api_products.class.php b/htdocs/product/class/api_products.class.php index fbbf17628ba..fc89787deda 100644 --- a/htdocs/product/class/api_products.class.php +++ b/htdocs/product/class/api_products.class.php @@ -167,9 +167,10 @@ class Products extends DolibarrApi * @param string $sqlfilters Other criteria to filter answers separated by a comma. Syntax example "(t.tobuy:=:0) and (t.tosell:=:1)" * @param bool $ids_only Return only IDs of product instead of all properties (faster, above all if list is long) * @param int $variant_filter Use this param to filter list (0 = all, 1=products without variants, 2=parent of variants, 3=variants only) + * @param bool $pagination_data If this parameter is set to true the response will include pagination data. Default value is false. Page starts from 0 * @return array Array of product objects */ - public function index($sortfield = "t.ref", $sortorder = 'ASC', $limit = 100, $page = 0, $mode = 0, $category = 0, $sqlfilters = '', $ids_only = false, $variant_filter = 0) + public function index($sortfield = "t.ref", $sortorder = 'ASC', $limit = 100, $page = 0, $mode = 0, $category = 0, $sqlfilters = '', $ids_only = false, $variant_filter = 0, $pagination_data = false) { global $db, $conf; @@ -221,6 +222,9 @@ class Products extends DolibarrApi $sql .= " AND (".preg_replace_callback('/'.$regexstring.'/', 'DolibarrApi::_forge_criteria_callback', $sqlfilters).")"; } + //this query will return total products with the filters given + $sqlTotals = str_replace('SELECT t.rowid, t.ref, t.ref_ext', 'SELECT count(t.rowid) as total', $sql); + $sql .= $this->db->order($sortfield, $sortorder); if ($limit) { if ($page < 0) { @@ -254,6 +258,24 @@ class Products extends DolibarrApi if (!count($obj_ret)) { throw new RestException(404, 'No product found'); } + + //if $pagination_data is true the response will contain element data with all values and element pagination with pagination data(total,page,limit) + if ($pagination_data) { + $totalsResult = $this->db->query($sqlTotals); + $total = $this->db->fetch_object($totalsResult)->total; + + $tmp = $obj_ret; + $obj_ret = []; + + $obj_ret['data'] = $tmp; + $obj_ret['pagination'] = [ + 'total' => (int) $total, + 'page' => $page, //count starts from 0 + 'page_count' => ceil((int) $total/$limit), + 'limit' => $limit + ]; + } + return $obj_ret; } diff --git a/htdocs/public/payment/paymentok.php b/htdocs/public/payment/paymentok.php index 520a4053000..ffc30467fd1 100644 --- a/htdocs/public/payment/paymentok.php +++ b/htdocs/public/payment/paymentok.php @@ -630,6 +630,26 @@ if ($ispaymentok) { } $substitutionarray = getCommonSubstitutionArray($outputlangs, 0, null, $object); + + // Create external user + if (!empty($conf->global->ADHERENT_CREATE_EXTERNAL_USER_LOGIN)) { + $infouserlogin = ''; + $nuser = new User($db); + $tmpuser = dol_clone($object); + + $result = $nuser->create_from_member($tmpuser, $object->login); + $newpassword = $nuser->setPassword($user, ''); + + if ($result < 0) { + $outputlangs->load("errors"); + $postactionmessages[] = 'Error in create external user : '.$nuser->error; + } else { + $infouserlogin = $outputlangs->trans("Login").': '.$nuser->login.' '."\n".$outputlangs->trans("Password").': '.$newpassword; + $postactionmessages[] = $langs->trans("NewUserCreated", $nuser->login); + } + $substitutionarray['__MEMBER_USER_LOGIN_INFORMATION__'] = $infouserlogin; + } + complete_substitutions_array($substitutionarray, $outputlangs, $object); $subjecttosend = make_substitutions($subject, $substitutionarray, $outputlangs); $texttosend = make_substitutions(dol_concatdesc($msg, $adht->getMailOnSubscription()), $substitutionarray, $outputlangs); diff --git a/htdocs/societe/class/societe.class.php b/htdocs/societe/class/societe.class.php index 46b80e7f77e..defcc71a3e5 100644 --- a/htdocs/societe/class/societe.class.php +++ b/htdocs/societe/class/societe.class.php @@ -4396,12 +4396,8 @@ class Societe extends CommonObject $alreadypayed=price2num($paiement + $creditnotes + $deposits,'MT'); $remaintopay=price2num($invoice->total_ttc - $paiement - $creditnotes - $deposits,'MT'); */ - if ($mode == 'supplier') { - $sql = "SELECT rowid, total_ht as total_ht, total_ttc, paye, type, fk_statut as status, close_code FROM ".MAIN_DB_PREFIX.$table." as f"; - } else { - $sql = "SELECT rowid, total as total_ht, total_ttc, paye, fk_statut as status, close_code FROM ".MAIN_DB_PREFIX.$table." as f"; - } - $sql .= " WHERE fk_soc = ".$this->id; + $sql = "SELECT rowid, total_ht, total_ttc, paye, type, fk_statut as status, close_code FROM ".MAIN_DB_PREFIX.$table." as f"; + $sql .= " WHERE fk_soc = ".((int) $this->id); if (!empty($late)) { $sql .= " AND date_lim_reglement < '".$this->db->idate(dol_now())."'"; } @@ -4453,6 +4449,7 @@ class Societe extends CommonObject } return array('opened'=>$outstandingOpened, 'total_ht'=>$outstandingTotal, 'total_ttc'=>$outstandingTotalIncTax); // 'opened' is 'incl taxes' } else { + dol_syslog("Sql error ".$this->db->lasterror, LOG_ERR); return array(); } } diff --git a/htdocs/societe/partnership.php b/htdocs/societe/partnership.php new file mode 100644 index 00000000000..0a5205799a9 --- /dev/null +++ b/htdocs/societe/partnership.php @@ -0,0 +1,552 @@ + + * Copyright (C) 2021 NextGestion + * + * This program is free software; you can redistribute it and/or modify + * it under the terms of the GNU General Public License as published by + * the Free Software Foundation; either version 3 of the License, or + * (at your option) any later version. + * + * This program is distributed in the hope that it will be useful, + * but WITHOUT ANY WARRANTY; without even the implied warranty of + * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the + * GNU General Public License for more details. + * + * You should have received a copy of the GNU General Public License + * along with this program. If not, see . + */ + +/** + * \file partnership_card.php + * \ingroup partnership + * \brief Page to create/edit/view partnership + */ + +//if (! defined('NOREQUIREDB')) define('NOREQUIREDB', '1'); // Do not create database handler $db +//if (! defined('NOREQUIREUSER')) define('NOREQUIREUSER', '1'); // Do not load object $user +//if (! defined('NOREQUIRESOC')) define('NOREQUIRESOC', '1'); // Do not load object $mysoc +//if (! defined('NOREQUIRETRAN')) define('NOREQUIRETRAN', '1'); // Do not load object $langs +//if (! defined('NOSCANGETFORINJECTION')) define('NOSCANGETFORINJECTION', '1'); // Do not check injection attack on GET parameters +//if (! defined('NOSCANPOSTFORINJECTION')) define('NOSCANPOSTFORINJECTION', '1'); // Do not check injection attack on POST parameters +//if (! defined('NOCSRFCHECK')) define('NOCSRFCHECK', '1'); // Do not check CSRF attack (test on referer + on token if option MAIN_SECURITY_CSRF_WITH_TOKEN is on). +//if (! defined('NOTOKENRENEWAL')) define('NOTOKENRENEWAL', '1'); // Do not roll the Anti CSRF token (used if MAIN_SECURITY_CSRF_WITH_TOKEN is on) +//if (! defined('NOSTYLECHECK')) define('NOSTYLECHECK', '1'); // Do not check style html tag into posted data +//if (! defined('NOREQUIREMENU')) define('NOREQUIREMENU', '1'); // If there is no need to load and show top and left menu +//if (! defined('NOREQUIREHTML')) define('NOREQUIREHTML', '1'); // If we don't need to load the html.form.class.php +//if (! defined('NOREQUIREAJAX')) define('NOREQUIREAJAX', '1'); // Do not load ajax.lib.php library +//if (! defined("NOLOGIN")) define("NOLOGIN", '1'); // If this page is public (can be called outside logged session). This include the NOIPCHECK too. +//if (! defined('NOIPCHECK')) define('NOIPCHECK', '1'); // Do not check IP defined into conf $dolibarr_main_restrict_ip +//if (! defined("MAIN_LANG_DEFAULT")) define('MAIN_LANG_DEFAULT', 'auto'); // Force lang to a particular value +//if (! defined("MAIN_AUTHENTICATION_MODE")) define('MAIN_AUTHENTICATION_MODE', 'aloginmodule'); // Force authentication handler +//if (! defined("NOREDIRECTBYMAINTOLOGIN")) define('NOREDIRECTBYMAINTOLOGIN', 1); // The main.inc.php does not make a redirect if not logged, instead show simple error message +//if (! defined("FORCECSP")) define('FORCECSP', 'none'); // Disable all Content Security Policies +//if (! defined('CSRFCHECK_WITH_TOKEN')) define('CSRFCHECK_WITH_TOKEN', '1'); // Force use of CSRF protection with tokens even for GET +//if (! defined('NOBROWSERNOTIF')) define('NOBROWSERNOTIF', '1'); // Disable browser notification + +// Load Dolibarr environment +$res = 0; +// Try main.inc.php into web root known defined into CONTEXT_DOCUMENT_ROOT (not always defined) +if (!$res && !empty($_SERVER["CONTEXT_DOCUMENT_ROOT"])) { + $res = @include $_SERVER["CONTEXT_DOCUMENT_ROOT"]."/main.inc.php"; +} +// Try main.inc.php into web root detected using web root calculated from SCRIPT_FILENAME +$tmp = empty($_SERVER['SCRIPT_FILENAME']) ? '' : $_SERVER['SCRIPT_FILENAME']; $tmp2 = realpath(__FILE__); $i = strlen($tmp) - 1; $j = strlen($tmp2) - 1; +while ($i > 0 && $j > 0 && isset($tmp[$i]) && isset($tmp2[$j]) && $tmp[$i] == $tmp2[$j]) { + $i--; $j--; +} +if (!$res && $i > 0 && file_exists(substr($tmp, 0, ($i + 1))."/main.inc.php")) { + $res = @include substr($tmp, 0, ($i + 1))."/main.inc.php"; +} +if (!$res && $i > 0 && file_exists(dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php")) { + $res = @include dirname(substr($tmp, 0, ($i + 1)))."/main.inc.php"; +} +// Try main.inc.php using relative path +if (!$res && file_exists("../main.inc.php")) { + $res = @include "../main.inc.php"; +} +if (!$res && file_exists("../../main.inc.php")) { + $res = @include "../../main.inc.php"; +} +if (!$res && file_exists("../../../main.inc.php")) { + $res = @include "../../../main.inc.php"; +} +if (!$res) { + die("Include of main fails"); +} + +require_once DOL_DOCUMENT_ROOT.'/core/class/html.formcompany.class.php'; +require_once DOL_DOCUMENT_ROOT.'/core/class/html.formfile.class.php'; +require_once DOL_DOCUMENT_ROOT.'/core/class/html.formprojet.class.php'; +require_once DOL_DOCUMENT_ROOT.'/core/lib/company.lib.php'; +dol_include_once('/partnership/class/partnership.class.php'); +dol_include_once('/partnership/lib/partnership.lib.php'); + +// Load translation files required by the page +$langs->loadLangs(array("companies","partnership", "other")); + +// Get parameters +$id = GETPOST('id', 'int'); +$ref = GETPOST('ref', 'alpha'); +$action = GETPOST('action', 'aZ09'); +$confirm = GETPOST('confirm', 'alpha'); +$cancel = GETPOST('cancel', 'aZ09'); +$contextpage = GETPOST('contextpage', 'aZ') ? GETPOST('contextpage', 'aZ') : 'partnershipcard'; // To manage different context of search +$backtopage = GETPOST('backtopage', 'alpha'); +$backtopageforcancel = GETPOST('backtopageforcancel', 'alpha'); +//$lineid = GETPOST('lineid', 'int'); + +// Security check +$socid = GETPOST('socid', 'int'); +if (!empty($user->socid)) { + $socid = $user->socid; +} + +$societe = new Societe($db); +if ($socid > 0) { + $societe->fetch($socid); +} + +// Initialize technical objects +$object = new Partnership($db); +$extrafields = new ExtraFields($db); +$diroutputmassaction = $conf->partnership->dir_output.'/temp/massgeneration/'.$user->id; +$hookmanager->initHooks(array('partnershipthirdparty', 'globalcard')); // Note that conf->hooks_modules contains array + +// Fetch optionals attributes and labels +$extrafields->fetch_name_optionals_label($object->table_element); + +$search_array_options = $extrafields->getOptionalsFromPost($object->table_element, '', 'search_'); + +// Initialize array of search criterias +$search_all = GETPOST("search_all", 'alpha'); +$search = array(); + +foreach ($object->fields as $key => $val) { + if (GETPOST('search_'.$key, 'alpha')) { + $search[$key] = GETPOST('search_'.$key, 'alpha'); + } +} + +// Load object +include DOL_DOCUMENT_ROOT.'/core/actions_fetchobject.inc.php'; // Must be include, not include_once. + +$permissiontoread = $user->rights->partnership->read; +$permissiontoadd = $user->rights->partnership->write; // Used by the include of actions_addupdatedelete.inc.php and actions_lineupdown.inc.php +$permissiontodelete = $user->rights->partnership->delete || ($permissiontoadd && isset($object->status) && $object->status == $object::STATUS_DRAFT); +$permissionnote = $user->rights->partnership->write; // Used by the include of actions_setnotes.inc.php +$permissiondellink = $user->rights->partnership->write; // Used by the include of actions_dellink.inc.php +$usercanclose = $user->rights->partnership->write; // Used by the include of actions_addupdatedelete.inc.php and actions_lineupdown.inc.php +$upload_dir = $conf->partnership->multidir_output[isset($object->entity) ? $object->entity : 1]; + + +if ($conf->global->PARTNERSHIP_IS_MANAGED_FOR != 'thirdparty') accessforbidden(); +if (empty($conf->partnership->enabled)) accessforbidden(); +if (empty($permissiontoread)) accessforbidden(); +if ($action == 'edit' && empty($permissiontoadd)) accessforbidden(); + +$partnershipid = $object->fetch(0, "", $socid); +if (empty($action) && empty($partnershipid)) { + $action = 'create'; +} +if (($action == 'update' || $action == 'edit') && $object->status != $object::STATUS_DRAFT && !empty($user->socid)) accessforbidden(); + +if (empty($socid) && $object) { + $socid = $object->fk_soc; +} +/* + * Actions + */ + +$parameters = array(); +$reshook = $hookmanager->executeHooks('doActions', $parameters, $object, $action); // Note that $action and $object may have been modified by some hooks +if ($reshook < 0) { + setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); +} + +$date_start = dol_mktime(0, 0, 0, GETPOST('date_partnership_startmonth', 'int'), GETPOST('date_partnership_startday', 'int'), GETPOST('date_partnership_startyear', 'int')); +$date_end = dol_mktime(0, 0, 0, GETPOST('date_partnership_endmonth', 'int'), GETPOST('date_partnership_endday', 'int'), GETPOST('date_partnership_endyear', 'int')); + +if (empty($reshook)) { + $error = 0; + + $backtopage = dol_buildpath('/partnership/partnership.php', 1).'?socid='.($socid > 0 ? $socid : '__ID__'); + + $triggermodname = 'PARTNERSHIP_MODIFY'; // Name of trigger action code to execute when we modify record + + if ($action == 'add' && $permissiontoread) { + $error = 0; + + $db->begin(); + + $now = dol_now(); + + if (!$error) { + $old_start_date = $object->date_partnership_start; + + $object->fk_soc = $socid; + $object->date_partnership_start = (!GETPOST('date_partnership_start')) ? '' : $date_start; + $object->date_partnership_end = (!GETPOST('date_partnership_end')) ? '' : $date_end; + $object->note_public = GETPOST('note_public', 'restricthtml'); + $object->date_creation = $now; + $object->fk_user_creat = $user->id; + $object->entity = $conf->entity; + + // Fill array 'array_options' with data from add form + $ret = $extrafields->setOptionalsFromPost(null, $object); + if ($ret < 0) { + $error++; + } + } + + if (!$error) { + $result = $object->create($user); + if ($result < 0) { + $error++; + if ($result == -4) { + setEventMessages($langs->trans("ErrorRefAlreadyExists"), null, 'errors'); + } else { + setEventMessages($object->error, $object->errors, 'errors'); + } + } + } + + if ($error) { + $db->rollback(); + $action = 'create'; + } else { + $db->commit(); + } + } elseif ($action == 'update' && $permissiontoread) { + $error = 0; + + $db->begin(); + + $now = dol_now(); + + if (!$error) { + $object->oldcopy = clone $object; + + $old_start_date = $object->date_partnership_start; + + $object->date_partnership_start = (!GETPOST('date_partnership_start')) ? '' : $date_start; + $object->date_partnership_end = (!GETPOST('date_partnership_end')) ? '' : $date_end; + $object->note_public = GETPOST('note_public', 'restricthtml'); + $object->fk_user_creat = $user->id; + $object->fk_user_modif = $user->id; + + // Fill array 'array_options' with data from add form + $ret = $extrafields->setOptionalsFromPost(null, $object); + if ($ret < 0) { + $error++; + } + } + + if (!$error) { + $result = $object->update($user); + if ($result < 0) { + $error++; + if ($result == -4) { + setEventMessages($langs->trans("ErrorRefAlreadyExists"), null, 'errors'); + } else { + setEventMessages($object->error, $object->errors, 'errors'); + } + } + } + + if ($error) { + $db->rollback(); + $action = 'edit'; + } else { + $db->commit(); + } + } elseif ($action == 'confirm_close' || $action == 'update_extras') { + include DOL_DOCUMENT_ROOT.'/core/actions_addupdatedelete.inc.php'; + + header("Location: ".$_SERVER['PHP_SELF']."?socid=".$socid); + exit; + } + + // Actions when linking object each other + include DOL_DOCUMENT_ROOT.'/core/actions_dellink.inc.php'; +} + +$object->fields['fk_soc']['visible'] = 0; +if ($object->id > 0 && $object->status == $object::STATUS_REFUSED && empty($action)) $object->fields['reason_decline_or_cancel']['visible'] = 1; +$object->fields['note_public']['visible'] = 1; + +/* + * View + * + * Put here all code to build page + */ + +$form = new Form($db); +$formfile = new FormFile($db); + +$title = $langs->trans("Partnership"); +llxHeader('', $title); + +$form = new Form($db); + +if ($socid) { + require_once DOL_DOCUMENT_ROOT.'/core/lib/company.lib.php'; + require_once DOL_DOCUMENT_ROOT.'/societe/class/societe.class.php'; + + $langs->load("companies"); + + $societe = new Societe($db); + $result = $societe->fetch($socid); + + if (!empty($conf->notification->enabled)) { + $langs->load("mails"); + } + $head = societe_prepare_head($societe); + + print dol_get_fiche_head($head, 'partnership', $langs->trans("ThirdParty"), -1, 'company'); + + $linkback = ''.$langs->trans("BackToList").''; + + dol_banner_tab($societe, 'socid', $linkback, ($user->socid ? 0 : 1), 'rowid', 'nom'); + + print '
'; + + print '
'; + print '
'; + $selectarray = array('-1'=>'', 'withoutsubscription'=>$langs->trans("WithoutSubscription"), 'uptodate'=>$langs->trans("UpToDate"), 'outofdate'=>$langs->trans("OutOfDate")); + print $form->selectarray('search_filter', $selectarray, $search_filter); + print ''; + $result = $adherent->fetch($object->fk_member); + if ($result) { + $datefin = $adherent->datefin; + if ($datefin) { + print dol_print_date($datefin, 'day'); + if ($adherent->hasDelay()) { + $textlate .= ' ('.$langs->trans("DateReference").' > '.$langs->trans("DateToday").' '.(ceil($conf->adherent->subscription->warning_delay / 60 / 60 / 24) >= 0 ? '+' : '').ceil($conf->adherent->subscription->warning_delay / 60 / 60 / 24).' '.$langs->trans("days").')'; + print " ".img_warning($langs->trans("SubscriptionLate").$textlate); + } + } else { + if ($adherent->subscription == 'yes') { + print $langs->trans("SubscriptionNotReceived"); + if ($adherent->statut > 0) { + print " ".img_warning(); + } + } else { + print ' '; + } + } + } + print '
'.$langs->trans("NoRecordFound").'
'; + + if (!empty($conf->global->SOCIETE_USEPREFIX)) { // Old not used prefix field + print ''; + } + + if ($societe->client) { + print ''; + } + + if ($societe->fournisseur) { + print ''; + } + + print '
'.$langs->trans('Prefix').''.$societe->prefix_comm.'
'; + print $langs->trans('CustomerCode').''; + print showValueWithClipboardCPButton(dol_escape_htmltag($societe->code_client)); + $tmpcheck = $societe->check_codeclient(); + if ($tmpcheck != 0 && $tmpcheck != -5) { + print ' ('.$langs->trans("WrongCustomerCode").')'; + } + print '
'; + print $langs->trans('SupplierCode').''; + print showValueWithClipboardCPButton(dol_escape_htmltag($societe->code_fournisseur)); + $tmpcheck = $societe->check_codefournisseur(); + if ($tmpcheck != 0 && $tmpcheck != -5) { + print ' ('.$langs->trans("WrongSupplierCode").')'; + } + print '
'; + + print '
'; + + print dol_get_fiche_end(); + + $params = ''; + + print '
'; +} else { + dol_print_error('', 'Parameter socid not defined'); +} + +// Part to create +if ($action == 'create') { + print load_fiche_titre($langs->trans("NewObject", $langs->transnoentitiesnoconv("Partnership")), '', ''); + + $backtopageforcancel = DOL_URL_ROOT.'/partnership/partnership.php?socid='.$socid; + + print '
'; + print ''; + print ''; + print ''; + print ''; + + if ($backtopage) { + print ''; + } + if ($backtopageforcancel) { + print ''; + } + + print dol_get_fiche_head(array(), ''); + + print ''."\n"; + + // Common attributes + include DOL_DOCUMENT_ROOT.'/core/tpl/commonfields_add.tpl.php'; + + // Other attributes + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_add.tpl.php'; + + print '
'."\n"; + + print dol_get_fiche_end(); + + print '
'; + print ''; + print '  '; + // print ''; // Cancel for create does not post form if we don't know the backtopage + print '
'; + + print '
'; +} + +// Part to edit record +if (($partnershipid || $ref) && $action == 'edit') { + print load_fiche_titre($langs->trans("Partnership"), '', ''); + + $backtopageforcancel = DOL_URL_ROOT.'/partnership/partnership.php?socid='.$socid; + + print '
'; + print ''; + print ''; + print ''; + print ''; + if ($backtopage) { + print ''; + } + if ($backtopageforcancel) { + print ''; + } + + print dol_get_fiche_head(); + + print ''."\n"; + + // Common attributes + include DOL_DOCUMENT_ROOT.'/core/tpl/commonfields_edit.tpl.php'; + + // Other attributes + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_edit.tpl.php'; + + print '
'; + + print dol_get_fiche_end(); + + print '
'; + print '   '; + print '
'; + + print '
'; +} + +// Part to show record +if ($object->id > 0 && (empty($action) || ($action != 'edit' && $action != 'create'))) { + print load_fiche_titre($langs->trans("PartnershipDedicatedToThisThirdParty", $langs->transnoentitiesnoconv("Partnership")), '', ''); + + $res = $object->fetch_optionals(); + + // $head = partnershipPrepareHead($object); + // print dol_get_fiche_head($head, 'card', $langs->trans("Partnership"), -1, $object->picto); + + $linkback = ''; + dol_banner_tab($object, 'id', $linkback, 0, 'rowid', 'ref'); + + $formconfirm = ''; + + // Close confirmation + if ($action == 'close') { + // Create an array for form + $formquestion = array(); + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ToClose'), $langs->trans('ConfirmClosePartnershipAsk', $object->ref), 'confirm_close', $formquestion, 'yes', 1); + } + // Reopon confirmation + if ($action == 'reopen') { + // Create an array for form + $formquestion = array(); + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ToReopon'), $langs->trans('ConfirmReoponAsk', $object->ref), 'confirm_reopen', $formquestion, 'yes', 1); + } + + // Refuse confirmatio + if ($action == 'refuse') { + //Form to close proposal (signed or not) + $formquestion = array( + array('type' => 'text', 'name' => 'reason_decline_or_cancel', 'label' => $langs->trans("Note"), 'morecss' => 'reason_decline_or_cancel', 'value' => '') // Field to complete private note (not replace) + ); + + // if (!empty($conf->notification->enabled)) { + // require_once DOL_DOCUMENT_ROOT.'/core/class/notify.class.php'; + // $notify = new Notify($db); + // $formquestion = array_merge($formquestion, array( + // array('type' => 'onecolumn', 'value' => $notify->confirmMessage('PROPAL_CLOSE_SIGNED', $object->socid, $object)), + // )); + // } + + $formconfirm = $form->formconfirm($_SERVER["PHP_SELF"].'?id='.$object->id, $langs->trans('ReasonDecline'), $text, 'confirm_refuse', $formquestion, '', 1, 250); + } + + // Call Hook formConfirm + $parameters = array('formConfirm' => $formconfirm, 'lineid' => $lineid); + $reshook = $hookmanager->executeHooks('formConfirm', $parameters, $object, $action); // Note that $action and $object may have been modified by hook + if (empty($reshook)) { + $formconfirm .= $hookmanager->resPrint; + } elseif ($reshook > 0) { + $formconfirm = $hookmanager->resPrint; + } + + // Print form confirm + print $formconfirm; + + + // Object card + // ------------------------------------------------------------ + $linkback = ''.$langs->trans("BackToList").''; + + print '
'; + print '
'; + print '
'; + print ''."\n"; + + // Common attributes + //$keyforbreak='fieldkeytoswitchonsecondcolumn'; // We change column just before this field + //unset($object->fields['fk_project']); // Hide field already shown in banner + //unset($object->fields['fk_soc']); // Hide field already shown in banner + include DOL_DOCUMENT_ROOT.'/core/tpl/commonfields_view.tpl.php'; + + // Other attributes. Fields from hook formObjectOptions and Extrafields. + include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_view.tpl.php'; + + print '
'; + print '
'; + + print '
'; + + print dol_get_fiche_end(); + + // Buttons for actions + + if ($action != 'presend') { + print '
'."\n"; + $parameters = array(); + $reshook = $hookmanager->executeHooks('addMoreActionsButtons', $parameters, $object, $action); // Note that $action and $object may have been modified by hook + if ($reshook < 0) { + setEventMessages($hookmanager->error, $hookmanager->errors, 'errors'); + } + + if (empty($reshook)) { + if ($object->status == $object::STATUS_DRAFT) { + print dolGetButtonAction($langs->trans('Modify'), '', 'default', $_SERVER["PHP_SELF"].'?socid='.$socid.'&action=edit', '', $permissiontoadd); + } + + // Show + if ($permissiontoadd) { + print dolGetButtonAction($langs->trans('ShowPartnership'), '', 'default', dol_buildpath('/partnership/partnership_card.php', 1).'?id='.$object->id, '', $permissiontoadd); + } + + // Cancel + if ($permissiontoadd) { + if ($object->status == $object::STATUS_ACCEPTED) { + print dolGetButtonAction($langs->trans('Cancel'), '', 'default', $_SERVER["PHP_SELF"].'?id='.$object->id.'&action=close&token='.newToken(), '', $permissiontoadd); + } + } + } + print '
'."\n"; + } +} + +// End of page +llxFooter(); +$db->close(); diff --git a/htdocs/theme/eldy/global.inc.php b/htdocs/theme/eldy/global.inc.php index a60e81c6cf3..01ed6b127dd 100644 --- a/htdocs/theme/eldy/global.inc.php +++ b/htdocs/theme/eldy/global.inc.php @@ -3217,6 +3217,8 @@ tr.nocellnopadd td.nobordernopadding, tr.nocellnopadd td.nocellnopadd .smallpaddingimp { padding: 4px !important; + padding-left: 7px !important; + padding-right: 7px !important; } input.button[name="upload"] { padding: 4px !important; diff --git a/htdocs/user/list.php b/htdocs/user/list.php index fe05c551945..afe08969e45 100644 --- a/htdocs/user/list.php +++ b/htdocs/user/list.php @@ -181,8 +181,15 @@ if (!empty($conf->global->MAIN_USE_ADVANCED_PERMS)) { $error = 0; -if (!$user->rights->user->user->lire && !$user->admin) { - accessforbidden(); +// Permission to list +if ($mode == 'employee') { + if (empty($user->rights->salaries->read)) { + accessforbidden(); + } +} else { + if (!$user->rights->user->user->lire && !$user->admin) { + accessforbidden(); + } } $childids = $user->getAllChildIds(1); @@ -405,13 +412,13 @@ if ($catid == -2) { $sql .= " AND cu.fk_categorie IS NULL"; } if ($search_categ > 0) { - $sql .= " AND cu.fk_categorie = ".$db->escape($search_categ); + $sql .= " AND cu.fk_categorie = ".((int) $search_categ); } if ($search_categ == -2) { $sql .= " AND cu.fk_categorie IS NULL"; } if ($mode == 'employee' && empty($user->rights->salaries->readall)) { - $sql .= " AND u.fk_user IN (".$db->sanitize(join(',', $childids)).")"; + $sql .= " AND u.rowid IN (".$db->sanitize(join(',', $childids)).")"; } // Add where from extra fields include DOL_DOCUMENT_ROOT.'/core/tpl/extrafields_list_search_sql.tpl.php'; diff --git a/test/phpunit/SocieteTest.php b/test/phpunit/SocieteTest.php index 177458fb621..12f24290413 100755 --- a/test/phpunit/SocieteTest.php +++ b/test/phpunit/SocieteTest.php @@ -379,7 +379,7 @@ class SocieteTest extends PHPUnit\Framework\TestCase /** - * testSocieteDelete + * testGetOutstandingBills * * @param int $id Id of company * @return int @@ -387,6 +387,35 @@ class SocieteTest extends PHPUnit\Framework\TestCase * @depends testSocieteOther * The depends says test is run only if previous is ok */ + public function testGetOutstandingBills($id) + { + global $conf,$user,$langs,$db; + $conf=$this->savconf; + $user=$this->savuser; + $langs=$this->savlangs; + $db=$this->savdb; + + $localobject=new Societe($this->savdb); + $localobject->fetch($id); + + $result=$localobject->getOutstandingBills(); + + print __METHOD__." id=".$id." result=".var_export($result, true)."\n"; + $this->assertTrue(array_key_exists('opened', $result), 'Result of getOutstandingBills failed'); + + return $id; + } + + + /** + * testSocieteDelete + * + * @param int $id Id of company + * @return int + * + * @depends testGetOutstandingBills + * The depends says test is run only if previous is ok + */ public function testSocieteDelete($id) { global $conf,$user,$langs,$db;